排序算法 —— 希尔排序
作者:互联网
一、介绍
希尔排序是把记录按下标的一定增量分组,对每组使用直接插入排序算法排序;随着增量逐渐减少,每组包含的关键词越来越多,当增量减至1时,整个文件恰被分成一组,算法便终止。
二、代码
public class ShellSort {
public static void main(String[] args) {
int[] arr = {3, 9, -1, 10, -2};
System.out.println(Arrays.toString(arr));
shellSort1(arr);
System.out.println("-----------新旧分割线-------------------");
System.out.println(Arrays.toString(arr));
}
// 希尔排序 交换法
public static void shellSort(int[] arr) {
int temp = 0;
for (int gap = arr.length / 2; gap > 0; gap /= 2) {
// 分组
for (int i = gap; i < arr.length; i++) {
// 对每组元素进行排序 交换法
for (int j = i - gap; j >= 0; j -= gap) {
if (arr[j] > arr[j + gap]) {
temp = arr[j];
arr[j] = arr[j + gap];
arr[j + gap] = temp;
}
}
}
}
}
// 希尔排序 移位法 极大提升速度
public static void shellSort1(int[] arr) {
int tempValue = 0;
int tempIndex = 0;
for (int gap = arr.length / 2; gap > 0; gap /= 2) {
// 分组
for (int i = gap; i < arr.length; i++) {
tempIndex = i;
tempValue = arr[i];
// 对每组元素进行排序
if (arr[tempIndex] < arr[tempIndex - gap]) {
while (tempIndex - gap >= 0 && tempValue < arr[tempIndex - gap]) {
arr[tempIndex] = arr[tempIndex - gap];
tempIndex -= gap;
}
}
arr[tempIndex] = tempValue;
}
}
}
}
三、测试
小小希尔 超脱插入
标签:arr,int,算法,gap,希尔,tempValue,tempIndex,排序 来源: https://www.cnblogs.com/gary97/p/12330995.html