AcWing 20. 用两个栈实现队列
原题链接
简单
C++ 代码
// 两栈实现一个队列(主栈,临时栈)
// 主栈:用来实现队列的基本操作
// 临时栈:当主栈操作 peek, pop 函数时,临时储存数据,操作完后再将数据拷贝到主栈中
class MyQueue {
public:
stack<int> s, t;
/** Initialize your data structure here. */
MyQueue() {
}
/** Push element x to the back of queue. */
void push(int x) {
s.push(x);
}
/** Removes the element from in front of queue and returns that element. */
int pop() {
int n = s.size() - 1; // 需要转移的个数
while(n--)
{
t.push(s.top());
s.pop();
}
int temp = s.top();
s.pop();
int m = t.size();
while(m--)
{
s.push(t.top());
t.pop();
}
return temp;
}
/** Get the front element. */
int peek() {
int n = s.size() - 1; // 需要转移的个数
while(n--)
{
t.push(s.top());
s.pop();
}
int temp = s.top();
int m = t.size();
while(m--)
{
s.push(t.top());
t.pop();
}
return temp;
}
/** Returns whether the queue is empty. */
bool empty() {
return s.empty();
}
};
/**
* Your MyQueue object will be instantiated and called as such:
* MyQueue obj = MyQueue();
* obj.push(x);
* int param_2 = obj.pop();
* int param_3 = obj.peek();
* bool param_4 = obj.empty();
*/