编程语言
首页 > 编程语言> > JAVA Leetcode225. 用队列实现栈

JAVA Leetcode225. 用队列实现栈

作者:互联网

225. 用队列实现栈

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/implement-stack-using-queues
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

题目

请你仅使用两个队列实现一个后入先出(LIFO)的栈,并支持普通栈的全部四种操作(push、top、pop 和 empty)。

实现 MyStack 类:

注意:

示例:

输入:
["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 {

    public MyStack() {

    }
    
    public void push(int x) {

    }
    
    public int pop() {

    }
    
    public int top() {

    }
    
    public boolean empty() {

    }
}

/**
 * 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();
 */

题解

大体思路,就是写入的时候写进另外一个队列,然后再把原来队列的值依次取出写入,实现每次往队列头写入的效果。

q1 [1,2,3]  q2 []  

push 4  
q1 [1,2,3]  q2 [4]  
q1 []  q2 [4,1,2,3]  
q2 [4,1,2,3]  q1 []

代码如下:

class MyStack {

    private Queue<Integer> q1 = new LinkedList<>();
    private Queue<Integer> q2 = new LinkedList<>();

    public MyStack() {

    }

    public void push(int x) {
        q2.offer(x);

        while (!q1.isEmpty()) {
            q2.offer(q1.poll());
        }
        Queue temp = q1;
        q1 = q2;
        q2 = temp;
    }

    public int pop() {
        return q1.poll();
    }

    public int top() {
        return q1.peek();
    }

    public boolean empty() {
        return q1.isEmpty();
    }
}

标签:q1,Leetcode225,JAVA,队列,pop,int,push,MyStack,public
来源: https://blog.csdn.net/qq1620657419/article/details/122671716