題目描述
設(shè)計一個支持 push ,pop ,top 操作,并能在常數(shù)時間內(nèi)檢索到最小元素的棧。
實現(xiàn) MinStack 類:
-
MinStack()
初始化堆棧對象。 -
void push(int val)
將元素val推入堆棧。 -
void pop()
刪除堆棧頂部的元素。 -
int top()
獲取堆棧頂部的元素。 -
int 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.
- -231 <= val <= 231 - 1
- pop、top 和 getMin 操作總是在 非空棧 上調(diào)用
- push, pop, top, and getMin最多被調(diào)用 3 * 104 次
可以不適用self.min_, 每次 getMin 時獲取隊列最小值也是可以的 min(self.stack),通過增加 self.min_ 保存最小值,執(zhí)行時間從 540 ms 降到 60 ms
class MinStack:
def __init__(self):
self.stack = []
self.min_ = []
def push(self, val: int) -> None:
self.stack.append(val)
if self.min_:
self.min_.append(min(self.min_[-1], val))
else:
self.min_.append(val)
def pop(self) -> None:
self.min_.pop()
self.stack.pop()
def top(self) -> int:
return self.stack[-1]
def getMin(self) -> int:
return self.min_[-1]
# Your MinStack object will be instantiated and called as such:
# obj = MinStack()
# obj.push(val)
# obj.pop()
# param_3 = obj.top()
# param_4 = obj.getMin()
本文摘自 :https://blog.51cto.com/u