描述
用两个栈来实现一个队列,分别完成在队列尾部插入整数(push)和在队列头部删除整数(pop)的功能。 队列中的元素为int类型。保证操作合法,即保证pop操作时队列内已有元素。
思路:栈是先进后出的数据结构,队列是先进先出的数据结构,通过第二个栈每次把新增的数据放入第一个栈的底部,可以实现先进先出的数据结构。
代码实现:
import java.util.Stack;
public class Solution {
Stack<Integer> stack1 = new Stack<Integer>();
Stack<Integer> stack2 = new Stack<Integer>();
public void push(int node) {
if(stack1.isEmpty()){
stack1.push(node);
return;
}
while(!stack1.isEmpty()){
stack2.push(stack1.pop());
}
stack1.push(node);
while(!stack2.isEmpty()){
stack1.push(stack2.pop());
}
}
public int pop() {
if(stack1.isEmpty()){
return -1;
}
return stack1.pop().intValue();
}
}
|