# 155-最小栈

# 题目描述

设计一个支持 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.
1
2
3
4
5
6
7
8
9
10

# 思路

使用两个栈 s1, s2,s1 正常的入栈出栈,s2存放s1中所有节点的最小值。

  1. 入栈

    • 待入栈的值 x 不是最小值,s1 正常入栈,s2不操作
    • 待入栈的值 x 小于等于 s2 栈顶的值,说明有新的最小值,s1 正常入栈, 同时把 x 入到 s2 栈中,始终保持 s2 栈顶元素是最小值。
  2. 出栈

    • 出栈的值不是最小值,s1 正常出栈,s2 不操作
    • 出栈的值是最小值,s1 正常出栈,最小值要更新,所以 s2 也出栈
  3. 获取最小值

    直接就是 s2 的栈顶元素。

#include<iostream>
#include<stack>
#include<string>
using namespace std;
class MinStack {
public:
	stack<int> s1, s2;
    MinStack() {
    }
    
    void push(int x) {
		s1.push(x);
		if(s2.empty() || x <= s2.top())
		{
			s2.push(x);
		}
    }
    
    void pop() {
        if(s1.top() == s2.top())
			s2.pop();
		s1.pop();
    }
    
    int top() {
        return s1.top();
    }
    
    int getMin() {
        return s2.top();
    }
};

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33