设计一个支持 push,pop,top 操作,并能在常数时间内检索到最小元素的栈。
push(x) – 将元素 x 推入栈中。
pop() – 删除栈顶的元素。
top() – 获取栈顶元素。
getMin() – 检索栈中的最小元素。
示例:
MinStack minStack = new MinStack();
minStack.push(-2);
minStack.push(0);
minStack.push(-3);
minStack.getMin(); --> 返回 -3.
minStack.pop();
minStack.top(); --> 返回 0.
minStack.getMin(); --> 返回 -2.
思路
- 用一个辅助栈(最小栈)来存储可能成为当前栈最小值的元素。
- 最小栈栈顶元素为当前最小值。O(1)时间得到。
- push时,如果最小栈为空或当前入栈元素小于等于最小栈栈顶元素,则最小栈也入栈该元素。
- pop时,如果弹出元素与最小栈栈顶元素相同,则最小栈也pop
代码
class MinStack {
stack<int> s1; // 完整的栈
stack<int> s2; // 可能的最小值
public:
/** initialize your data structure here. */
MinStack() {}
void push(int x) {
if (s2.empty() || x <= s2.top()) // 注意该地方判断条件为<=
s2.push(x); // 否则pop相同元素时出错
s1.push(x);
}
void pop() {
if(!s1.empty()){
int val = s1.top();
s1.pop();
if(val == s2.top())
s2.pop();
}
}
int top() {
return s1.top();
}
int getMin() {
return s2.top();
}
};