selection sortpython
时间: 2023-09-23 09:08:29 浏览: 96
Sure! Here's an example of the selection sort algorithm implemented in Python:
```python
def selection_sort(arr):
n = len(arr)
for i in range(n):
min_idx = i
for j in range(i + 1, n):
if arr[j] < arr[min_idx]:
min_idx = j
arr[i], arr[min_idx] = arr[min_idx], arr[i]
return arr
```
You can use this function by passing an unsorted list to it. It will return the sorted list using the selection sort algorithm.
相关问题
实现selection sort排序算法 python
Selection Sort是一种简单直观的排序算法,它的工作原理是每次从未排序的部分找到最小(或最大)的元素,并将其放到已排序部分的末尾。以下是Python实现Selection Sort的步骤:
```python
def selection_sort(arr):
n = len(arr)
# 遍历所有数组元素
for i in range(n):
# 找到剩余未排序部分的最小值
min_index = i
for j in range(i+1, n):
if arr[j] < arr[min_index]:
min_index = j
# 将找到的最小值与当前位置交换
arr[i], arr[min_index] = arr[min_index], arr[i]
return arr
# 示例
arr = [64, 25, 12, 22, 11]
sorted_arr = selection_sort(arr)
print("Sorted array:", sorted_arr)
selection_sort
选择排序(Selection Sort)是一种简单直观的排序算法。它的工作原理是首先在未排序序列中找到最小(大)元素,然后将其放到排序序列的起始位置,再从剩余未排序元素中继续寻找最小(大)元素,放到已排序序列的末尾。以此类推,直到所有元素均排序完毕。
以下是选择排序的算法描述:
1. 遍历待排序序列,将当前位置设为最小(大)元素的位置。
2. 在剩余未排序元素中找到最小(大)元素的位置。
3. 如果最小(大)元素的位置不是当前位置,则交换最小(大)元素和当前位置的元素。
4. 重复步骤2和步骤3,直到遍历完整个序列。
选择排序的时间复杂度为O(n^2),其中n是待排序序列的长度。
以下是一个使用Python实现的选择排序的示例代码:
```python
def selection_sort(arr):
n = len(arr)
for i in range(n):
min_idx = i
for j in range(i+1, n):
if arr[j] < arr[min_idx]:
min_idx = j
arr[i], arr[min_idx] = arr[min_idx], arr[i]
return arr
# 示例
arr = [64, 25, 12, 22, 11]
sorted_arr = selection_sort(arr)
print("排序后的数组:", sorted_arr) # 输出:[11, 12, 22, 25, 64]
```
阅读全文