题目描述
用两个栈来实现一个队列,完成队列的Push和Pop操作。 队列中的元素为int类型。
基本思想
队列的特点是先进先出
- stack1用来一直添加数据,在需要pop时,将其全部转移至stack2中,此时已经将顺序调转过来了.
- 在pop之后如果有push,还是保存到stack1中,在stack2 pop 为空后,再将其转移到stack2中.
public class Solution {
Stack<Integer> stack1 = new Stack<Integer>();
Stack<Integer> stack2 = new Stack<Integer>();
public void push(int node) {
stack1.push(node);
}
public int pop() {
if (stack2.isEmpty() == true) {
while (stack1.isEmpty() != true) {
stack2.push(stack1.pop());
}
}
return stack2.pop();
}
}