Skip to content

94、二叉树的中序遍历

js
;(function () {
  /**
   * 94. 二叉树的中序遍历 -------- 【左子树——根节点——右子树】
   * 概念: 考察到一个节点后,将其暂存,遍历完左子树后,再输出该节点的值,然后遍历右子树。(左根右)
   * ----------------------------------------------------------------------------------------
   * 给定一个二叉树的根节点 root ,返回 它的 中序 遍历 。
   *
   * 输入:root = [1,null,2,3]
   * 输出:[1,3,2]
   *
   * 输入:root = []
   * 输出:[]
   *
   * 输入:root = [1]
   * 输出:[1]
   *
   */
  class TreeNode {
    val: number
    left: TreeNode | null
    right: TreeNode | null
    constructor(val?: number, left?: TreeNode | null, right?: TreeNode | null) {
      this.val = val === undefined ? 0 : val
      this.left = left === undefined ? null : left
      this.right = right === undefined ? null : right
    }
  }

  function inorderTraversal(root: TreeNode | null): number[] {
    // 方法一:递归
    let res: number[] = []
    function preorder(root: TreeNode | null) {
      if (!root) return
      preorder(root.left)
      res.push(root.val)
      preorder(root.right)
    }
    preorder(root)
    return res

    // 方法二: 迭代 todo
    // const res: number[] = [];
    // const stk: (TreeNode | null)[] = [];
    // while (root || stk.length) {
    //     while (root) {
    //         stk.push(root);
    //         root = root.left;
    //     }
    //     root = stk.pop() || null;
    //     if (root !== null) {
    //         res.push(root.val);
    //     }
    //     root = root?.right || null;
    // }
    // return res;
  }
})()