1. [Leetcode 232] 用栈实现队列 (剑指OFFER面试题 9)
- 解法:一个栈(push栈)用于接收push,一个栈(pop栈)用于top(peek)和pop
- 当pop栈为空,且push栈不为空时,将push栈的元素转移到pop栈中
- 当pop栈不为空时,将pop栈的数据pop出去
- push操作只在push栈进行
- 注意:
- leetcode上可以不进行异常处理,能a过,但是面试时候最好还是加上空栈的异常处理。
- 泛型支持。
- 线程安全。
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
44class MyQueue {
private:
stack<int> spush;
stack<int> spop;
public:
/** Initialize your data structure here. */
MyQueue() {
}
/** Push element x to the back of queue. */
void push(int x) {
spush.push(x);
}
/** Removes the element from in front of queue and returns that element. */
int pop() {
if (spop.empty()){
while (!spush.empty()) {
spop.push(spush.top());
spush.pop();
}
}
int res = spop.top();
spop.pop();
return res;
}
/** Get the front element. */
int peek() {
if (spop.empty()){
while (!spush.empty()) {
spop.push(spush.top());
spush.pop();
}
}
return spop.top();
}
/** Returns whether the queue is empty. */
bool empty() {
return spush.empty()&&spop.empty();
}
};
2.[Leetcode 155] 最小栈 (剑指Offer面试题30)
解法:双栈实现,一个栈用于正常的入栈出栈,一个栈用于记录最小值
代码:
1 | class MinStack { |
3. [Leetcode 946] 验证栈序列 (剑指Offer面试题31)
- 解法:双栈模拟,或者通过判断输入栈栈顶元素是否与验证栈当前指针所指元素相等。
- 代码:
1 | class Solution { |