题目:扁平化嵌套列表迭代器

  • 给定一个嵌套的整型列表。设计一个迭代器,使其能够遍历这个整型列表中的所有整数。
  • 列表中的项或者为一个整数,或者是另一个列表。
示例 1:
输入: [[1,1],2,[1,1]]
输出: [1,1,2,1,1]
解释: 通过重复调用 next 直到 hasNext 返回false,next 返回的元素的顺序应该是: [1,1,2,1,1]。
示例 2:
输入: [1,[4,[6]]]
输出: [1,4,6]
解释: 通过重复调用 next 直到 hasNext 返回false,next 返回的元素的顺序应该是: [1,4,6]。

来源:力扣(LeetCode)第341题

链接:https://leetcode-cn.com/problems/flatten-nested-list-iterator

分析:

递归调用,不是很难。唯一要注意的是要看清题目,list里面是NestedIterator,需要使用他给你的方法调用才能得到integer或者list。

思路:

  • 从后往前遍历
  • 判断是否是integer,是 入栈 不是 递归进去
  • 返回栈,结束。

代码:

# """
# This is the interface that allows for creating nested lists.
# You should not implement it, or speculate about its implementation
# """
#class NestedInteger(object):
#    def isInteger(self):
#        """
#        @return True if this NestedInteger holds a single integer, rather than a nested list.
#        :rtype bool
#        """
#
#    def getInteger(self):
#        """
#        @return the single integer that this NestedInteger holds, if it holds a single integer
#        Return None if this NestedInteger holds a nested list
#        :rtype int
#        """
#
#    def getList(self):
#        """
#        @return the nested list that this NestedInteger holds, if it holds a nested list
#        Return None if this NestedInteger holds a single integer
#        :rtype List[NestedInteger]
#        """

class NestedIterator(object):  # 注意看清上面的方法都是干什么的,虽然是英文但是也比较容易看懂。
    def __init__(self, nestedList):
        """
        Initialize your data structure here.
        :type nestedList: List[NestedInteger]
        """
        self.stack = []
        self.recursion(nestedList)


    def recursion(self, nestedList):
        for i in range(len(nestedList) - 1, -1, -1):
            if nestedList[i].isInteger():
                self.stack.append(nestedList[i].getInteger())
            else:
                self.recursion(nestedList[i].getList())


    def next(self):
        """
        :rtype: int
        """
        return self.stack.pop()
        

    def hasNext(self):
        """
        :rtype: bool
        """
        return len(self.stack) > 0

# Your NestedIterator object will be instantiated and called as such:
# i, v = NestedIterator(nestedList), []
# while i.hasNext(): v.append(i.next())

复杂度分析:

  • 时间复杂度:O(n) n 为整个列表的元素,也就是最后stack里的元素。
  • 空间复杂度:O(n)

总结:

还是很简单的,只要递归写的稍微熟练一点都能写的出来。