题目描述
用两个栈来实现一个队列,完成队列的Push和Pop操作。 队列中的元素为int类型。
/**
* Created by ZengXihong 2019-05-30.
*/
import java.util.Stack;
/**
* 题目描述
* 用两个栈来实现一个队列,完成队列的Push和Pop操作。
* 队列中的元素为int类型。
*/
/**
* 栈 先进后出
* 队列 先进先出
*/
public class Solution5 {
Stack<Integer> stack1 = new Stack<Integer>();
Stack<Integer> stack2 = new Stack<Integer>();
// 将数据都放到stack1 中 ,先进去的在 stack1 栈底
public void push(int node) {
stack1.push(node);
}
// 当要出栈时,先判断 stack2 是否为空,如果为空,则将stack1 中的数据出栈并且入栈 stack2 中
// 这样原本stack1 中的栈底元素就在stack2 的栈顶 ,再stack2 出栈就达到了最先进的数据最先出去,即队列
public int pop() {
if (stack2.isEmpty()) {
while (!stack1.isEmpty()) {
stack2.push(stack1.pop());
}
}
return stack2.pop();
}
}