【代码随想录训练营】Day10-栈与队列

代码随想录 Day10

今日任务

理论基础
232.用栈实现队列
225.用队列实现栈

理论基础

  1. C++中
    三种STL版本:HP / P.J. Plauger / SGI STL,gcc采用的是SGI STL
    栈和队列默认用缺省的 deque 实现,我们也可以指定用 vector 或 list 实现;所以STL往往不被归类为容器,而是容器适配器。
  2. Java中
    参考:https://blog.csdn.net/qq_57735833/article/details/126068386
    栈继承了 Vector;
    Queue 则是一个接口,需要实例化接口对象来实现队列的具体功能。

232. 用栈实现队列

链接:https://leetcode.cn/problems/implement-queue-using-stacks/
思路:利用两个栈
① push的时候向inQueue加入元素。
② pop的时候需要特别处理,如果outQueue中有元素,说明在此之前已经将inQueue中元素按照相反的顺序放入了outQueue,此时直接pop出outQueue的元素即可,时间复杂度O(1);如果outQueue中没有元素,说明需要将inQueue中元素先全部push进outQueue,时间复杂度O(n)。

class MyQueue {
    // 摊还复杂度
    private int front;
    Stack<Integer> inQueue;
    Stack<Integer> outQueue;
    public MyQueue() {
        inQueue = new Stack<Integer>();
        outQueue = new Stack<Integer>();
    }
    
    public void push(int x) {
        if(inQueue.isEmpty() && outQueue.isEmpty()){
            front = x;
        }
        inQueue.push(x);
    }
    
    public int pop() {
        if(outQueue.isEmpty()){
            while(!inQueue.isEmpty()){
                outQueue.push(inQueue.pop());
            }
        }
        int retValue = outQueue.pop();
        if(!outQueue.isEmpty()){
            front = outQueue.pop();
            outQueue.push(front);
        }
        return retValue;
    }
    
    public int peek() {
        int retValue = this.pop();
        outQueue.push(retValue);
        return retValue;
    }
    
    public boolean empty() {
        return inQueue.isEmpty() && outQueue.isEmpty();
    }
}

/**
 * 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();
 * boolean param_4 = obj.empty();
 */

225. 用队列实现栈

链接:https://leetcode.cn/problems/implement-stack-using-queues/
思路:利用两个队列
队列FIFO,栈LIFO
让队列第一个进的元素最后一个出
==> 让队列第一个进的元素转为队列最后一个进的,队列最后进的元素转为队列第一个进的
==> 每次有新元素加入,先将新元素放入queue2(最后一个进的元素转为第一个进的),再将queue1的元素放入queue2(先进的元素转为后进的),最后将queue2的元素全部放入queue1

class MyStack {
    Queue<Integer> queue1;
    Queue<Integer> queue2;
    public MyStack() {
        queue1 = new LinkedList<Integer>();
        queue2 = new LinkedList<Integer>();
    }
    
    public void push(int x) {
        queue2.offer(x);
        while(!queue1.isEmpty()){
            queue2.offer(queue1.poll());
        }
        Queue<Integer> temp = queue1;
        queue1 = queue2;
        queue2 = temp;
    }
    
    public int pop() {
        return queue1.poll();
    }
    
    public int top() {
        return queue1.peek();
    }
    
    public boolean empty() {
        return queue1.isEmpty();
    }
}

/**
 * Your MyStack object will be instantiated and called as such:
 * MyStack obj = new MyStack();
 * obj.push(x);
 * int param_2 = obj.pop();
 * int param_3 = obj.top();
 * boolean param_4 = obj.empty();
 */

你可能感兴趣的:(代码随想录训练营,leetcode,算法,数据结构)