刷题2:用队列实现栈

Posted

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了刷题2:用队列实现栈相关的知识,希望对你有一定的参考价值。

Leetcode : 用队列实现栈
关键:元素入队后,把元素x前的其他元素重新出队,再入队,这样x就在队头了,其他元素采用同样方法入队。

class MyStack {
    Queue<Integer> queue;
    /** Initialize your data structure here. */
    public MyStack() {
        queue = new LinkedList<Integer>();
    }
    
    /** Push element x onto stack. */
    public void push(int x) {
        //获取入队前的元素个数
        int length = queue.size();
        queue.offer(x);
        //将x前的元素重新入队再出队,最终x排在队头
        for (int i = 0;i < length;i++){
            queue.offer(queue.poll());
        }
        
    }
   
    /** Removes the element on top of the stack and returns that element. */
    public int pop() {
        if(empty()){
            return -1;
        }else{
            return queue.poll();
        }
    }

    
    /** Get the top element. */
    public int top() {
        if(empty()){
            return -1;
        }else{
            return queue.peek();
        }
    }
    
    /** Returns whether the stack is empty. */
    public boolean empty() {
        if(queue.isEmpty()){
            return true;
        }else{
            return false;
        }
    }
}

以上是关于刷题2:用队列实现栈的主要内容,如果未能解决你的问题,请参考以下文章

leecode刷题(26)-- 用栈实现队列

面试准备之刷题总结:栈和队列

Leetcode刷题100天—225.用队列实现栈(栈)—day04

Leetcode刷题100天—225.用队列实现栈(栈)—day04

Leetcode刷题Python剑指 Offer 09. 用两个栈实现队列

刷题1:用栈实现队列