232. 用栈实现队列
第一次做的时候不知道怎么开始,没看懂那个默认构造函数要干什么:题目中说了实现那几个函数,这个默认构造函数不用管
详细题解: 有视频和动画
class MyQueue {
public:
stack<int> stIn;
stack<int> stOut;
MyQueue() {
}//这里是个默认构造函数
void push(int x) {
stIn.push(x);
}
int pop() {
//如果stOut为空,一次性将stIn中的元素转移到stOut中
if(stOut.empty())
{
while(!stIn.empty())
{
stOut.push(stIn.top());
stIn.pop();
}
}
int res=stOut.top();
stOut.pop();
return res;
}
int peek() {
int res=this->pop();//为什么不直接res=stOut.top(),因为如果stOut为空,没东西怎么返回
//补充:所有的类方法都将this设置为调用它的对象的地址,这里的pop()函数只是this->pop()的缩写,因此这里还可以写为res=pop()
stOut.push(res);
return res;
}
bool empty() {
return stIn.empty()&&stOut.empty();
}
};
225. 用队列实现栈
第一次做的时候还想用上面的思路,但是错了,这里的第二个队列就是个备份
详细题解:有视频和动画
代码:
class MyStack {
public:
queue<int> que1;
queue<int> que2;
MyStack() {
}
void push(int x) {
que1.push(x);
}
int pop() {
int size=que1.size();
size--;
while(size--)
{
que2.push(que1.front());
que1.pop();
}
int res=que1.front();
que1.pop();
que1=que2;
while(!que2.empty())
{
que2.pop();
}
return res;
}
int top() {
return que1.back();
}
bool empty() {
return que1.empty();
}
};