search
HomeJavajavaTutorialDetailed interpretation of Hill sorting algorithm and related Java code implementation

Hill sort (Shell's sort) is a very "magical" sorting algorithm. It is called "magical" because no one can clearly explain what its performance is. Hill sorting due to DL. Shell was named after it was proposed in 1959. Since C. A. R. Hoare proposed quick sort in 1962, quick sort is generally used because it is simpler. However, many mathematicians are still working tirelessly to find the optimal complexity of Hill sorting. As ordinary programmers, we can learn from Hill's ideas.
By the way, before the emergence of Hill sorting, there was a common view in the computer industry that "sorting algorithms cannot break through O(n2)". The emergence of Hill sorting broke this curse, and soon, algorithms such as quick sort came out one after another. In this sense, Hill sorting leads us into a new era.

Algorithm overview/ideas
The proposal of Hill sorting is mainly based on the following two points:
1. The insertion sort algorithm can approximately reach O(n) complexity when the array is basically ordered. degree, extremely efficient.
2. However, insertion sort can only move data one bit at a time, and the performance will deteriorate rapidly when the array is large and basically disordered.

Based on this, we can use a grouped insertion sort method. The specific method is: (take a 16-element array as an example)
1. Select an increment delta, which is greater than 1. Select the subarray from the array according to this increment for a direct insertion sort. For example, if the selected increment is 5, the elements with indexes 0, 5, 10, and 15 will be sorted.
2. Keep the incremental delta and move the first element in sequence for direct insertion sorting until one round is completed. For the above example, the arrays [1, 6, 11], [2, 7, 12], [3, 8, 13], [4, 9, 14] are sorted in sequence.
3. Reduce the increment and repeat the above process until the increment is reduced to 1. Obviously, the last time is direct insertion sorting.
4. Sorting completed.
As can be seen from the above, the increment is constantly decreasing, so Hill sorting is also called "shrinking increment sorting".

Code implementation

package sort; 
  
public class ShellSortTest { 
  public static int count = 0; 
  
  public static void main(String[] args) { 
  
    int[] data = new int[] { 5, 3, 6, 2, 1, 9, 4, 8, 7 }; 
    print(data); 
    shellSort(data); 
    print(data); 
  
  } 
  
  public static void shellSort(int[] data) { 
    // 计算出最大的h值 
    int h = 1; 
    while (h <= data.length / 3) { 
      h = h * 3 + 1; 
    } 
    while (h > 0) { 
      for (int i = h; i < data.length; i += h) { 
        if (data[i] < data[i - h]) { 
          int tmp = data[i]; 
          int j = i - h; 
          while (j >= 0 && data[j] > tmp) { 
            data[j + h] = data[j]; 
            j -= h; 
          } 
          data[j + h] = tmp; 
          print(data); 
        } 
      } 
      // 计算出下一个h值 
      h = (h - 1) / 3; 
    } 
  } 
  
  public static void print(int[] data) { 
    for (int i = 0; i < data.length; i++) { 
      System.out.print(data[i] + "\t"); 
    } 
    System.out.println(); 
  } 
  
}

Running results:

5  3  6  2  1  9  4  8  7   
1  3  6  2  5  9  4  8  7   
1  2  3  6  5  9  4  8  7   
1  2  3  5  6  9  4  8  7   
1  2  3  4  5  6  9  8  7   
1  2  3  4  5  6  8  9  7   
1  2  3  4  5  6  7  8  9   
1  2  3  4  5  6  7  8  9

Algorithm performance/complexity
The incremental sequence of Hill sorting can be chosen arbitrarily, and the only condition required is the last One must be 1 (because it must be ordered by 1). However, different sequence selections will have a great impact on the performance of the algorithm. The code above demonstrates two increments.
Remember: It is best not to have a common factor other than 1 for every two elements in the incremental sequence! (Obviously, it doesn’t make much sense to sort a sequence ordered by 4 and then by 2).
The following are some common increment sequences.
The first increment is the increment originally proposed by Donald Shell, which is reduced by half until 1. According to research, using Hill increment, the time complexity is still O(n2).
The second increment Hibbard: {1, 3, ..., 2^k-1}. The time complexity of this incremental sequence is approximately O(n^1.5).
The third increment Sedgewick increment: (1, 5, 19, 41, 109,...), the generated sequence is either 9*4^i - 9*2^i + 1 or 4^ i - 3*2^i + 1.

Algorithm stability
We all know that insertion sort is a stable algorithm. However, Shell sort is a multiple insertion process. In one insertion, we can ensure that the order of the same elements is not moved, but in multiple insertions, the same elements may be moved in different insertion rounds, and finally the stability is destroyed. Therefore, Shell sorting is not stable. algorithm.

Applicable scenarios of the algorithm
Although Shell sorting is fast, it is insertion sorting after all, and its order of magnitude is not as fast as the rising star-quick sorting O(n㏒n). Shell sorting is not a good algorithm in the face of large amounts of data. However, it is perfectly fine for small to medium sized data.

For more detailed explanations of the Hill sorting algorithm and related Java code implementation related articles, please pay attention to the PHP Chinese website!


Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
Top 4 JavaScript Frameworks in 2025: React, Angular, Vue, SvelteTop 4 JavaScript Frameworks in 2025: React, Angular, Vue, SvelteMar 07, 2025 pm 06:09 PM

This article analyzes the top four JavaScript frameworks (React, Angular, Vue, Svelte) in 2025, comparing their performance, scalability, and future prospects. While all remain dominant due to strong communities and ecosystems, their relative popul

Spring Boot SnakeYAML 2.0 CVE-2022-1471 Issue FixedSpring Boot SnakeYAML 2.0 CVE-2022-1471 Issue FixedMar 07, 2025 pm 05:52 PM

This article addresses the CVE-2022-1471 vulnerability in SnakeYAML, a critical flaw allowing remote code execution. It details how upgrading Spring Boot applications to SnakeYAML 1.33 or later mitigates this risk, emphasizing that dependency updat

How do I implement multi-level caching in Java applications using libraries like Caffeine or Guava Cache?How do I implement multi-level caching in Java applications using libraries like Caffeine or Guava Cache?Mar 17, 2025 pm 05:44 PM

The article discusses implementing multi-level caching in Java using Caffeine and Guava Cache to enhance application performance. It covers setup, integration, and performance benefits, along with configuration and eviction policy management best pra

How does Java's classloading mechanism work, including different classloaders and their delegation models?How does Java's classloading mechanism work, including different classloaders and their delegation models?Mar 17, 2025 pm 05:35 PM

Java's classloading involves loading, linking, and initializing classes using a hierarchical system with Bootstrap, Extension, and Application classloaders. The parent delegation model ensures core classes are loaded first, affecting custom class loa

Iceberg: The Future of Data Lake TablesIceberg: The Future of Data Lake TablesMar 07, 2025 pm 06:31 PM

Iceberg, an open table format for large analytical datasets, improves data lake performance and scalability. It addresses limitations of Parquet/ORC through internal metadata management, enabling efficient schema evolution, time travel, concurrent w

Node.js 20: Key Performance Boosts and New FeaturesNode.js 20: Key Performance Boosts and New FeaturesMar 07, 2025 pm 06:12 PM

Node.js 20 significantly enhances performance via V8 engine improvements, notably faster garbage collection and I/O. New features include better WebAssembly support and refined debugging tools, boosting developer productivity and application speed.

How to Share Data Between Steps in CucumberHow to Share Data Between Steps in CucumberMar 07, 2025 pm 05:55 PM

This article explores methods for sharing data between Cucumber steps, comparing scenario context, global variables, argument passing, and data structures. It emphasizes best practices for maintainability, including concise context use, descriptive

How can I implement functional programming techniques in Java?How can I implement functional programming techniques in Java?Mar 11, 2025 pm 05:51 PM

This article explores integrating functional programming into Java using lambda expressions, Streams API, method references, and Optional. It highlights benefits like improved code readability and maintainability through conciseness and immutability

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

R.E.P.O. Energy Crystals Explained and What They Do (Yellow Crystal)
2 weeks agoBy尊渡假赌尊渡假赌尊渡假赌
Repo: How To Revive Teammates
1 months agoBy尊渡假赌尊渡假赌尊渡假赌
Hello Kitty Island Adventure: How To Get Giant Seeds
1 months agoBy尊渡假赌尊渡假赌尊渡假赌

Hot Tools

Dreamweaver Mac version

Dreamweaver Mac version

Visual web development tools

VSCode Windows 64-bit Download

VSCode Windows 64-bit Download

A free and powerful IDE editor launched by Microsoft

MinGW - Minimalist GNU for Windows

MinGW - Minimalist GNU for Windows

This project is in the process of being migrated to osdn.net/projects/mingw, you can continue to follow us there. MinGW: A native Windows port of the GNU Compiler Collection (GCC), freely distributable import libraries and header files for building native Windows applications; includes extensions to the MSVC runtime to support C99 functionality. All MinGW software can run on 64-bit Windows platforms.

PhpStorm Mac version

PhpStorm Mac version

The latest (2018.2.1) professional PHP integrated development tool

SAP NetWeaver Server Adapter for Eclipse

SAP NetWeaver Server Adapter for Eclipse

Integrate Eclipse with SAP NetWeaver application server.