【剑指Offer】包含min函数的栈

题目

定义栈的数据结构,请在该类型中实现一个能够得到栈的最小元素的min函数。在该栈中,调用min、push及pop的时间复杂度都是O(1)。

实现

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
Stack<Integer> data = new Stack<>();
Stack<Integer> min = new Stack<>();

public void push(int node) {
data.push(node);

if (min.size() == 0 || node < min.peek())
min.push(node);
else
min.push(min.peek());
}

public void pop() {
data.pop();
min.pop();
}

public int top() {
return data.peek();
}

public int min() {
return min.peek();
}