思路:
1.两个栈,一个栈正常存放数据,另一个栈在每次存数据时,选择最小的数据存入。即和当前数据和栈顶数据比较,哪个小存哪个。
import java.util.Stack;
public class Solution {
Stack<Integer> stack = new Stack<>();
Stack<Integer> stack2 = new Stack<>();
public void push(int node) {
stack.push(node);
if(stack2.isEmpty()){
stack2.push(node);
}else{
int value = stack2.peek();
if(node > value){
stack2.push(value);
}else{
stack2.push(node);
}
}
}
public void pop() {
stack.pop();
stack2.pop();
}
public int top() {
return stack.peek();
}
public int min() {
return stack2.peek();
}
}