Problem Description
Implement a last-in-first-out (LIFO) stack using only two queues. The implemented stack should support all the functions of a normal stack (push, top, pop, and empty).
Key Insights
- A stack is a LIFO (Last In First Out) data structure, whereas a queue is a FIFO (First In First Out) data structure.
- To implement a stack using two queues, we can utilize the properties of queues to reverse the order of elements.
- One queue will be used for pushing elements, while the other will help in maintaining the stack order during pop and top operations.
Space and Time Complexity
Time Complexity:
- Push: O(n) (in the worst case, we may need to transfer all elements to maintain order)
- Pop: O(1) (removing the front element of the queue)
- Top: O(1) (accessing the front element of the queue)
- Empty: O(1)
Space Complexity: O(n) (for storing elements in the two queues)
Solution
To implement a stack using two queues, we can use the following approach:
- Use two queues:
queue1
for storing elements andqueue2
for assisting in maintaining the stack order. - When pushing an element:
- Add the element to
queue1
. - Transfer all elements from
queue1
toqueue2
, so that the newly added element is at the front ofqueue2
. - Swap the names of
queue1
andqueue2
to keepqueue1
as the main storage.
- Add the element to
- For popping an element:
- Simply dequeue from
queue1
.
- Simply dequeue from
- For accessing the top element:
- Return the front element of
queue1
.
- Return the front element of
- To check if the stack is empty:
- Check if
queue1
is empty.
- Check if