选择排序算法将数组分为两部分:已排序部分和未排序部分。最初,已排序部分为空,未排序部分包含所有元素。该算法的工作原理是从未排序部分中找到最小(或最大,取决于排序顺序)元素,并将其与未排序部分的第一个元素交换。这个过程一直持续到整个数组被排序为止。
#Suppose we have the following array: arr = [64, 25, 12, 22, 11]
第一遍后的数组:[11, 25, 12, 22, 64]
第二遍后的数组:[11, 12, 25, 22, 64]
第三遍后的数组:[11, 12, 22, 25, 64]
最终排序数组:[11, 12, 22, 25, 64]
def selection_sort(arr): # Traverse through all array elements for i in range(len(arr)): # Find the minimum element in the remaining unsorted part min_index = i for j in range(i+1, len(arr)): if arr[j] < arr[min_index]: min_index = j # Swap the found minimum element with the first element of the unsorted part arr[i], arr[min_index] = arr[min_index], arr[i] # Example usage arr = [64, 25, 12, 22, 11] selection_sort(arr) print("Sorted array:", arr)
排序数组:[11, 12, 22, 25, 64]
最佳情况:O(n²)
平均情况:O(n²)
最坏情况:O(n²)
尽管选择排序对于小型数据集表现良好,但对于较大的数组来说并不理想,因为它的时间复杂度为 O(n²)。然而,它很容易实现,并且在需要考虑内存的情况下非常有用,因为选择排序是就地的(不需要额外的内存)。
优点:
易于理解和实施。
在小列表上表现良好。
不需要额外的内存,因为它对数组进行排序。
缺点:
由于 O(n²) 时间复杂度,对于大型数据集效率较低。
它不是一个稳定的排序算法,这意味着相等的元素可能无法保留它们相对于彼此的顺序。
以上是选择排序算法的详细内容。更多信息请关注PHP中文网其他相关文章!