【Day10】栈和队列、232用栈实现队列、225用队列实现栈

【Day10】栈和队列、232用栈实现队列、225用队列实现栈

栈和队列

栈 先进后出
队列 先进先出

232用栈实现队列

题目链接:232
用栈来模仿队列的出入,队列是先进先出,可采用两个栈,一个入栈,一个出栈,入栈的顺利和队列进入的顺序一致,由于队列是先进先出而栈是先进后出,就需要另外一个出栈的栈,让入栈的元素先进来,再出栈,顺序就是出队列的顺序了。

在push数据的时候,只要数据放进输入栈就好,但在pop的时候,操作就复杂一些,输出栈如果为空,就把进栈数据全部导入进来(注意是全部导入),再从出栈弹出数据,如果输出栈不为空,则直接从出栈弹出数据就可以了。

class MyQueue {
    
    
public:
    stack<int> stIn;
    stack<int> stOut;
    /** Initialize your data structure here. */
    MyQueue() {
    
    

    }
    /** Push element x to the back of queue. */
    void push(int x) {
    
    
        stIn.push(x);  //入栈
    }

    /** Removes the element from in front of queue and returns that element. */
    int pop() {
    
    
        // 只有当stOut为空的时候,再从stIn里导入数据(导入stIn全部数据)
        if (stOut.empty()) {
    
    
            // 从stIn导入数据直到stIn为空
            while(!stIn.empty()) {
    
    
                stOut.push(stIn.top());
                stIn.pop();
            }
        }
        int result = stOut.top();
        stOut.pop();
        return result;
    }

    /** Get the front element. */
    int peek() {
    
    
        int res = this->pop(); // 直接使用已有的pop函数
        stOut.push(res); // 因为pop函数弹出了元素res,所以再添加回去
        return res;
    }

    /** Returns whether the queue is empty. */
    bool empty() {
    
    
        return stIn.empty() && stOut.empty();
    }
};

225用队列实现栈

题目链接: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();
    }
};

猜你喜欢

转载自blog.csdn.net/weixin_45768644/article/details/128741057