341. Flatten Nested List Iterator
in Coding Interview on Tree
정수의 중첩 목록이 제공됩니다. 각 요소는 정수이거나 그 요소가 정수나 다른 목록일 수도 있는 목록입니다. 반복자를 구현하여 평면화하십시오.
/**
* // 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();
* }
*/
import java.util.NoSuchElementException;
public class NestedIterator implements Iterator<Integer> {
private List<Integer> integers = new ArrayList<Integer>();
private int position = 0; // Pointer to next integer to return.
public NestedIterator(List<NestedInteger> nestedList) {
flattenList(nestedList);
}
// Recursively unpacks a nested list in DFS order.
private void flattenList(List<NestedInteger> nestedList) {
for (NestedInteger nestedInteger : nestedList) {
if (nestedInteger.isInteger()) {
integers.add(nestedInteger.getInteger());
} else {
flattenList(nestedInteger.getList());
}
}
}
@Override
public Integer next() {
// As per Java specs, we should throw an exception if no more ints.
if (!hasNext()) throw new NoSuchElementException();
// Return int at current position, and then *after*, increment position.
return integers.get(position++);
}
@Override
public boolean hasNext() {
return position < integers.size();
}
}
/**
* Your NestedIterator object will be instantiated and called as such:
* NestedIterator i = new NestedIterator(nestedList);
* while (i.hasNext()) v[f()] = i.next();
*/