【编程题】 用两个栈实现队列 【剑指系列】
用两个栈来实现一个队列,完成队列的Push和Pop操作。 队列中的元素为int类型。
【考查知识】:1 对队列和栈的理解
【参考代码】
/**
* Created with IDEA
* author:mayday
* Date:2019/3/14
* Time:21:59
* <p>
* 用两个栈来实现一个队列,完成队列的Push和Pop操作。 队列中的元素为int类型。
*/
public class Solution {
public static void main(String[] args) {
Solution solution = new Solution();
solution.pushArray(1, 2, 3, 4, 5);
System.out.println(1 == solution.pop());
System.out.println(2 == solution.pop());
System.out.println(3 == solution.pop());
System.out.println(4 == solution.pop());
System.out.println(5 == solution.pop());
}
public void pushArray(int... arg1) {
for (int i = 0; i < arg1.length; i++) {
push(arg1[i]);
}
}
// 队列性质:先进先出
// 用另一个栈作为倒换工具
Stack<Integer> stack1 = new Stack<Integer>();
Stack<Integer> stack2 = new Stack<Integer>();
public void push(int node) {
stack1.push(node);
}
public int pop() {
if (stack1.isEmpty()) {
return -1;
}
// 将栈2保存栈1出栈的数值,这样栈2的出栈数值就为当前队列的队首
while (!stack1.isEmpty()) {
stack2.push(stack1.pop());
}
int result = stack2.pop();
// 由于出栈后,stack1已经为空,因此需要再全部出栈statck2的内容到stack1,恢复原有队列信息
while (!stack2.isEmpty()) {
stack1.push(stack2.pop());
}
return result;
}
}
网友评论