题目描述
定义栈的数据结构,请在该类型中实现一个能够得到栈中所含最小元素的min函数(时间复杂度应为O(1))。
注意:保证测试中不会当栈为空的时候,对栈调用pop()或者min()或者top()方法。
解题思路
定义两个栈,数据栈和最小值栈。利用最小值栈来存储现有栈的最小值。在入栈和出栈的时候将现有栈和最小值栈进行比较。
入栈时,若新值比最小值栈的栈顶还小,则将该值同时push到最小值栈;出栈时,若现有栈的栈顶和最小值栈栈顶一致,则同时出栈,否则,仅仅现有栈pop;通过这一操作,最小值栈的栈顶将永远是现有栈元素中的最下值。
代码实现
import java.util.Stack;
public class Problem20 {
Stack<Integer> s1 = new Stack<Integer>();
Stack<Integer> s2 = new Stack<Integer>();
public void push(int node) {
s1.push(node);
if(s2.empty())
s2.push(node);
else if(node < s2.peek())
s2.push(node);
}
public void pop() {
if(s1.peek() == s2.peek())
s2.pop();
s1.pop();
}
public int top() {
return s1.peek();
}
public int min() {
return s2.peek();
}
}