Skip to content

Selection Algorithms problems

Praveen Kumar Anwla edited this page Dec 23, 2023 · 9 revisions

Q1: Find kth smallest/ largest element in the data using Quickselect selection algorithm.

Ans: Method 1: Kth smallest element using Quickselect selection algorithm.

import random

def swap(nums, i, j):
    nums[i], nums[j] = nums[j], nums[i]
    return nums

def qs_partition(nums, first_idx, last_idx):
    pivot_idx = random.randint(first_idx, last_idx)
    swap(nums, pivot_idx, last_idx)
    
    for i in range(first_idx, last_idx):
        if nums[i] < nums[last_idx]:
            swap(nums, i, first_idx)
            first_idx += 1
    
    swap(nums, first_idx, last_idx)
    
    return first_idx

def qs_selection(nums, k, first_idx=0, last_idx=None):
    if last_idx is None:
        last_idx = len(nums) - 1
    
    pivot_idx = qs_partition(nums, first_idx, last_idx)
    
    if pivot_idx > k:
        return qs_selection(nums, k, first_idx, pivot_idx - 1)
    elif pivot_idx < k:
        return qs_selection(nums, k, pivot_idx + 1, last_idx)
    else:
        return nums[pivot_idx]

nums = [1, 2, -5, 10, 100, -7, 3, 4]
k = 2  # Find the 2nd smallest element (1-indexed)

result = qs_selection(nums, k-1)  # Adjust k to be 0-indexed
print(f"The {k}nd smallest element is: {result}")

Method 2: Kth smallest element using Quickselect selection algorithm.

  1. Kth largest element in the data using Quickselect method.
def quickselect_search(nums, k):
    if len(nums) < k:
        return None
    pivot = nums[0]
    left = [x for x in nums if x < pivot]
    right = [x for x in nums if x > pivot]
    if len(right) == 1:
        return right[0]
    elif len(right) == 0:
        return max(left)
    else:
        return quickselect_search(right, k)

# Example usage
nums = [3, 5, 2, 8, 1, 9, 4, 7, 6]
k = 2
second_largest = quickselect_search(nums, k-1)
print(f"The second largest element in {nums} is {second_largest}")
Clone this wiki locally