用两个栈来实现一个队列,使用n个元素来完成 n 次在队列尾部插入整数(push)和n次在队列头部删除整数(pop)的功能。 队列中的元素为int类型。保证操作合法,即保证pop操作时队列内已有元素。 数据范围: n≤1000
时间: 2024-05-02 07:20:07 浏览: 106
好的,这是一个算法问题,我可以回答。
可以使用两个栈来实现队列。一个栈为入栈(push)栈,一个栈为出栈(pop)栈。当有元素插入队列时,将其插入入栈中;当需要删除队头元素时,如果出栈为空,则将入栈中的所有元素弹出并压入出栈中,然后出栈顶元素即为队头元素。具体实现细节可以参考以下代码:
```java
class MyQueue {
private Stack<Integer> inStack;
private Stack<Integer> outStack;
/** Initialize your data structure here. */
public MyQueue() {
inStack = new Stack<>();
outStack = new Stack<>();
}
/** Push element x to the back of queue. */
public void push(int x) {
inStack.push(x);
}
/** Removes the element from in front of queue and returns that element. */
public int pop() {
if (outStack.isEmpty()) {
while (!inStack.isEmpty()) {
outStack.push(inStack.pop());
}
}
return outStack.pop();
}
/** Get the front element. */
public int peek() {
if (outStack.isEmpty()) {
while (!inStack.isEmpty()) {
outStack.push(inStack.pop());
}
}
return outStack.peek();
}
/** Returns whether the queue is empty. */
public boolean empty() {
return inStack.isEmpty() && outStack.isEmpty();
}
}
```
这个代码中的时间复杂度为 O(n),空间复杂度为 O(n)。
阅读全文