225. 用队列实现栈
2020-03-08 本文已影响0人
梦想黑客
题目描述
使用队列实现栈的下列操作:
-
push(x) -- 元素 x 入栈
-
pop() -- 移除栈顶元素
-
top() -- 获取栈顶元素
-
empty() -- 返回栈是否为空
注意: -
你只能使用队列的基本操作-- 也就是 push to back, peek/pop from front, size, 和 is empty 这些操作是合法的。
-
你所使用的语言也许不支持队列。 你可以使用 list 或者 deque(双端队列)来模拟一个队列 , 只要是标准的队列操作即可。
-
你可以假设所有操作都是有效的(例如, 对一个空的栈不会调用 pop 或者 top 操作)。
解法一
class MyStack {
//push的时候逆序队列,让最后放入的在最前面
private Queue<Integer> data;
/** Initialize your data structure here. */
public MyStack() {
data = new LinkedList<>();
}
/** Push element x onto stack. */
public void push(int x) {
data.offer(x);
int size = data.size();
while(size > 1){
data.offer(data.poll());
size--;
}
}
/** Removes the element on top of the stack and returns that element. */
public int pop() {
return data.poll();
}
/** Get the top element. */
public int top() {
return data.peek();
}
/** Returns whether the stack is empty. */
public boolean empty() {
return data.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();
解法二
class MyStack {
//通过2个队列转换,data1为主队列
private Queue<Integer> data1;
private Queue<Integer> data2;
/** Initialize your data structure here. */
public MyStack() {
data1 = new LinkedList<>();
data2 = new LinkedList<>();
}
/** Push element x onto stack. */
public void push(int x) {
//如果data1不为空,则使为空的data2 等于 data1
if(!data1.isEmpty()){
Queue<Integer> tmp = data1;
data1 = data2;
data2 = tmp;
}
data1.offer(x);
while(!data2.isEmpty()){
data1.offer(data2.poll());
}
}
/** Removes the element on top of the stack and returns that element. */
public int pop() {
return data1.poll();
}
/** Get the top element. */
public int top() {
return data1.peek();
}
/** Returns whether the stack is empty. */
public boolean empty() {
return data1.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();
*/