#yyds干货盘点#剑指 Offer 09. 用两个栈实现队列

网友投稿 258 2022-11-22

#yyds干货盘点#剑指 Offer 09. 用两个栈实现队列

题目

示例 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 次调用

我的答案

class CQueue { Stack stk1,stk2; int size; public CQueue() { //初始化 stk1 = new Stack(); stk2 = new Stack(); size =0; } public void appendTail(int value) { //插入前先将栈1的全部移到栈2里面 while(!stk1.isEmpty()){ stk2.push(stk1.pop()); } //插入元素放入到栈1 stk1.push(value); //将插入的元素再从栈2移回去栈1 while(!stk2.isEmpty()){ stk1.push(stk2.pop()); } size ++; } public int deleteHead() { //直接弹出栈1 if(size==0) return -1; int res = stk1.pop(); size --; return res; } } /** * Your CQueue object will be instantiated and called as such: * CQueue obj = new CQueue(); * obj.appendTail(value); * int param_2 = obj.deleteHead(); */

  • 补充栈相关
    Modifier and Type Method and Description
    boolean empty() Tests if this stack is empty.
    E peek() Looks at the object at the top of this stack without removing it from the stack.
    E pop() Removes the object at the top of this stack and returns that object as the value of this function.
    E push(E item) Pushes an item onto the top of this stack.
    int search(Object o) Returns the 1-based position where an object is on this stack.
    Modifier and Type Method and Description
    boolean empty() 测试此堆栈是否为空。
    E peek() 查看此堆栈顶部的对象,而不从堆栈中删除它。
    E pop() 删除此堆栈顶部的对象,并将该对象作为此函数的值返回。
    E push(E item) 将项目推送到此堆栈的顶部。
    int search(Object o) 返回一个对象在此堆栈上的基于1的位置。

精彩答案

使用java的同学请注意,如果你使用Stack的方式来做这道题,会造成速度较慢; 原因的话是Stack继承了Vector接口,而Vector底层是一个Object[]数组,那么就要考虑空间扩容和移位的问题了。 可以使用LinkedList来做Stack的容器,因为LinkedList实现了Deque接口,所以Stack能做的事LinkedList都能做,其本身结构是个双向链表,扩容消耗少。 但是我的意思不是像100%代码那样直接使用一个LinkedList当做队列,那确实是快,但是不符题意。 贴上代码,这样的优化之后,效率提高了40%,超过97%。

class CQueue { LinkedList stack1; LinkedList stack2; public CQueue() { stack1 = new LinkedList<>(); stack2 = new LinkedList<>(); } public void appendTail(int value) { stack1.add(value); } public int deleteHead() { if (stack2.isEmpty()) { if (stack1.isEmpty()) return -1; while (!stack1.isEmpty()) { stack2.add(stack1.pop()); } return stack2.pop(); } else return stack2.pop(); } }

版权声明:本文内容由网络用户投稿,版权归原作者所有,本站不拥有其著作权,亦不承担相应法律责任。如果您发现本站中有涉嫌抄袭或描述失实的内容,请联系我们jiasou666@gmail.com 处理,核实后本网站将在24小时内删除侵权内容。

上一篇:大数据学习路线(建议收藏)
下一篇:Java 实战项目之精美物流管理系统的实现流程
相关文章

 发表评论

暂时没有评论,来抢沙发吧~