请你仅使用两个队列实现一个后入先出(LIFO)的栈,并支持普通栈的全部四种操作(push、top、pop 和 empty)。
实现 MyStack 类:
void push(int x) 将元素 x 压入栈顶。
int pop() 移除并返回栈顶元素。
int top() 返回栈顶元素。
boolean empty() 如果栈是空的,返回 true ;否则,返回 false 。
注意:
输入
[“MyStack”, “push”, “push”, “top”, “pop”, “empty”]
[[], [1], [2], [], [], []]输出
[null, null, null, 2, 2, false]
解释
MyStack myStack = new MyStack();
myStack.push(1);
myStack.push(2);
myStack.top(); // 返回 2
myStack.pop(); // 返回 2
myStack.empty(); // 返回 False
三种思路:
class MyStack {
private:
queue<int> q1,q2;
public:
MyStack() {
}
void push(int x) {
q2.push(x);
int sz=q1.size();
for(int i=0;i<sz;i++)
{
q2.push(q1.front());
q1.pop();
}
q1.swap(q2);
}
int pop() {
int ret=q1.front();
q1.pop();
return ret;
}
int top() {
return q1.front();
}
bool empty() {
return q1.empty();
}
};
class MyStack {
private:
queue<int> q1,q2;
public:
MyStack() {
}
void push(int x) {
q1.push(x);
}
//出栈进行元素搬移,仅保留一个要出栈的元素
int pop() {
int sz=q1.size()-1;
for(int i=0;i<sz;i++)
{
q2.push(q1.front());
q1.pop();
}
int ret=q1.front();
q1.pop();
q1.swap(q2);
return ret;
}
int top() {
return q1.back();
}
bool empty() {
return q1.empty();
}
};
class MyStack {
private:
queue<int> q ;
public:
MyStack() {
}
void push(int x) {
int sz=q.size();
q.push(x);
for(int i=0;i<sz;i++)
{
q.push(q.front());
q.pop();
}
}
int pop() {
int ret=q.front();
q.pop();
return ret;
}
int top() {
return q.front();
}
bool empty() {
return q.empty();
}
};