描述

给定一个二叉树的根节点root,返回它的 中序 遍历。

示例 1:

输入:root = [1,null,2,3]
输出:[1,3,2]

示例 2:

输入:root = []
输出:[]


题解

这道题的具体解法,可参看 力扣官方题解方法一

  1. /**
  2. * Definition for a binary tree node.
  3. * function TreeNode(val, left, right) {
  4. * this.val = (val===undefined ? 0 : val)
  5. * this.left = (left===undefined ? null : left)
  6. * this.right = (right===undefined ? null : right)
  7. * }
  8. */
  9. /**
  10. * @param {TreeNode} root
  11. * @return {number[]}
  12. */
  13. var inorderTraversal = function(root) {
  14. let list = []
  15. inorder(root, list)
  16. return list
  17. };
  18. const inorder = (root, list) => {
  19. if (!root) return null
  20. inorder(root.left, list)
  21. list.push(root.val)
  22. inorder(root.right, list)
  23. return list
  24. }