John Mavrick's Garden

Search IconIcon to open search

Last updated April 10, 2022

Status: Tags: #archivedCards/cmpt125/algorithms Links: Sorting Algorithms


Insertion Sort

Principles

?

Big O for best, average, worst ?

Question

2018-5

[8 points] How manyswapswill Insertion Sort performon the input [9, 6, 2, 1, 4] ? ANSWER: 8 swaps Insert 9: 0 swaps. Result [9, 6, 2, 1, 4] Insert 6: 1 swap: (6,9). Result [6, 9, 2, 1, 4] Insert 2: 2 swaps: (2,9), (2,6). Result [2, 6, 9, 1, 4] Insert 1: 3 swaps: (1,9) (1,6), (1,2). Result [1, 2, 6, 9, 4] Insert 4: 2 swaps: (4,9), (4,6). Result [1, 2, 4, 6, 9]

Implementation

void insertionSort(int arr[], int n) ?

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
{
    int i, key, j;
    for (i = 1; i < n; i++) {
        key = arr[i];
        j = i - 1;
 
        /* Move elements of arr[0..i-1], that are
          greater than key, to one position ahead
          of their current position */
        while (j >= 0 && arr[j] > key) {
            arr[j + 1] = arr[j];
            j = j - 1;
        }
        arr[j + 1] = key;
    }
}

Backlinks

1
list from Insertion Sort AND !outgoing(Insertion Sort)

References:

Created:: 2021-10-18 16:17


Interactive Graph