数据结构之归并排序
归并排序(MergeSort)
归并排序是利用归并的思想实现的排序的方法,该算法采用经典的分治(divide-and-conquer)策略(分治法将问题分(divide)成一些小的问题然后递归求解,而治(conquer)的阶段则将分的阶段得到的答案修补在一起,即分而治之)
public class MergeSort {
public static void main(String[] args) {
int[] arr = {8, 4, 5, 7, 1, 3, 6, 2};
int[] temp = new int[arr.length];
mergeSort(arr, 0, arr.length - 1, temp);
System.out.println(Arrays.toString(arr));
}
/**
* 分解的方法+合并的方法
*/
public static int[] mergeSort(int[] arr, int left, int right, int[] temp) {
if (left < right) {
int mid = (left + right) / 2;
//向左递归进行分解
mergeSort(arr, left, mid, temp);
//向右递归分解
mergeSort(arr, mid + 1, right, temp);
//合并
merge(arr,left,mid,right,temp);
}
return arr;
}
/**
* 合并的方法
*
* @param arr 原始数组
* @param left 左索引
* @param mid 中间的索引
* @param right 右边索引
* @param temp 中转数组
* @return
*/
public static int[] merge(int[] arr, int left, int mid, int right, int[] temp) {
//初始化i,左边有序序列的初始索引
int i = left;
//初始化j,右边有序序列的初始索引
int j = mid + 1;
//指向temp数组的当前索引
int t = 0;
//一、先把左右两边(有序)的数据按照规则填充到temp数组
//直到左右两边的有序序列,有一边处理完为止
while (i <= mid && j <= right) {
if (arr[i] < arr[j]) {
//如果左边的有序序列的当前元素小于等于右边序列的当前元素
//将左边的当前元素拷贝到temp数组中
//将i,j向后移
temp[t] = arr[i];
t += 1;
i += 1;
} else {
//反之,右边的有序序列的当前元素填充到temp数组
temp[t] = arr[j];
t += 1;
j += 1;
}
}
//二、把有剩余数据的一边的数据一次全部填充到temp
while (i <= mid) {
//说明左边的有序序列还有剩余,就全部填充到temp中
temp[t] = arr[i];
t += 1;
i += 1;
}
while (j <= right) {
//说明右边的有序序列还有剩余,就全部填充到temp中
temp[t] = arr[j];
t += 1;
j += 1;
}
//三、将temp数组的元素拷贝到原始数组
//并不是每次都拷贝
//第一次合并的是分的最小的组 tempLeft = 0 right =1
//第二次 temp = 0,right = 3
//...最后一次 temp = 0 right = nums.length
t = 0;
int tempLeft = left;
while (tempLeft <= right) {
arr[tempLeft] = temp[t];
t += 1;
tempLeft += 1;
}
return arr;
}
}
输出结果:
[1, 2, 3, 4, 5, 6, 7, 8]
归并排序时间测试,8000000个数据
public class MergeSortTimeTest {
public static void main(String[] args) {
int[] arr = new int[8000000];
for (int i = 0; i < 8000000; i++) {
arr[i] = (int) (Math.random() * 8000000);
}
Date date1 = new Date();
SimpleDateFormat simpleDateFormat1 = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss");
String s1 = simpleDateFormat1.format(date1);
System.out.println("排序前的时间:" + s1);
int[] temp = new int[8000000];
MergeSort.mergeSort(arr,0,arr.length-1,temp);
Date date2 = new Date();
SimpleDateFormat simpleDateFormat2 = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss");
String s2 = simpleDateFormat2.format(date2);
System.out.println("排序前的时间:" + s2);
}
}
输出结果:
排序前的时间:2021-10-06 14:57:56
排序前的时间:2021-10-06 14:57:57