Problem Description
Design a stack that supports push, pop, top, and retrieving the minimum element in constant time.
Key Insights
- The stack must support four main operations: push, pop, top, and getMin.
- Each operation must be performed in O(1) time complexity.
- To efficiently track the minimum element, we can use an auxiliary stack.
Space and Time Complexity
Time Complexity: O(1) for all operations (push, pop, top, getMin)
Space Complexity: O(n) where n is the number of elements in the stack (due to the auxiliary stack for tracking minimums).
Solution
We will implement a MinStack
class that uses two stacks: one for storing the actual stack elements and another for storing the minimum elements. The minimum stack will only store elements when they are less than or equal to the current minimum. This allows us to retrieve the minimum element in constant time by simply looking at the top of the minimum stack.
-
Data Structures: Use two stacks:
stack
: to store the actual elements.minStack
: to store the minimum elements.
-
Algorithm:
push(val)
: Push the value onto thestack
. IfminStack
is empty orval
is less than or equal to the top ofminStack
, pushval
ontominStack
.pop()
: Pop the top value fromstack
. If the popped value is equal to the top ofminStack
, pop fromminStack
as well.top()
: Return the top value fromstack
.getMin()
: Return the top value fromminStack
, which is the minimum element.