Created
April 23, 2015 18:07
-
-
Save ana-balica/1e92605ee47d3bed99c6 to your computer and use it in GitHub Desktop.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
# Quicksort Algorithm - sort a sequence in place, for additional convenience | |
# returns the sequence. | |
# Time complexity: nlgn (average case) and n^2 (worst case) | |
# Script is intended to be run with Python3, but is Python2 compatible. | |
# If running the script with Python2, range() function will return a list. | |
# Consider changing it to xrange(), if running with Python2. | |
def quicksort(seq, start, end): | |
if start < end: | |
pivot = partition(seq, start, end) | |
quicksort(seq, start, pivot-1) | |
quicksort(seq, pivot+1, end) | |
return seq | |
def partition(seq, start, end): | |
pivot = seq[end] | |
i = start - 1 | |
for j in range(start, end): | |
if seq[j] <= pivot: | |
i += 1 | |
seq[i], seq[j] = seq[j], seq[i] | |
seq[i+1], seq[end] = seq[end], seq[i+1] | |
return i + 1 | |
if __name__ == '__main__': | |
seq = [2, 8, 7, 1, 3, 5, 6, 4] | |
print(quicksort(l, 0, len(seq) - 1)) |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment