题目

题目来源:力扣(LeetCode)

设计一个支持 push ,pop ,top 操作,并能在常数时间内检索到最小元素的栈。

push(x) —— 将元素 x 推入栈中。
pop() —— 删除栈顶的元素。
top() —— 获取栈顶元素。
getMin() —— 检索栈中的最小元素。

示例:

输入:
[“MinStack”,”push”,”push”,”push”,”getMin”,”pop”,”top”,”getMin”]
[[],[-2],[0],[-3],[],[],[],[]]

输出:
[null,null,null,null,-3,null,0,-2]

解释:
MinStack minStack = new MinStack();
minStack.push(-2);
minStack.push(0);
minStack.push(-3);
minStack.getMin(); —> 返回 -3.
minStack.pop();
minStack.top(); —> 返回 0.
minStack.getMin(); —> 返回 -2.

思路分析

使用一个辅助栈,与元素栈同步插入与删除,用于存储与每个元素对应的最小值。

当一个元素要入栈时,我们取当前辅助栈的栈顶存储的最小值,与当前元素比较得出最小值,将这个最小值插入辅助栈中;

当一个元素要出栈时,我们把辅助栈的栈顶元素也一并弹出;

在任意一个时刻,栈内元素的最小值就存储在辅助栈的栈顶元素中

  1. /**
  2. * initialize your data structure here.
  3. */
  4. var MinStack = function () {
  5. this.x_stack = [];
  6. // 使用辅助栈,存储最小值
  7. this.min_stack = [Infinity];
  8. };
  9. /**
  10. * @param {number} val
  11. * @return {void}
  12. */
  13. MinStack.prototype.push = function (val) {
  14. // 元素要入栈时,取当前辅助栈的栈顶存储的最小值,与当前元素比较得出最小值,将这个最小值插入辅助栈中
  15. this.x_stack.push(val);
  16. this.min_stack.push(Math.min(this.min_stack[this.min_stack.length - 1], val));
  17. };
  18. /**
  19. * @return {void}
  20. */
  21. MinStack.prototype.pop = function () {
  22. // 元素出栈时,把辅助栈的栈顶元素也一并弹出
  23. this.x_stack.pop();
  24. this.min_stack.pop();
  25. };
  26. /**
  27. * @return {number}
  28. */
  29. MinStack.prototype.top = function () {
  30. return this.x_stack[this.x_stack.length - 1]
  31. };
  32. /**
  33. * @return {number}
  34. */
  35. MinStack.prototype.getMin = function () {
  36. // 栈内元素的最小值存储在辅助栈的栈顶元素中
  37. return this.min_stack[this.min_stack.length - 1]
  38. };
  39. /**
  40. * Your MinStack object will be instantiated and called as such:
  41. * var obj = new MinStack()
  42. * obj.push(val)
  43. * obj.pop()
  44. * var param_3 = obj.top()
  45. * var param_4 = obj.getMin()
  46. */