排序算法之选择排序
80000长度的数据值在[0,800000)之间的数据本机使用冒泡排序,耗时2s;
1. 选择排序
1.1 基本介绍
选择式排序也属于内部排序法,是从欲排序的数据中,按指定的规则选出某一元素,再依规定交换位置后达到排序的目的。
1.2 选择排序思想
选择排序(select sorting
)也是一种简单的排序方法。它的基本思想是:第一次从 arr[0]arr[n-1]中选取最小值,与 arr[0]交换,第二次从 arr[1]arr[n-1]中选取最小值,与 arr[1]交换,第三次从 arr[2]arr[n-1]中选取最小值,与 arr[2]交换,…,第 i 次从 arr[i-1]arr[n-1]中选取最小值,与 arr[i-1]交换,…, 第 n-1 次从 arr[n-2]~arr[n-1]中选取最小值,与 arr[n-2]交换,总共通过 n-1 次,得到一个按排序码从小到大排列的有序序列。
1.3 选择排序详细过程
1.4 代码实现
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35
| public class SelectSort { public static void main(String[] args) { }
public static void selectSort(int[] arr) { for (int j = 0; j < arr.length-1; j++) { int minIndex = j; int min = arr[j]; for (int i = j + 1; i < arr.length; i++) { if(arr[minIndex]>arr[i]) { minIndex = i; min = arr[i]; } } if(minIndex!=j) { arr[minIndex] = arr[j]; arr[j] = min; } } } }
|
1.5 测试结果及运行时间
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26
| public class SelectSort {
public static void main(String[] args) { int[] arr = new int[80000]; for (int i = 0; i < arr.length; i++) { arr[i] = (int)(Math.random()*800000); } Date date1 = new Date(); SimpleDateFormat simpleDateFormat = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss"); String format1 = simpleDateFormat.format(date1); System.out.println("排序前的时间:"+format1); selectSort(arr); Date date2 = new Date(); String format2 = simpleDateFormat.format(date2); System.out.println("排序的时间:"+format2); } }
|