public class Node {
int val;
List<Node> children;
}
class Solution {
public List<Integer> preorder(Node root) {
List<Integer> list = new ArrayList();
preorder(root, list);
return list;
}
private void preorder(Node node, List<Integer> list) {
if (node != null) {
list.add(node.val);
for (Node n : node.children) {
preorder(n, list);
}
}
}
}
- Time Complexity: O(n) since we must visit all nodes.
- Space Complexity: O(log n) on balanced tree. O(n) otherwise.
The follow-up question asks us for an iterative solution, but there is no benefit to that solution as neither the time or space complexity is improved by solving the problem iteratively.