第100天。
今天的题目是flatten-Nested-List-Iterator:
Given a nested list of integers, implement an iterator to flatten it.
Each element is either an integer, or a list — whose elements may also be integers or other lists.
Example 1:
Given the list [[1,1],2,[1,1]],
By calling next repeatedly until hasNext returns false, the order of elements returned by next should be: [1,1,2,1,1].
Example 2:
Given the list [1,[4,[6]]],
By calling next repeatedly until hasNext returns false, the order of elements returned by next should be: [1,4,6].
挺有趣的题目,主要是要实现一个嵌套列表的迭代器,大概是三个函数:
然后他也提供了NestedInteger
的接口和一些说明,算是对题目的补充:
从补充中我们可以看到,在调用next
前一定会先调用hasNext
,有了这个前提我们写起来会方便一点。
我的解法是,NestedIterator
只保存构造函数中传入的nestedList
的两个迭代器,之所以是两个,是因为要保存end
迭代器,然后要实现嵌套,我们还要一个NestedIterator
的指针,利用这个指针来对下一级列表的元素进行迭代:
然后这里的实现虽然比较简单,简洁,但是在遇到一些特殊情况的时候会对性能造成极大的影响,比如说[[[[[1,2,3]]]]]
,虽然只有三个元素,但是因为有5层的嵌套,我们要有5个迭代器,每次调用next
和hasNext
都需要递归调用5次才能返回,这样效率就有点低了.
dicuss
中的解法会比较好一点,类别DFS
来做,先用stack
保存所有的元素,在调用hasNext
的时候,如果栈顶是列表就将其展开并压栈(倒序),然后在递归调用hasNext
,直到栈顶为数字时,然后调用next
就直接返回栈顶即可:
update at 2020-04-03
和第二个解法有点像,但是只需要一个栈即可: