美文网首页
python实现leetcode之155. 最小栈

python实现leetcode之155. 最小栈

作者: 深圳都这么冷 | 来源:发表于2021-10-21 13:37 被阅读0次

解题思路

两个栈,一个存值,一个存到目前为止最小值的下标
推入值的时候,计算推入后的最小下标,然后推入下标栈
每次弹出值的时候,也弹出一个下标

155. 最小栈

代码

class MinStack(object):

    def __init__(self):
        """
        initialize your data structure here.
        """
        self.min_idx_stack = []
        self.data_stack = []
        self.length = 0

    def push(self, x):
        """
        :type x: int
        :rtype: None
        """
        self.data_stack.append(x)
        self.length += 1
        if self.length == 1:
            min_idx = 0
        else:
            min_idx = self.min_idx_stack[-1]
            if x < self.data_stack[min_idx]:
                min_idx = self.length - 1
        self.min_idx_stack.append(min_idx)

    def pop(self):
        """
        :rtype: None
        """
        if self.length == 0: return
        x = self.data_stack.pop()
        self.min_idx_stack.pop()
        self.length -= 1
        return x

    def top(self):
        """
        :rtype: int
        """
        return self.data_stack[-1]


    def getMin(self):
        """
        :rtype: int
        """
        min_idx = self.min_idx_stack[-1]
        return self.data_stack[min_idx]


# Your MinStack object will be instantiated and called as such:
# obj = MinStack()
# obj.push(x)
# obj.pop()
# param_3 = obj.top()
# param_4 = obj.getMin()
效果图

相关文章

  • LeetCode-155-最小栈

    LeetCode-155-最小栈 155. 最小栈[https://leetcode-cn.com/problem...

  • python实现leetcode之155. 最小栈

    解题思路 两个栈,一个存值,一个存到目前为止最小值的下标推入值的时候,计算推入后的最小下标,然后推入下标栈每次弹出...

  • LeetCode刷题笔记(三)栈与队列

    三. 栈与队列 python中的栈直接用list实现,队列用deque,需要导入外部包。 155. 最小栈 题目:...

  • LeetCode 155. 最小栈 | Python

    155. 最小栈 题目来源:https://leetcode-cn.com/problems/min-stack ...

  • LeetCode:155. 最小栈

    问题链接 155. 最小栈[https://leetcode-cn.com/problems/min-stack/...

  • 2.栈(二)

    题目汇总:https://leetcode-cn.com/tag/stack/155. 最小栈简单[✔]173. ...

  • 155. 最小栈

    155. 最小栈[https://leetcode.cn/problems/min-stack/] 设计一个支持 ...

  • 155. 最小栈

    题目地址(155. 最小栈) https://leetcode.cn/problems/min-stack/[ht...

  • LeetCode 155. 最小栈

    题目描述 设计一个支持 push,pop,top 操作,并能在常数时间内检索到最小元素的栈。 push(x) --...

  • LeetCode 155. 最小栈

    原题地址 设置一个单调栈,每次看要压入栈的元素是否比单调栈中的顶端值小,如果小那就同时压入到单调栈中,弹出的时候,...

网友评论

      本文标题:python实现leetcode之155. 最小栈

      本文链接:https://www.haomeiwen.com/subject/pybooltx.html