1. 程式人生 > 其它 >【劍指Offer】-2022.2.28包含min函式的棧

【劍指Offer】-2022.2.28包含min函式的棧

題目連結:劍指Offer30.包含min函式的棧
題目描述:
定義棧的資料結構,請在該型別中實現一個能夠得到棧的最小元素的 min 函式在該棧中,呼叫 min、push 及 pop 的時間複雜度都是 O(1)。

示例:

MinStack minStack = new MinStack();
minStack.push(-2);
minStack.push(0);
minStack.push(-3);
minStack.min(); --> 返回 -3.
minStack.pop();
minStack.top(); --> 返回 0.
minStack.min(); --> 返回 -2.

提示:
各函式的呼叫總次數不超過 20000 次

題解:

解題思路:

1.定義Minstack資料結構,包含一個普通stack,包含一個輔助棧minStack,輔助棧記錄每位普通棧元素對應的最小值。
2.push()。stack進棧當前元素,minStack進棧 Math.min(當前元素, 先前的最小值)
3.pop()。stack和minStack正常出棧
4.top()。stack取棧頂元素
5.min()。minStack取棧頂元素


/**
 * initialize your data structure here.
 */
var MinStack = function() {
    this.stack = [];
    this.min_stack = [Number.MAX_VALUE];
};

/** 
 * @param {number} x
 * @return {void}
 */
MinStack.prototype.push = function(x) {
    this.stack.push(x);
    this.min_stack.push(Math.min(this.min_stack[this.min_stack.length - 1], x));
};

/**
 * @return {void}
 */
MinStack.prototype.pop = function() {
    this.min_stack.pop();
    this.stack.pop();

};

/**
 * @return {number}
 */
MinStack.prototype.top = function() {
    return this.stack[this.stack.length - 1];
};

/**
 * @return {number}
 */
MinStack.prototype.min = function() {
    return this.min_stack[this.min_stack.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.min()
 */