题目:用两个栈实现队列
题目描述
用两个栈来实现一个队列,完成队列的Push和Pop操作。 队列中的元素为int类型。
解题思路:
队列是先进先出,栈是先进后出
将stack1当作辅助栈,stack2是功能栈.从stack2中进行pop(),当加入新的节点时,首先将stack2中的元素全部放入到stack1,将新的节点加入到栈stack1的最后,然后再将stack1全部元素放入到stack2中,这样新加入的节点就会被放在最后。
代码实现:
import java.util.Stack;
import java.util.*;
public class Solution {
Stack<Integer> stack1 = new Stack<Integer>();
Stack<Integer> stack2 = new Stack<Integer>();
public void push(int node) {
while(!stack2.isEmpty()) {
stack1.push(stack2.pop());
}
stack1.push(node);
while(!stack1.isEmpty()) {
stack2.push(stack1.pop());
}
}
public int pop() {
return stack2.pop();
}
}
相关题目:用两个队列实现一个栈
相关的题目可以在力扣的第225题中找到
题目描述:
使用队列实现栈的下列操作:
push(x) – 元素 x 入栈
pop() – 移除栈顶元素
top() – 获取栈顶元素
empty() – 返回栈是否为空
注意:
你只能使用队列的基本操作-- 也就是 push to back, peek/pop from front, size, 和 is empty 这些操作是合法的。
你所使用的语言也许不支持队列。 你可以使用 list 或者 deque(双端队列)来模拟一个队列 , 只要是标准的队列操作即可。
你可以假设所有操作都是有效的(例如, 对一个空的栈不会调用 pop 或者 top 操作)。
解题思路:
(1) 栈是一种 后进先出(last in - first out, LIFO)的数据结构,栈内元素从顶端压入(push),从顶端弹出(pop)。一般我们用数组或者链表来实现栈,但是这篇文章会来介绍如何用队列来实现栈。队列是一种与栈相反的 先进先出(first in - first out, FIFO)的数据结构,队列中元素只能从 后端(rear)入队(push),然后从 前端(front)端出队(pop)。为了满足栈的特性,我们需要维护两个队列 q1 和 q2。同时,我们用一个额外的变量来保存栈顶元素。
算法
压入(push)
新元素永远从 q1 的后端入队,同时 q1 的后端也是栈的 栈顶(top)元素。
(2) 弹出(pop)
我们需要把栈顶元素弹出,就是 q1 中最后入队的元素。
考虑到队列是一种 FIFO 的数据结构,最后入队的元素应该在最后被出队。因此我们需要维护另外一个队列 q2,这个队列用作临时存储 q1 中出队的元素。q2 中最后入队的元素将作为新的栈顶元素。接着将 q1 中最后剩下的元素出队。我们通过把 q1 和 q2 互相交换的方式来避免把 q2 中的元素往 q1 中拷贝。
代码实现:
class MyStack {
Deque<Integer> deq1=null;
Deque<Integer> deq2=null;
int top=0;
/** Initialize your data structure here. */
public MyStack() {
deq1=new LinkedList<Integer>();
deq2=new LinkedList<Integer>();
}
/** Push element x onto stack. */
//将功能队列中的元素再放回到辅助队列中去,在最后加上x
public void push(int x) {
deq1.add(x);
top=x;
}
/** Removes the element on top of the stack and returns that element. */
public int pop() {
while(deq1.size()!=1) {
top=deq1.poll();
deq2.add(top);
}
int num=deq1.poll();
Deque<Integer> temp=deq1;
deq1=deq2;
deq2=temp;
return num;
}
/** Get the top element. */
public int top() {
return deq1.getLast();
}
/** Returns whether the stack is empty. */
public boolean empty() {
return deq1.isEmpty();
}
}
/**
* Your MyStack object will be instantiated and called as such:
* MyStack obj = new MyStack();
* obj.push(x);
* int param_2 = obj.pop();
* int param_3 = obj.top();
* boolean param_4 = obj.empty();
*/