题目描述:
设计一个支持 push,pop,top 操作,并能在常数时间内检索到最小元素的栈。
push(x) -- 将元素 x 推入栈中。
pop() -- 删除栈顶的元素。
top() -- 获取栈顶元素。
getMin() -- 检索栈中的最小元素。
示例:
MinStack minStack = new MinStack();
minStack.push(-2);
minStack.push(0);
minStack.push(-3);
minStack.getMin(); --> 返回 -3.
minStack.pop();
minStack.top(); --> 返回 0.
minStack.getMin(); --> 返回 -2.
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/min-stack
思路:思路:用数组来实现栈,再用一个辅助栈来记录每次操作的最小值,辅助栈的栈顶元素小于新push进主栈的元素,辅助栈则不进行入栈,这样辅助栈栈顶记录的都是当前栈的最小元素,出栈时要进行判断,两个栈栈顶一样就都要将栈顶元素出栈。
/**
* initialize your data structure here.
*/
// 思路:用数组来实现栈,再用一个辅助栈来记录每次操作的最小值,辅助栈的栈顶元素小于新push进主栈的元素,辅助栈则不进行入栈,这样辅助栈栈顶记录的都是当前栈的最小元素,出栈时要进行判断,两个栈栈顶一样就都要将栈顶元素出栈
var MinStack = function() {
this.dataStore = [];
this.help = [];
};
/**
* @param {number} x
* @return {void}
*/
MinStack.prototype.push = function(x) {
this.dataStore.push(x);
if(this.help.length) {
this.help[this.help.length-1] < x ? '' : this.help.push(x)
} else {
this.help.push(x);
}
};
/**
* @return {void}
*/
MinStack.prototype.pop = function() {
let popVal = this.dataStore.pop();
if(this.help[this.help.length-1] == popVal) {
this.help.pop()
}
};
/**
* @return {number}
*/
MinStack.prototype.top = function() {
return this.dataStore[this.dataStore.length-1]; // 栈顶就是数组末尾的那个元素
};
/**
* @return {number}
*/
MinStack.prototype.getMin = function() {
return this.help[this.help.length-1];
};
/**
* Your MinStack object will be instantiated and called as such:
* var obj = new MinStack()
* obj.push(x)
* obj.pop()
* var param_3 = obj.top()
* var param_4 = obj.getMin()
*/