DEV Community

Ajith R
Ajith R

Posted on

Insertion sort that you want to know

Insertion sort is a simple sorting algorithm that builds the final sorted array one element at a time by repeatedly picking the next element and inserting it into the proper position in the already sorted part of the array. It is named for its similarity to the way we sort playing cards in our hands.

Algorithm:

  1. Start from the second element (index 1) and consider it as the current element.
  2. Compare the current element with the elements to its left.
  3. Move the current element to its correct position by shifting all larger elements one position to the right.
  4. Repeat steps 2 and 3 for all elements until the entire array is sorted.

JavaScript Implementation:

function insertionSort(arr) {
    let n = arr.length;
    for (let i = 1; i < n; i++) {
        let key = arr[i];
        let j = i - 1;
        while (j >= 0 && arr[j] > key) {
            arr[j + 1] = arr[j];
            j--;
        }
        arr[j + 1] = key;
    }
    return arr;
}
Enter fullscreen mode Exit fullscreen mode

Advantages of Insertion Sort:

  1. Simple and Intuitive: Insertion sort is easy to understand and implement. It involves straightforward logic and does not require complex data structures.

  2. Efficiency for Small Datasets: Insertion sort performs well for small datasets or nearly sorted arrays. It has a best-case time complexity of O(n) when the array is already sorted.

  3. In-Place Sorting: Insertion sort operates in-place, meaning it does not require additional memory beyond the input array. This makes it memory efficient for sorting large or small datasets.

Disadvantages of Insertion Sort:

  1. Inefficiency for Large Datasets: Insertion sort has poor time complexity for large datasets. Its average and worst-case time complexity is O(n^2), making it inefficient for sorting large arrays.

  2. Lack of Adaptability: Insertion sort does not adapt well to datasets with random or reverse-ordered elements. It performs best on already partially sorted arrays.

  3. Slower than More Efficient Algorithms: While insertion sort is simple and intuitive, it is slower compared to more efficient sorting algorithms such as quicksort or mergesort, especially for large datasets.

Conclusion:

Insertion sort is a simple and efficient sorting algorithm for small datasets or nearly sorted arrays. Its simplicity and memory efficiency make it suitable for educational purposes and applications where sorting small datasets is sufficient. However, for large datasets or applications requiring high performance, more efficient sorting algorithms are preferred.


Top comments (0)