算法提高之LeetCode刷题Leetcode模拟面试每天一道leetcode之入门

LeetCode 155. 最小栈

2020-03-11  本文已影响0人  freesan44

题目

设计一个支持 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.

解题思路

添加一个minIndex

class MinStack:

    def __init__(self):
        self.list = []
        self.minIndex = 0
        """
        initialize your data structure here.
        """


    def push(self, x: int) -> None:
        self.list.append(x)
        if len(self.list) > 0 and x < self.list[self.minIndex]:
            self.minIndex = self.list.index(x)
            # print("change: " + str(self.minIndex) + str(x))


    def pop(self) -> None:
        popNum = self.list.pop()
        if self.minIndex == (len(self.list)):
            # print("change: " + str(self.minIndex))
            self.minIndex = 0 if len(self.list) <=0 else self.list.index(min(self.list))
        return popNum


    def top(self) -> int:
        return None if len(self.list) <= 0 else self.list[-1]

    def getMin(self) -> int:
        # print("getMin: " + str(self.minIndex))
        return None if len(self.list) <= 0 else self.list[self.minIndex]

Github:https://github.com/freesan44/LeetCode

上一篇下一篇

猜你喜欢

热点阅读