【问题描述】[简单]
用两个栈实现一个队列。队列的声明如下,请实现它的两个函数 appendTail 和 deleteHead ,分别完成在队列尾部插入整数和在队列头部删除整数的功能。(若队列中没有元素,deleteHead 操作返回 -1 )示例 1:输入:
["CQueue","appendTail","deleteHead","deleteHead"]
[[],[3],[],[]]
输出:[null,null,3,-1]
【解答思路】
一个栈添加元素 一个栈逆转数组
时间复杂度:O(N^2) 空间复杂度:O(1)
class CQueue {
LinkedList<Integer> A, B;public CQueue() {A = new LinkedList<Integer>();B = new LinkedList<Integer>();}public void appendTail(int value) {A.offer(value);}public int deleteHead() {if(!B.isEmpty()){return B.poll();}if(A.isEmpty()){return -1;}while(!A.isEmpty()){B.add(A.poll());}return B.poll();}
}
【总结】
1.栈使用LinkedList,不使用Stack(Stack继承Vector,本质数组,效率低)
参考文章https://mp.weixin.qq.com/s/Ba8jrULf8NJbENK6WGrVWg
2.LinkedList 基本使用
添加
删除
获取
队列 offer/add poll/remove peek
栈 offer/push poll/pop peek
总结
3.两个栈可以有很多扩展
题目动画详解参考链接:https://leetcode-cn.com/problems/yong-liang-ge-zhan-shi-xian-dui-lie-lcof/solution/mian-shi-ti-09-yong-liang-ge-zhan-shi-xian-dui-l-2/
LinkedList参考链接:https://www.cnblogs.com/yijinqincai/p/10964188.html