直接选择排序应用了选择排序的基本思想:每一趟从待排序的记录中选出关键字最小的记录,顺序放在已排好序的子文件的最后,直到全部记录排序完毕。
直接选择排序算法的基本思想:
选择排序是给每个位置选择当前元素最小的,比如给第一个位置选择最小的,在剩余元素里面给第二个元素选择第二小的,依次类推,直到第n-1个元素,第n个元素不用选择了,因为只剩下它一个最大的元素了。那么,在一趟选择,如果当前元素比一个元素小,而该小的元素又出现在一个和当前元素相等的元素后面,那么交换后稳定性就被破坏了。比较拗口,举个例子,序列5 8 5 2 9, 我们知道第一遍选择第1个元素5会和2交换,那么原序列中2个5的相对前后顺序就被破坏了,所以选择排序不是一个稳定的排序算法。
1 package com.bingoogol.algorithm.sort; 2 3 /** 4 * 直接选择排序 5 * 6 * @author bingoogol@sina.com 7 */ 8 public class SelectionSort { 9 10 public static void main(String[] args) { 11 int[] arr = new int[] { 2, 6, 30, 25, 9, 18, 13 }; 12 System.out.print("排序前:"); 13 SelectionSort.printArr(arr); 14 SelectionSort.sort(arr); 15 System.out.print("排序后:"); 16 SelectionSort.printArr(arr); 17 } 18 19 public static void sort(int[] arr) { 20 for(int i = 0; i < arr.length - 1; i++) { 21 int lowIndex = i; 22 for(int j = i + 1; j < arr.length; j++) { 23 if(arr[j] < arr[lowIndex]) { 24 lowIndex = j; 25 } 26 } 27 swap(arr, i, lowIndex); 28 } 29 } 30 31 public static void swap(int[] arr, int i, int j) { 32 int temp = arr[i]; 33 arr[i] = arr[j]; 34 arr[j] = temp; 35 } 36 37 public static void printArr(int[] arr) { 38 for (int i = 0; i < arr.length - 1; i++) { 39 System.out.print(arr[i] + ","); 40 } 41 System.out.println(arr[arr.length - 1]); 42 } 43 }