二叉树的中序遍历
Tips
题目类型: Tree
题目
Given the root
of a binary tree, return the inorder traversal of its nodes' values.
示例
输入: TreeNode 实例
输出: 每个 TreeNode 节点的 val 组成的数组
题解
这没啥可说的了, 基本功. 💔
- 深度优先遍历
- 广度优先遍历
/**
* Definition for a binary tree node.
* function TreeNode(val) {
* this.val = val;
* this.left = this.right = null;
* }
*/
/**
* @param {TreeNode} root
* @return {number[]}
*/
var inorderTraversal = function (root) {
const res = []
var traverse = function (node) {
if (!node) return
traverse(node.left)
res.push(node.val)
traverse(node.right)
}
traverse(root)
return res
}
- 时间复杂度:
O(n)
, 其中 n 是树的节点数. - 空间复杂度: 取决于递归的深度, 最坏情况下(skewed tree, 斜树) 为
O(n)
, 最好情况下(balanced tree, 平衡树) 为O(log n)
.
/**
* Definition for a binary tree node.
* function TreeNode(val) {
* this.val = val;
* this.left = this.right = null;
* }
*/
/**
* @param {TreeNode} root
* @return {number[]}
*/
var inorderTraversal = function (root) {
const stack = []
const res = []
while (stack.length !== 0 || root !== null) {
if (root !== null) {
stack.push(root)
root = root.left
} else {
root = stack.pop()
res.push(root.val)
root = root.right
}
}
return res
}
- 时间复杂度:
O(n)
, 其中n
是树的节点数. - 空间复杂度:
O(h)
, 其中h
是树的高度, 最坏情况 下为O(n)
, 最好情况下为O(log n)
.