225. 用队列实现栈&&232. 用栈实现队列

leetcode-225. 用队列实现栈

用队列实现栈,就要在出队的时候,把所有元素全部出队,前n-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
25
26
27
28
29
30
31
32
33
34
class MyStack {
public:
queue<int> que;
/** Initialize your data structure here. */
MyStack() {

}
/** Push element x onto stack. */
void push(int x) {
que.push(x);
}
/** Removes the element on top of the stack and returns that element. */
int pop() {
int size = que.size();
size--;
while (size--) { // 将队列头部的元素(除了最后一个元素外) 重新添加到队列尾部
que.push(que.front());
que.pop();
}
int result = que.front(); // 此时弹出的元素顺序就是栈的顺序了
que.pop();
return result;
}

/** Get the top element. */
int top() {
return que.back();
}

/** Returns whether the stack is empty. */
bool empty() {
return que.empty();
}
};

leetcode-232. 用栈实现队列

用栈实现队列,则需要两个栈,一个输入栈,一个输出栈,出栈的时候,如果输出栈为空,就从把输入栈全部出栈并且入输出栈。

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
class MyQueue {
public:
stack<int> stIn;
stack<int> stOut;
MyQueue() {

}

void push(int x) {
stIn.push(x);
}

int pop() {
if(stOut.empty())
{
while (!stIn.empty())
{
stOut.push(stIn.top());
stIn.pop();
}
}
int result = stOut.top();
stOut.pop();
return result;
}

int peek() {
int res = this->pop();
stOut.push(res);
return res;
}

bool empty() {
return stIn.empty() && stOut.empty();
}
};