js 实现二叉树后序遍历

var postorderTraversal = function (root) {
    // 迭代,前序遍历是根左右,后序为左右根,将前序实现为根右左,再将数组反转即得后序遍历,左右根
    // if (!root) {
    //     return [];
    // }
    // let res = [];
    // let stack = [root];
    // while (stack.length) {
    //     const node = stack.pop();
    //     res.push(node.val);
    //     // 最终实现为根右左
    //     node.left && stack.push(node.left); // 先push 左节点,则先拿右节点
    //     node.right && stack.push(node.right);
    // }
    // // 反转数组即为左右根=>后序遍历
    // return res.reverse();
    // 递归
    let res = [];
    let postorder = (node, res) => {
        if (node) {
            postorder(node.left, res);
            postorder(node.right, res);
            res.push(node.val);
        }
    };
    postorder(root, res);
    return res;
};

参考:https://blog.csdn.net/m0_52409770/article/details/123225716

递归相比迭代更耗时一些。

posted @ 2022-08-29 15:37  蓓蕾心晴  阅读(143)  评论(0编辑  收藏  举报