# 【每日一题】102 二叉树的层序遍历
题目地址@LeetCode-binary-tree-level-order-traversal (opens new window)
题意:
给你一个二叉树,请你返回其按 层序遍历 得到的节点值。 (即逐层地,从左到右访问所有节点)。
示例:
二叉树:
[3,9,20,null,null,15,7]
,3 / \ 9 20 / \ 15 7
1
2
3
4
5返回其层次遍历结果:
[ [3], [9,20], [15,7] ]
1
2
3
4
5
# 一、迭代-广度优先遍历
写的有点乱,不过具体思路就是将每一层的节点保存在一个数组中,遍历这个数组取出节点的值。。
/**
* Definition for a binary tree node.
* function TreeNode(val) {
* this.val = val;
* this.left = this.right = null;
* }
*/
/**
* @param {TreeNode} root
* @return {number[][]}
*/
var levelOrder = function(root) {
if (!root) return [];
let res = [[root.val]],
rootArr = [root];
while (rootArr.length) {
let _res = [],
_rootArr = [];
rootArr.map(item => {// 遍历保存下来的一层的每个节点
if (item.left) {
_rootArr.push(item.left);
_res.push(item.left.val);
}
if (item.right) {
_rootArr.push(item.right);
_res.push(item.right.val);
}
});
rootArr = _rootArr;
if (_res.length) res.push(_res);
}
return res;
};
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
测试用例:
const root = new TreeNode(3);
root.left = new TreeNode(9);
root.right = new TreeNode(20);
root.right.left = new TreeNode(15);
root.right.right = new TreeNode(7);
levelOrder(root);
1
2
3
4
5
6
7
2
3
4
5
6
7
提交结果:
Time | Cache |
---|---|
72ms 51.58% | 33.8MB 96.30% |
# 二、递归-广度优先遍历(来自题解)
来自题解LeetCode@lrjets (opens new window)
将层级
depth
(也是数组res
的索引)传入下一次的递归调用,可以将节点值存入正确的位置。
var levelOrder = function(root) {
if (!root) return [];
let res = [];
function traversal (root, depth) {
if (root !== null) {
if (!res[depth]) {
res[depth] = []
}
traversal(root.left, depth + 1)
res[depth].push(root.val)
traversal(root.right, depth + 1)
}
}
traversal(root, 0);
return res;
};
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18