JavaAlgorithms/Sorts/ShellSort.java

49 lines
1.1 KiB
Java
Raw Normal View History

2018-11-14 01:15:47 +08:00
package Sorts;
2017-09-29 00:33:36 +08:00
2018-11-14 01:15:47 +08:00
import static Sorts.SortUtils.*;
public class ShellSort implements SortAlgorithm {
2017-09-29 00:33:36 +08:00
2020-10-24 18:23:28 +08:00
/**
* Implements generic shell sort.
2020-10-24 18:23:28 +08:00
*
* @param array the array to be sorted.
* @param <T> the type of elements in the array.
* @return the sorted array.
2020-10-24 18:23:28 +08:00
*/
@Override
public <T extends Comparable<T>> T[] sort(T[] array) {
int length = array.length;
int gap = 1;
2020-10-24 18:23:28 +08:00
/* Calculate gap for optimization purpose */
while (gap < length / 3) {
gap = 3 * gap + 1;
}
2017-09-29 00:33:36 +08:00
2020-10-24 18:23:28 +08:00
for (; gap > 0; gap /= 3) {
for (int i = gap; i < length; i++) {
int j;
T temp = array[i];
for (j = i; j >= gap && less(temp, array[j - gap]); j -= gap) {
array[j] = array[j - gap];
2017-09-29 00:33:36 +08:00
}
2020-10-24 18:23:28 +08:00
array[j] = temp;
}
2017-09-29 00:33:36 +08:00
}
2020-10-24 18:23:28 +08:00
return array;
}
2017-09-29 00:33:36 +08:00
2020-10-24 18:23:28 +08:00
/* Driver Code */
public static void main(String[] args) {
Integer[] toSort = {4, 23, 6, 78, 1, 54, 231, 9, 12};
2017-09-29 00:33:36 +08:00
2020-10-24 18:23:28 +08:00
ShellSort sort = new ShellSort();
sort.sort(toSort);
for (int i = 0; i < toSort.length - 1; ++i) {
assert toSort[i] <= toSort[i + 1];
}
print(toSort);
2020-10-24 18:23:28 +08:00
}
2017-09-29 00:33:36 +08:00
}