-
Notifications
You must be signed in to change notification settings - Fork 2
Expand file tree
/
Copy pathoffer09.java
More file actions
50 lines (44 loc) · 1.4 KB
/
offer09.java
File metadata and controls
50 lines (44 loc) · 1.4 KB
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
48
49
50
import java.util.ArrayDeque;
import java.util.Deque;
/**
* [09] 用两个栈实现队列
*
* 题目: 用两个栈来实现一个队列.
*
* 思路: 使用两个辅助栈, 一个输入栈IN和一个输出栈OUT. 输入时总是压入栈IN, 输出时将栈IN中的元素全部弹出并压入栈OUT后再从OUT栈中弹出,
* 这样出栈顺序就和最开始入栈顺序是相同的, 即先进入的元素先退出, 这就是队列的顺序.
*/
class CQueue {
private Deque<Integer> in;
private Deque<Integer> out;
public CQueue() {
in = new ArrayDeque<>();
out = new ArrayDeque<>();
}
public void appendTail(int value) {
// node always push into stack IN.
in.push(value);
}
public int deleteHead() {
if (out.isEmpty()) {
if (in.isEmpty()) {
// when queue is empty, return -1.
return -1;
} else {
// when stack IN is empty but stack OUT have elements,
// push all stack OUT's element into stack IN.
while (!in.isEmpty()) {
out.push(in.pop());
}
}
}
// pop operate always use to stack OUT.
return out.pop();
}
}
/**
* Your CQueue object will be instantiated and called as such:
* CQueue obj = new CQueue();
* obj.appendTail(value);
* int param_2 = obj.deleteHead();
*/