题目链接
化栈为队
题目描述
注意点
- 只能使用标准的栈操作
- 假设所有操作都是有效的
解答思路
- 使用两个栈模拟队列,第一个栈stk1是按正常栈顺序存储元素,第一个栈stk2是按队列顺序存储元素,初始入栈都是将元素添加到stk1中,当需要弹出元素,如果stk2不为空,则直接弹出stk2中的元素,如果stk2为空,则需要先将stk1中的元素全部弹出添加到stk2,再弹出stk2中的元素
代码
class MyQueue {
Stack<Integer> stk1;
Stack<Integer> stk2;
/** Initialize your data structure here. */
public MyQueue() {
stk1 = new Stack<>();
stk2 = new Stack<>();
}
/** Push element x to the back of queue. */
public void push(int x) {
stk1.push(x);
}
/** Removes the element from in front of queue and returns that element. */
public int pop() {
if (!stk2.isEmpty()) {
return stk2.pop();
}
while (!stk1.isEmpty()) {
stk2.push(stk1.pop());
}
return stk2.pop();
}
/** Get the front element. */
public int peek() {
if (!stk2.isEmpty()) {
return stk2.peek();
}
while (!stk1.isEmpty()) {
stk2.push(stk1.pop());
}
return stk2.peek();
}
/** Returns whether the queue is empty. */
public boolean empty() {
return stk1.isEmpty() && stk2.isEmpty();
}
}
关键点
- stk2是stk1中的元素先进后出添加进去的,而stk2弹出也是先进后出,所以在弹出stk2中的元素时将变成了先进先出