Insertion sort
Sorting | |
Algorithms | |
Bubble sort | |
Insertion sort | |
Selection sort | |
Quicksort | |
Merge sort | |
Heap sort | |
Introsort | |
Counting sort | |
Problems | |
Problems solvable using sorting |
This is a stub or unfinished. Contribute by editing me. |
Insertion sort is a simple sorting algorithm that is asymptotically equivalent to bubble sort, but is much faster in practice, because the number of swaps is at most linear. Its complexity is , in-place, and is stable.
Insertion sort is preferable when the number of items is small - the constant is small enough that the benefit due to excellent locality and noticably better when the entire list fits in the lower levels of caching. Insertion sort is also quick when the list is nearly sorted. Introsort exploits these properties by using this sort after quicksort or heap sort have made a few passes on the list.
Insertion sort in an array with gaps can achieve the theoretical lower bound of of sorting with high probability. (Bender, Farach-Colton, Mosteiro, 2004)
Algorithm[edit]
- Iterate through the array, starting from the second element:
- Note the element at this index.
- Walk back through the previous elements until you find a smaller element (or the beginning of the array), moving each element up by one.
- Insert the noted element at this point.
Pseudocode[edit]
- a is an array of size N
for i from 1 to N key = a[i] j = i - 1 while j >= 0 and a[j] > key a[j+1] = a[j] j = j - 1 a[j+1] = key next i
C#[edit]
int key, j;
for (int x = 1; x < array.Length; x++)
{
key = array[x];
j = x - 1;
while (j >= 0 && array[j] > key)
{
array[j + 1] = array[j];
j = j - 1;
}
array[j + 1] = key;
}
References[edit]
- Cormen, Leiserson, Rivest, Stein, "Introduction to Algorithms", 2nd Ed. MIT Press 2001, pp17-18
- Bender, Farach-Colton, Mosteiro, "INSERTION SORT is O(n log n)", 2004, http://citeseer.ist.psu.edu/bender04insertion.html