题目
剑指offer09:用两个栈实现队列
用两个栈实现一个队列。队列的声明如下,请实现它的两个函数 appendTail 和 deleteHead ,分别完成在队列尾部插入整数和在队列头部删除整数的功能。(若队列中没有元素,deleteHead 操作返回 -1 )
示例1:
1 2 3 4
| 输入: ["CQueue","appendTail","deleteHead","deleteHead"] [[],[3],[],[]] 输出:[null,null,3,-1]
|
示例2:
1 2 3 4
| 输入: ["CQueue","deleteHead","appendTail","appendTail","deleteHead","deleteHead"] [[],[],[5],[2],[],[]] 输出:[null,-1,null,null,5,2]
|
代码
方案1:暴力破解
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36
| class CQueue { private Stack<Integer> stack1; private Stack<Integer> stack2; public CQueue() { stack1 = new Stack<>(); stack2 = new Stack<>();
} public void appendTail(int value) { while(!stack2.isEmpty()) { stack1.push(stack2.pop()); } stack1.push(value);
} public int deleteHead() { while(!stack1.isEmpty()) { stack2.push(stack1.pop()); } if(stack2.isEmpty()) { return -1; } return stack2.pop();
} }
|
方案2:算法优化
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34
| class CQueue { private Stack<Integer> stack1; private Stack<Integer> stack2;
public CQueue() { stack1 = new Stack<>(); stack2 = new Stack<>();
} public void appendTail(int value) { stack1.push(value);
} public int deleteHead() { if(stack2.isEmpty()) { while(!stack1.isEmpty()) { stack2.push(stack1.pop()); } } if(stack2.isEmpty()) { return -1; }else { return stack2.pop(); } } }
|
随笔
java中创建栈
1
| Stack<Integer> stack = new Stack<>();
|
两个算法的时间复杂度
方案1:
入队时间复杂度为O(n)
出队时间复杂度为O(n)
方案2:
入队时间复杂度为O(1)
出队时间复杂度为O(n)