Selection Sort

βœ… Selection Sort Code O(nΒ²)

def selection_sort(arr):
    for i in range(len(arr)):  # Iterate through each index where the next smallest element should go
        min = i  # Assume current index holds the minimum
        for inner in range(i+1, len(arr)):  # Find the smallest in the remaining array
            if arr[inner] < arr[min]:  
                min = inner  
        arr[i], arr[min] = arr[min], arr[i]  # Swap found minimum with current position
    return arr

πŸ“ Quick Review for Fast Recall

  • βœ… Set left-most element as smallest β†’ Scan from left-most element+1 to n-1 β†’ Find the smallest in the scan β†’ Swap left-most with scanned-smallest β†’ Repeat
  • βœ… O(nΒ²) complexity β†’ Bad for large inputs
  • βœ… O(1) space β†’ In-place sorting
  • βœ… Minimizes swaps β†’ Useful for memory-constrained environments
  • βœ… Not stable β†’ Relative order of equal elements may change
  • βœ… Use Case? When minimizing swaps is critical, like in limited memory write scenarios. Otherwise, go for better algorithms.
  • βœ… Better alternatives? QuickSort (O(n log n)), MergeSort (O(n log n))

⏳ Time Complexity & Number of Operations (Selection Sort)

  • βœ… Best Case (Already Sorted): O(nΒ²) β†’ Still iterates fully but minimal swaps
  • βœ… Worst Case (Reverse Sorted): O(nΒ²) β†’ Maximum comparisons and swaps
  • βœ… Average Case (Random Order): O(nΒ²) β†’ Consistently inefficient for large datasets
  • βœ… Space: O(1) β†’ In-place sorting
  • βœ… Total comparisons: (nΒ² - n) / 2
  • βœ… Total swaps: O(n)

⚠️ Traps & Things to Watch Out For

  • Misplacing swap logic: Swap should happen after finding the minimum, not inside the inner loop.
  • Wrong index comparison: Always compare arr[j] < arr[min], not arr[i] < arr[min].
  • Inefficiency for large inputs: Not optimal for big datasetsβ€”mention better alternatives like QuickSort or MergeSort.
  • Avoid using "min" as a variable name (Python has a built-in min() function). Rename to min_ind if necessary.
  • Selection Sort vs. Bubble Sort?
    • Selection sort minimizes swaps but has the same time complexity.
    • Bubble sort is stable, but Selection Sort is not.

Selection Sort Explanation

Selection Sort Explanation