Skip to content

Instantly share code, notes, and snippets.

@nastra
Last active December 12, 2015 09:39
Show Gist options
  • Save nastra/4753675 to your computer and use it in GitHub Desktop.
Save nastra/4753675 to your computer and use it in GitHub Desktop.
Implements the randomized selection algorithm that can be applied to the following question: "Find the k-th smallest element in an unsorted array in time O(n)." The expected running time of this algorithm is O(n), assuming that the elements are distinct. This algorithm can be further modified to have not only an expected running time of O(n), bu…
import random
def randomizedSelection(array, low, high, element):
if low == high: # base case
return array[low]
else:
pivot = randomizedPartition(array, low, high)
if pivot == element:
return array[pivot]
elif element < pivot:
return randomizedSelection(array, low, pivot - 1, element)
else:
return randomizedSelection(array, pivot + 1, high, element - pivot)
def randomizedPartition(array, low, high):
index = random.randint(low, high)
array[index], array[low], array[low], array[index] # swap the two elements
return partition(array, low, high)
def partition(array, low, high):
x = array[low]
i = low + 1
for j in range(low + 1, high + 1):
if array[j] <= x:
array[i], array[j] = array[j], array[i]
i += 1
array[i - 1], array[low], array[low], array[i - 1]
return i - 1 # the index where the pivot element resides
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment