title: '算法:用两个栈实现队列' cover: https://img.paulzzh.com/touhou/random?5 categories: 算法题目 date: 1996-07-27 08:00:00 tags: [算法题目, 栈, 队列]
<br/>
<!--more-->用两个栈来实现一个队列,完成队列的Push和Pop操作。 队列中的元素为int类型。
两个栈一个用来存放入栈的数据, 一个用来存放出栈的数据
import java.util.Stack;
public class Solution {
Stack<Integer> inStack = new Stack<>();
Stack<Integer> outStack = new Stack<>();
public void push(int node) {
inStack.push(node);
}
public int pop() {
if(inStack.empty()&&outStack.empty()){
throw new RuntimeException("Queue is empty!");
}
if(outStack.empty()){
while(!inStack.empty()){
outStack.push(inStack.pop());
}
}
return outStack.pop();
}
}