用两个栈实现队列 —— Java实现
程序员文章站
2022-07-10 23:48:06
...
用两个栈来实现一个队列,完成队列的Push和Pop操作。 队列中的元素为int类型。
队列(先进先出)
* 实现思路:
* (1)stack1作为队尾栈,元素每次进队列都放到队尾栈的栈顶。
* (2)stack2作为队头栈,元素每次出队列都从队头栈出队。
* (3)当队头栈为空时,将队尾栈的元素循环出栈放到队头栈。队尾栈栈底的元素(先排队的元素)就会变成队头栈的栈顶元素,可以优先出栈(即出队)。
import java.util.Stack;
public class AlgorithmTest20190818 {
/**
* 用两个栈实现队列(先进先出)
* 实现思路:
* (1)stack1作为队尾栈,元素每次进队列都放到队尾栈的栈顶。
* (2)stack2作为队头栈,元素每次出队列都从队头栈出队。
* (3)当队头栈为空时,将队尾栈的元素循环出栈放到队头栈。队尾栈栈底的元素(先排队的元素)就会变成队头栈的栈顶元素,可以优先出栈(即出队)。
*
* @param args
*/
public static void main(String[] args) {
int[] arr = {1, 2, 3};
for (int i = 0; i < arr.length; i++) {
push(arr[i]);
}
System.out.println(pop());
System.out.println(pop());
push(4);
System.out.println(pop());
push(5);
System.out.println(pop());
System.out.println(pop());
}
/**
* 队尾栈
*/
static Stack<Integer> stack1 = new Stack<Integer>();
/**
* 队头栈
*/
static Stack<Integer> stack2 = new Stack<Integer>();
public static void push(int node) {
stack1.push(node);
}
public static int pop() {
if(stack1.empty() && stack2.empty()){
throw new RuntimeException("队列为空!");
}
if (stack2.size() == 0) {
// 将队尾栈的元素全部放到队头栈
while (!stack1.empty()) {
stack2.push(stack1.pop());
}
}
return stack2.pop();
}
}