给定一个 n 叉树的根节点 root ,返回 其节点值的 前序遍历 。

    n 叉树 在输入中按层序遍历进行序列化表示,每组子节点由空值 null 分隔(请参见示例)。
    示例 1:
    image.png
    输入:root = [1,null,3,2,4,null,5,6]
    输出:[1,3,5,6,2,4]
    示例 2:

    输入:root = [1,null,2,3,4,5,null,null,6,7,null,8,null,9,10,null,null,11,null,12,null,13,null,null,14]
    输出:[1,2,3,6,7,11,14,4,8,12,5,9,13,10]

    1. /**
    2. * // Definition for a Node.
    3. * function Node(val, children) {
    4. * this.val = val;
    5. * this.children = children;
    6. * };
    7. */
    8. /**
    9. * @param {Node|null} root
    10. * @return {number[]}
    11. */
    12. var preorder = function(root) {
    13. const res = [];
    14. const traverse = (root) => {
    15. if(!root) return
    16. res.push(root.val)
    17. for(let child of root.children) {
    18. traverse(child)
    19. }
    20. }
    21. traverse(root)
    22. return res
    23. };

    image.png