Problem Description
Implement a first in first out (FIFO) queue using only two stacks. The implemented queue should support all the functions of a normal queue (push, peek, pop, and empty).
Key Insights
- Use two stacks to simulate the behavior of a queue.
- The first stack is used for pushing new elements.
- The second stack is used for popping elements and providing access to the front of the queue.
- When popping or peeking from the queue, if the second stack is empty, transfer all elements from the first stack to the second stack.
Space and Time Complexity
Time Complexity:
- Amortized O(1) for push, pop, and peek operations due to the transfer of elements being infrequent over a series of operations.
Space Complexity:
- O(n) where n is the number of elements in the queue, as all elements need to be stored in the two stacks.
Solution
We will use two stacks to implement the queue. The main operations of a queue (push, pop, peek, and empty) will be handled by these two stacks.
- Push: Always push the new element onto the first stack.
- Pop: To remove an element, check if the second stack is empty. If it is, pop all elements from the first stack and push them onto the second stack (reversing their order) before popping from the second stack.
- Peek: Similar to pop, if the second stack is empty, transfer elements from the first stack to the second stack before returning the top element of the second stack.
- Empty: The queue is empty if both stacks are empty.