题目: 用队列实现栈
使用队列实现栈的下列操作:
push(x) -- 元素 x 入栈
pop() -- 移除栈顶元素
top() -- 获取栈顶元素
empty() -- 返回栈是否为空
注意:
你只能使用队列的基本操作-- 也就是 push to back, peek/pop from front, size, 和 is empty 这些操作是合法的。
你所使用的语言也许不支持队列。 你可以使用 list 或者 deque(双端队列)来模拟一个队列 , 只要是标准的队列操作即可。
你可以假设所有操作都是有效的(例如, 对一个空的栈不会调用 pop 或者 top 操作)。
/**
* 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();
*/
解题思路
由于队列是先进先出,所以队列的 队尾既是栈的栈顶,所以每次要 弹出的栈顶 是我们 队列的队尾
我们只需要有一个辅助队列,每次获取栈顶的时候将队列除队尾的元素转移到另一个队列上,取出队尾
便于理解与实现,将每次只保留一个`有值`的插入队列(),另一个`为空`的辅助弹出队列
题解
public class LK225 {
//原始队列和协助队列
private Queue<Integer> offerQueue;
private Queue<Integer> pollQueue;
/** Initialize your data structure here. */
public LK225() {
offerQueue = new ArrayDeque();
pollQueue = new ArrayDeque();
}
/** 只在添加队列中加入元素*/
public void push(int x) {
offerQueue.offer(x);
}
/**时刻保持一个队列为空的状态,在获取栈顶元素时,将除队尾元素全转移到空队列中,最后弹出该元素,又形成一个空队列等待下次弹出使用 */
public int pop() {
return clearQueue();
}
/**
* 读取的时候依旧执行弹出操作,不过要将该值加入另一个辅助队列中
* */
public int top() {
Integer result = clearQueue();
if(result!=null){
offerQueue.offer(result);
}
return result;
}
/** Returns whether the stack is empty. */
public boolean empty() {
return offerQueue.isEmpty();
}
/** 弹出/查看元素的时候要转移清空一个队列 */
private Integer clearQueue(){
if(offerQueue.isEmpty()){
return null;
}
while (offerQueue.size()>1){
pollQueue.offer(offerQueue.poll());
}
Integer popElement = offerQueue.poll();
Queue<Integer> tQue = offerQueue;
offerQueue = pollQueue;
pollQueue = tQue;
return popElement;
}
}