sample 1 ms submission
/**
* // 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 null if this NestedInteger holds a single integer
* public List<NestedInteger> getList();
* }
*/
public class Solution {
public int depthSum(List<NestedInteger> nestedList) {
return helper(nestedList, 1);
}
private int helper(List<NestedInteger> nestedList, int depth) {
int sum = 0;
for (NestedInteger e : nestedList) {
sum += e.isInteger() ? e.getInteger() * depth : helper(e.getList(), depth + 1);
}
return sum;
}
}
/**
* // 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 null if this NestedInteger holds a single integer
* public List<NestedInteger> getList();
* }
*/
public class Solution {
public int depthSum(List<NestedInteger> nestedList) {
int level = 1;
int res = 0;
Queue<NestedInteger> queue = new LinkedList<NestedInteger>();
for (NestedInteger element : nestedList) {
queue.offer(element);
}
while (!queue.isEmpty()) {
int curSize = queue.size();
for (int i = 0; i < curSize; i++) {
NestedInteger temp = queue.poll();
if(temp.isInteger()) {
res += temp.getInteger() * level;
} else {
for(NestedInteger subList : temp.getList()) {
queue.offer(subList);
}
}
}
level++;
}
return res;
}
}