Selection Sort - 选择排序

核心:不断地选择剩余元素中的最小者。

  1. 找到数组中最小元素并将其和数组第一个元素交换位置。
  2. 在剩下的元素中找到最小元素并将其与数组第二个元素交换,直至整个数组排序。

性质:

  • 比较次数=(N-1)+(N-2)+(N-3)+…+2+1~N^2/2
  • 交换次数=N
  • 运行时间与输入无关
  • 数据移动最少

下图来源为 File:Selection-Sort-Animation.gif - IB Computer Science

Selection Sort

Implementation

Python

  1. #!/usr/bin/env python
  2. def selectionSort(alist):
  3. for i in xrange(len(alist)):
  4. print(alist)
  5. min_index = i
  6. for j in xrange(i + 1, len(alist)):
  7. if alist[j] < alist[min_index]:
  8. min_index = j
  9. alist[min_index], alist[i] = alist[i], alist[min_index]
  10. return alist
  11. unsorted_list = [8, 5, 2, 6, 9, 3, 1, 4, 0, 7]
  12. print(selectionSort(unsorted_list))

Java

  1. public class Sort {
  2. public static void main(String[] args) {
  3. int unsortedArray[] = new int[]{8, 5, 2, 6, 9, 3, 1, 4, 0, 7};
  4. selectionSort(unsortedArray);
  5. System.out.println("After sort: ");
  6. for (int item : unsortedArray) {
  7. System.out.print(item + " ");
  8. }
  9. }
  10. public static void selectionSort(int[] array) {
  11. int len = array.length;
  12. for (int i = 0; i < len; i++) {
  13. for (int item : array) {
  14. System.out.print(item + " ");
  15. }
  16. System.out.println();
  17. int min_index = i;
  18. for (int j = i + 1; j < len; j++) {
  19. if (array[j] < array[min_index]) {
  20. min_index = j;
  21. }
  22. }
  23. int temp = array[min_index];
  24. array[min_index] = array[i];
  25. array[i] = temp;
  26. }
  27. }
  28. }

Reference