其他分享
首页 > 其他分享> > [栈 队列]力扣 232. 用栈实现队列

[栈 队列]力扣 232. 用栈实现队列

作者:互联网

232. 用栈实现队列

请你仅使用两个栈实现先入先出队列。队列应当支持一般队列支持的所有操作(pushpoppeekempty):

实现 MyQueue 类:

说明:

示例 1:

输入:
["MyQueue", "push", "push", "peek", "pop", "empty"]
[[], [1], [2], [], [], []]
输出:
[null, null, null, 1, 1, false]

解释:
MyQueue myQueue = new MyQueue();
myQueue.push(1); // queue is: [1]
myQueue.push(2); // queue is: [1, 2] (leftmost is front of the queue)
myQueue.peek(); // return 1
myQueue.pop(); // return 1, queue is [2]
myQueue.empty(); // return false

提示:

题解

因为栈是先进后出,所以要想实现队列的先进先出,只用一个栈记录并不够,使用第二个栈来倒转记录,并实现队列的pop队首元素

两个栈:in 实现入队列操作,out实现出队列。

因为栈不能pop最队首元素,需要pop的时候。如果out为空,就把in的元素依次出栈并在out中压栈。

如:如队列顺序为[3,2,1]  则  in:[1,2,3],out=[]=>in:[],out=[3,2,1]

如果不为空,out自行出栈,而后面入队列的元素进入in,也不会妨碍到整个入队列元素的顺序和其出队列的操作。

代码

class MyQueue {
private:
stack<int> in,out;//in是实现入队列,out实现出队列
//把in元素倒转给Out,这样out的pop就可以得到原顺序的队列的front
void inVerseToOut(){
    while(!in.empty()){
        out.push(in.top());
        in.pop();
    }
}
public:
    MyQueue() {

    }
    
    void push(int x) {
        in.push(x);
    }
    
    int pop() {
        //实现出队列的栈为空则填充
        if(out.empty()){
            inVerseToOut();
        }
        int t=out.top();
        out.pop();
        return t;
    }
    
    int peek() {
        if(out.empty()){
            inVerseToOut();        
        }
        int t=out.top();
        return t;
    }
    
    bool empty() {
        //同时判断两个栈
        return out.empty()&&in.empty();
    }
};

/**
 * Your MyQueue object will be instantiated and called as such:
 * MyQueue* obj = new MyQueue();
 * obj->push(x);
 * int param_2 = obj->pop();
 * int param_3 = obj->peek();
 * bool param_4 = obj->empty();
 */

 

标签:队列,pop,力扣,int,用栈,push,empty,out
来源: https://www.cnblogs.com/fudanxi/p/16324792.html