341. Flatten Nested List Iterator 前往題目 想法 Queue or Stack 思路 用dfs,遇到數字就加入queue,遇到list就再呼叫dfs Code /** * // This is the interface that allows for creating nested lists. * // You should not implement it, or speculate about its implementation * public interface NestedInteger { * * // @return true if this NestedInteger holds a single integer, rather than a nested list. * public boolean isInteger(); * * // @return the single integer that this NestedInteger holds, if it holds a single integer * // Return null if this NestedInteger holds a nested list * public Integer getInteger(); * * // @return the nested list that this NestedInteger holds, if it holds a nested list * // Return empty list if this NestedInteger holds a single integer * public List<NestedInteger> getList(); * } */ public class NestedIterator implements Iterator<Integer> { Queue<NestedInteger> queue; public NestedIterator(List<NestedInteger> nestedList) { queue = new LinkedList(); dfs(nestedList); // Extract integers } @Override public Integer next() { return queue.poll().getInteger(); } @Override public boolean hasNext() { return !queue.isEmpty(); } private void dfs(List<NestedInteger> nestedList) { for (NestedInteger ni : nestedList) { if (ni.isInteger()) { queue.offer(ni); } else { dfs(ni.getList()); } } } } /** * Your NestedIterator object will be instantiated and called as such: * NestedIterator i = new NestedIterator(nestedList); * while (i.hasNext()) v[f()] = i.next(); */ Leetcode > Medium #Leetcode #心得 #Stack #Queue #Depth-First Search #Tree #Design #Iterator 341. Flatten Nested List Iterator https://f88083.github.io/2024/08/29/341-Flatten-Nested-List-Iterator/ 作者 Simon Lai 發布於 2024年8月29日 許可協議 441. Arranging Coins - Easy 上一篇 456. 132 Pattern - Medium 下一篇 Please enable JavaScript to view the comments