Last active
January 20, 2018 23:02
-
-
Save alexspark/28d58e447cb89b5e9a08808447e04b4f to your computer and use it in GitHub Desktop.
Daily Coding Problem 1
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
# This problem was asked by Google. | |
# | |
# Given a stack of N elements, interleave the first half of the stack | |
# with the second half reversed using only one other queue. This should be done in-place. | |
# | |
# Recall that you can only push or pop from a stack, and enqueue or dequeue from a queue. | |
def reverse_interleave(stack) | |
return stack if stack.length < 3 | |
stop = stack.length | |
size = 1 | |
queue = [] | |
loop do | |
while stack.length > size do | |
queue.push stack.pop | |
end | |
while queue.length > 0 do | |
stack.push queue.shift | |
end | |
size += 1 | |
break if size.eql? stop | |
end | |
return stack | |
end | |
reverse_interleave [1, 2, 3, 4, 5, 6, 8, 9, 10] | |
# For example, if the stack is [1, 2, 3, 4, 5], it should become [1, 5, 2, 4, 3]. If the stack is [1, 2, 3, 4], it should become [1, 4, 2, 3]. | |
# for stack of size n | |
# first iteration goes through n-1 pops and n-1 enqueues | |
# second iteration goes through n-2 pops and n-2 enqueue | |
# n(n-1)/2 => n^2 | |
# time O(n^2) | |
# space O(n) |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment