请你仅使用两个栈实现先入先出队列。队列应当支持一般队列支持的所有操作(push
、pop
、peek
、empty
)
解题:这里会用到两个栈来做队列的实现,注意这里实现的栈只能使用数组的push和pop方法,首先会有一个进栈和一个出栈,进栈所有的值应该都要一个一个pop出来,再push进去出栈内,这样出栈只需要pop即可对应队列的操作
var MyQueue = function() {
this.stackIn = []
this.stackOut = []
};
/**
* @param {number} x
* @return {void}
*/
MyQueue.prototype.push = function(x) {
this.stackIn.push(x)
};
/**
* @return {number}
*/
MyQueue.prototype.pop = function() {
let size = this.stackOut.length
if(size) {
return this.stackOut.pop()
}
while(this.stackIn.length) {
this.stackOut.push(this.stackIn.pop())
}
return this.stackOut.pop()
};
/**
* @return {number}
*/
MyQueue.prototype.peek = function() {
let x = this.pop()
this.stackOut.push(x)
return x
};
/**
* @return {boolean}
*/
MyQueue.prototype.empty = function() {
return !this.stackIn.length && !this.stackOut.length
};
/**
* Your MyQueue object will be instantiated and called as such:
* var obj = new MyQueue()
* obj.push(x)
* var param_2 = obj.pop()
* var param_3 = obj.peek()
* var param_4 = obj.empty()
*/
请你仅使用两个队列实现一个后入先出(LIFO)的栈,并支持普通栈的全部四种操作(push
、top
、pop
和 empty
)。
解题:这里可以用到一个队列的方式实现栈操作,用到的操作主要是push和shift,每次都遍历一次全队列,把最后一个值输出即可,其余的值重复push进队列内
var MyStack = function() {
this.queue = []
};
/**
* @param {number} x
* @return {void}
*/
MyStack.prototype.push = function(x) {
this.queue.push(x)
};
/**
* @return {number}
*/
MyStack.prototype.pop = function() {
for(let i = 0;i<this.queue.length;i++) {
if(i===this.queue.length - 1) {
return this.queue.shift()
} else {
this.queue.push(this.queue.shift())
}
}
};
/**
* @return {number}
*/
MyStack.prototype.top = function() {
let x = this.pop()
this.queue.push(x)
return x
};
/**
* @return {boolean}
*/
MyStack.prototype.empty = function() {
return !this.queue.length
};
/**
* Your MyStack object will be instantiated and called as such:
* var obj = new MyStack()
* obj.push(x)
* var param_2 = obj.pop()
* var param_3 = obj.top()
* var param_4 = obj.empty()
*/