题目描述
定义栈的数据结构,请在该类型中实现一个能够得到栈中所含最小元素的min函数(时间复杂度应为O(1))。
注意:保证测试中不会当栈为空的时候,对栈调用pop()或者min()或者top()方法。
题目分析
使用两个栈,第一个栈存放数据,第二个栈存放对应的最小值。每次添加或删除数据时,都要维护mins
// 上面是栈顶,下面是栈底
s mins
4 4
33 5
5 5
10 10
C++
class Solution
{
public:
void push(int value)
{
s.push(value);
if (mins.empty())
mins.push(value);
else
mins.push(std::min(mins.top(), value));
}
void pop()
{
s.pop();
mins.pop();
}
int top()
{
return s.top();
}
int min()
{
return mins.top();
}
private:
std::stack<int> s;
std::stack<int> mins; //记录对应的最小值
};
Java
import java.util.Stack;
public class Solution {
private Stack<Integer> s = new Stack<>();
private Stack<Integer> mins = new Stack<>(); //记录对应的最小值
public void push(int node) {
s.push(node);
if (mins.empty())
mins.push(node);
else
mins.push(Math.min(mins.peek(), node));
}
public void pop() {
s.pop();
mins.pop();
}
public int top() {
return s.peek();
}
public int min() {
return mins.peek();
}
}