Last active
March 6, 2019 22:25
-
-
Save AnielaMW/27c2ca059e2a7bf9f239c6f549abcc9c to your computer and use it in GitHub Desktop.
Quick Sort Challenge in Ruby
This file contains hidden or 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
require 'pry' | |
puts "Quick Sort" | |
# 1. First, our checks to see if array.length <= 1. | |
# 2. Pick a pivot at random. Ruby’s delete_at method will delete the item at the specified index, which in this case would be a rand index in the range of array.length. We’re saving the value of that item to pivot. | |
# 3. Create a new left and right subarray. | |
# 4. Loop through every element in the array and compare it to the pivot. If the value is less than pivot, add element to the left subarray. If value is greater than pivot, add element to the right subarray. | |
def quick_sort(arr) | |
return arr if arr.length <= 1 | |
pivot_ele = arr.sample | |
left_arr = [] | |
right_arr = [] | |
arr.each do |n| | |
if n < pivot_ele | |
left_arr.push(n) | |
elsif n > pivot_ele | |
right_arr.push(n) | |
end | |
end | |
return quick_sort(left_arr).concat([pivot_ele], quick_sort(right_arr)) | |
end | |
answer = ["a", "b", "c", "d"] | |
puts quick_sort([]) == [] | |
puts quick_sort(["a"]) == ["a"] | |
puts quick_sort(["a", "b", "c", "d"]) == answer | |
puts quick_sort(["b", "c", "d", "a"]) == answer | |
puts quick_sort(["c", "b", "a", "d"]) == answer | |
puts quick_sort(["d", "c", "b", "a"]) == answer | |
puts quick_sort(["c", "d", "a", "b"]) == answer |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment