当前位置 : 首页 » 文章分类 :  算法  »  LeetCode.剑指offer.009.用两个栈实现队列

LeetCode.剑指offer.009.用两个栈实现队列

题目描述

《剑指offer》面试题09 用两个栈实现队列
https://leetcode-cn.com/problems/yong-liang-ge-zhan-shi-xian-dui-lie-lcof/

用两个栈实现一个队列。队列的声明如下,请实现它的两个函数 appendTail 和 deleteHead ,分别完成在队列尾部插入整数和在队列头部删除整数的功能。(若队列中没有元素,deleteHead 操作返回 -1 )

示例 1:

输入:
["CQueue","appendTail","deleteHead","deleteHead"]
[[],[3],[],[]]
输出:[null,null,3,-1]

示例 2:

输入:
["CQueue","deleteHead","appendTail","appendTail","deleteHead","deleteHead"]
[[],[],[5],[2],[],[]]
输出:[null,-1,null,null,5,2]

提示:
1 <= values <= 10000
最多会对 appendTail、deleteHead 进行 10000 次调用


相似题目

LeetCode.剑指offer.009.用两个栈实现队列
LeetCode.232.Implement Queue using Stacks 用栈实现队列
LeetCode.225.Implement Stack using Queues 用队列实现栈


解题过程

LeetCode 上第二次做这个题,一步到位就是最优方法。

两个栈 s1 和 s2,s1 只用于入队,s2 只用于出队。
入队时,将元素压入 s1
出队时,判断 s2 是否为空,如不为空,则直接弹出顶元素;如为空,则将 s1 的元素逐个”倒入” s2,把最后一个元素弹出并出队。
这个思路,避免了反复“倒”栈,仅在需要时才“倒”一次。
此方法 EnQueue 时间复杂度 O(1),DeQueue 也可以达到 O(1) 的摊还复杂度,非常好。

private static class CQueue {
    private Deque<Integer> stack1;
    private Deque<Integer> stack2;

    public CQueue() {
        stack1 = new LinkedList<>();
        stack2 = new LinkedList<>();
    }

    public void appendTail(int value) {
        stack1.push(value);
    }

    public int deleteHead() {
        if (stack1.isEmpty() && stack2.isEmpty()) {
            return -1;
        }
        if (!stack2.isEmpty()) {
            return stack2.pop();
        }
        while (!stack1.isEmpty()) {
            stack2.push(stack1.pop());
        }
        return stack2.pop();
    }
}

GitHub代码

algorithms/leetcode/offer/_009_ImplementsQueueUsingStacks.java
https://github.com/masikkk/algorithms/blob/master/leetcode/offer/_009_ImplementsQueueUsingStacks.java


上一篇 LeetCode.378.Kth Smallest Element in a Sorted Matrix 有序矩阵中第K小的元素

下一篇 Gogs

阅读
评论
446
阅读预计2分钟
创建日期 2020-06-30
修改日期 2020-06-30
类别

页面信息

location:
protocol:
host:
hostname:
origin:
pathname:
href:
document:
referrer:
navigator:
platform:
userAgent:

评论