Skip to content

Instantly share code, notes, and snippets.

@wilderfield
Last active June 1, 2021 07:03
Show Gist options
  • Star 0 You must be signed in to star a gist
  • Fork 0 You must be signed in to fork a gist
  • Save wilderfield/d724d54e1a06bc65ac83f126f1dea724 to your computer and use it in GitHub Desktop.
Save wilderfield/d724d54e1a06bc65ac83f126f1dea724 to your computer and use it in GitHub Desktop.
Quick Sort
from random import randint
def partition(nums, l, r, pIdx):
pVal = nums[pIdx]
# Swap pivot index with the right most
nums[r], nums[pIdx] = nums[pIdx], nums[r]
# Everything to the left of index i
# will be less than the pivot value
i = l
for j in range(l,r): # Don't go all the way to end
if nums[j] < pVal:
nums[i], nums[j] = nums[j], nums[i]
i += 1
# Swap right most index with i
# Because i is the correct position
# for the pivot value in the sorted array
nums[i], nums[r] = nums[r], nums[i]
return i
def quickSortH(nums, l, r):
if r <= l:
return
i = partition(nums, l, r, randint(l,r))
quickSortH(nums, l, i - 1)
quickSortH(nums, i + 1, r)
return
def quickSort(nums):
quickSortH(nums, 0, len(nums) - 1)
nums = [5, 3, 8, 6, 2, 1, 0, 9, 7, 4]
print nums
quickSort(nums)
print nums
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment