剑指offer java版 test5—用栈实现队列
题目:用两个栈来实现一个队列,完成队列的Push和Pop操作。 队列中的元素为int类型。
代码如下:(测试了下,输出12345 穿插着取操作 最后输出54321)
package cn.test5;
/*
用两个栈来实现一个队列,完成队列的Push和Pop操作。 队列中的元素为int类型。
*/
import java.util.Stack;
public class StackTest {
public static void main(String[] args){
Solution solution=new Solution();
solution.push(1);
solution.push(2);
solution.push(3);
System.out.println(solution.pop());
System.out.println(solution.pop());
solution.push(4);
solution.push(5);
System.out.println(solution.pop());
System.out.println(solution.pop());
System.out.println(solution.pop());
}
}
class Solution{
//我的push()操作应该就是将一组数 先放进栈1 取出后放入栈2 再取出
//我的pop()
Stack<Integer> stack1=new Stack<Integer>();
Stack<Integer> stack2=new Stack<Integer>();
public void push(int node){
while(!stack2.isEmpty()){
stack1.push(stack2.pop());
}
stack2.push(node);
while(!stack1.isEmpty()){
stack2.push(stack1.pop());
}
}
public int pop(){
return stack2.pop();
}
}