Problem : https://leetcode.com/problems/implement-stack-using-queues/
Use 2 queues in turn to save items.
class MyStack:
def __init__(self):
"""
Initialize your data structure here.
"""
self.q1 = deque()
self.q2 = deque()
def push(self, x: int) -> None:
"""
Push element x onto stack.
"""
# use empty queue to save item
if self.q1:
self.q1.append(x)
else:
self.q2.append(x)
def pop(self) -> int:
"""
Removes the element on top of the stack and returns that element.
"""
# push items to the empty queue, then pop the last item
if self.q1:
while len(self.q1) != 1:
self.q2.append(self.q1.popleft())
return self.q1.popleft()
else:
while len(self.q2) != 1:
self.q1.append(self.q2.popleft())
return self.q2.popleft()
def top(self) -> int:
"""
Get the top element.
"""
# return the last item of the non-empty queue
if self.q1:
return self.q1[-1]
else:
return self.q2[-1]
def empty(self) -> bool:
"""
Returns whether the stack is empty.
"""
# stack is empty if both queue is empty
return len(self.q1) == 0 and len(self.q2) == 0
# Your MyStack object will be instantiated and called as such:
# obj = MyStack()
# obj.push(x)
# param_2 = obj.pop()
# param_3 = obj.top()
# param_4 = obj.empty()
No comments:
Post a Comment