-
Notifications
You must be signed in to change notification settings - Fork 17
/
StackWithMinSupportO1.java
47 lines (39 loc) · 1.38 KB
/
StackWithMinSupportO1.java
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
34
35
36
37
38
39
40
41
42
43
44
45
46
47
package by.andd3dfx.collections;
import java.util.ArrayDeque;
import java.util.Deque;
/**
* <pre>
* Напишите стек, который поддерживает следующие операции:
* - push(x) – кладет элемент в стек
* - pop() – берет элемент из стека
* - getMin() – возвращает значение минимального элемента в стеке
* Методы pop() и getMin() вызываются всегда для непустого стека.
*
* push() and getMin() should have O(1) complexity.
* </pre>
*
* @see <a href="https://youtu.be/-Y-_0R8tfyk">Video solution</a>
*/
public class StackWithMinSupportO1 {
private Deque<Integer> stack = new ArrayDeque<>();
private Deque<Integer> minHistoryStack = new ArrayDeque<>();
public void push(int element) {
stack.push(element);
if (minHistoryStack.isEmpty() || element <= minHistoryStack.peek()) {
minHistoryStack.push(element);
}
}
public int pop() {
Integer result = stack.pop();
if (minHistoryStack.peek() == result) {
minHistoryStack.pop();
}
return result;
}
public int getMin() {
return minHistoryStack.peek();
}
public boolean isEmpty() {
return stack.isEmpty();
}
}