232. 用栈实现队列
class MyQueue {
private:
stack<int> inStack, outStack;
void in2out() {
while(!inStack.empty()) {
outStack.push(inStack.top());
inStack.pop();
}
}
public:
MyQueue() {
}
void push(int x) {
inStack.push(x);
}
int pop() {
if (outStack.empty()) {
in2out();
}
int x = outStack.top();
outStack.pop();
return x;
}
int peek() {
if (outStack.empty()) {
in2out();
}
return outStack.top();
}
bool empty() {
return inStack.empty() && outStack.empty();
}
};
关键点:
1.两个栈inStack、outStack。inStack 接收元素入队,outStack出队。
2.函数in2out() 是把inStack的元素往outStack挪。出队、取队头元素,先判断outStack是否为空,空的话执行in2out(), 然后执行出队、取对头元素逻辑
3.判断队列是否为空,需要判断inStack和outStack同时为空才成立。
225. 用队列实现栈
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();
}
};
关键点:
1、两个队列也能实现。不过一个队列实现简单一点
2、难点在pop函数。搞懂pop函数就可以
3、que有size() 、front()、back()、pop() 函数