介绍
选择排序(select sorting)也是一种简单的排序方法。它的基本思想是:第一次从arr[0]-arr[n-l]中选取
最小值,与arr[0]交换,第二次从arr[]-arr[n-l]中选取最小值,与arr[l]交换,第三次从
arr[2]-arr[n-1]中选取最小值,与ar[2]交换,…,第i次从arrfi-l]~ar[n-1]中选取最小值,与
arr[i-l]交换,…,第n-1次从arr[n-2]-arr[n-1]中选取最小值,与arr[n-2]交换,总共通过n-l次,
得到一个按排序码从小到大排列的有序序列。
说明:
l.选择排序一共有(数组长度 - 1)轮排序
2.每1轮排序:又是一个循环
2.1先假定当前这个数是最小数
2.2然后和后面的每个数进行比较,如果发现有比当前数更小的数,就重新确定最小数,并得到下标
2.3当遍历到数组的最后时,就得到本轮最小数和下标
2.4交换
代码实现:
import java.util.Arrays;
public class SelectSort {
public static void main(String[] args) {
int arr[] = {101,34,119,1};
System.out.println("排序前:"+Arrays.toString(arr));
selectSort(arr);
System.out.println("排序后:"+Arrays.toString(arr));
}
//选择排序
public static void selectSort(int[] arr){
for (int i = 0; i < arr.length - 1; i++) {
int minIndex = i;
int min = arr[i];
for (int j = i + 1; j < arr.length; j++) {
if (min > arr[j]){ //须要从大到小排序只需要改动“>”为“<”
min = arr[j];
minIndex = j;
}
}
//将最小值放在arr[i]
if (minIndex != i){
arr[minIndex] = arr[i];
arr[i] = min;
}
System.out.println("第"+(i+1)+"轮排序:");
System.out.println(Arrays.toString(arr));
}
}
}
对选择排序的性能测试:
import java.util.Arrays;
public class SelectSort {
public static void main(String[] args) {
//测试性能
int[] arrTest = new int[100000];
for (int i = 0; i < 100000; i++) {
arrTest[i] = (int)(Math.random()*1000000); //生成一个[0,1000000)之间的数
}
long start = System.currentTimeMillis();
selectSort(arrTest);
long end = System.currentTimeMillis();
System.out.println("耗时:"+(end - start)+"ms");
}
//选择排序
public static void selectSort(int[] arr){
for (int i = 0; i < arr.length - 1; i++) {
int minIndex = i;
int min = arr[i];
for (int j = i + 1; j < arr.length; j++) {
if (min > arr[j]){ //须要从大到小排序只需要改动“>”为“<”
min = arr[j];
minIndex = j;
}
}
//将最小值放在arr[i]
if (minIndex != i){
arr[minIndex] = arr[i];
arr[i] = min;
}
}
}
}
最终耗时:4474ms