ā
Insertion Sort Code O(nĀ²)
def insertion_sort(arr):
n = len(arr)
for i in range(1, n):
key = arr[i] # Store the value to be inserted
j = i - 1
# Shift elements of arr[0..i-1] that are greater than key
while j >= 0 and arr[j] > key:
arr[j + 1] = arr[j]
j -= 1
# Insert the stored value at the correct position
arr[j + 1] = key
return arr
š Quick Review for Fast Recall
- ā
Comparison-based sorting algorithm
- ā
Stable: Does not change the relative order of elements with equal values
- ā
In-place: Uses O(1) extra space
- ā
Efficient for small or nearly sorted datasets
- ā
Not efficient for large datasets
ā³ Time Complexity & Number of Operations
- ā
Best Case (Already Sorted): O(n) ā Only compares, no shifting
- ā
Worst Case (Reverse Sorted): O(nĀ²) ā Each element inserted at the beginning
- ā
Average Case (Random Order): O(nĀ²) ā Expected number of swaps = O(nĀ² / 4)
- ā
Total possible pairs in an array: n * (n ā 1) / 2
- ā
Worst-case inversions (reverse sorted): n * (n ā 1) / 2
- ā
Best-case inversions (already sorted): 0
- ā
Average-case inversions (random order): n * (n ā 1) / 4
ā ļø Traps & Things to Watch Out For
- ā
Off-by-one errors: Be careful with boundary conditions in loops
- ā
Unoptimized comparisons: If detecting a sorted array, stop early to reduce complexity
- ā
Confusion between i and j: Ensure j shifts elements and i marks the next pivot
- ā
Inefficient for large inputs: Avoid for n > 1000; use QuickSort/MergeSort instead
š Steps
- ā
Start iterating from index 1: Treat the first element as sorted
- ā
Set pivot element (key = A[i]): This is the element to be placed in the correct position
- ā
Initialize comparison pointer j = i - 1: Start from the last sorted element
- ā
Shift elements if necessary: While A[j] > key, shift A[j] to A[j+1] and decrement j
- ā
Insert key at the correct position: Key is placed at A[j+1] ensuring left side remains sorted
- ā
Repeat for all elements: Continue until the entire array is sorted
Insertion Sort (key at ith,jth,sorted, unsorted)