LeetCode_18_AverageOfLevelsInBinaryTree


1. question: 二叉树的层平均值(简单)

给定一个非空二叉树的根节点 root , 以数组的形式返回每一层节点的平均值。与实际答案相差 10-5 以内的答案可以被接受。

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/average-of-levels-in-binary-tree

示例 1:

示例1

1
2
3
4
输入:root = [3,9,20,null,null,15,7]
输出:[3.00000,14.50000,11.00000]
解释:第 0 层的平均值为 3,第 1 层的平均值为 14.5,第 2 层的平均值为 11 。
因此返回 [3, 14.5, 11] 。

示例 2:

1
2
输入:root = [3,9,20,15,7]
输出:[3.00000,14.50000,11.00000]

提示:

1
2
树中节点数量在 [1, 104] 范围内
-231 <= Node.val <= 231 - 1

2. answers

这道题比较简单,在层序遍历的基础上求和,取平均即可。代码如下所示:

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
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
public class Solution_0016 {

public static List<Double> averageOfLevels(TreeNode root) {

List<Double> result = new ArrayList<>();

if(root == null) {
return result;
}

Queue<TreeNode> queue = new LinkedList<>();
queue.offer(root);

int length, tempLength;
double sum = 0.0;

while(!queue.isEmpty()){

length = queue.size();
tempLength = length;

while(length > 0){
root = queue.poll();

sum += root.val;

if(root.left != null) {
queue.offer(root.left);
}

if(root.right != null) {
queue.offer(root.right);
}

length --;
}

result.add(sum / (tempLength + 0.0));
sum = 0;
}

return result;

}

public static void main(String[] args) {
TreeNode tn1 = new TreeNode(7);
TreeNode tn2 = new TreeNode(15);
TreeNode tn3 = new TreeNode(20, tn2, tn1);

TreeNode tn4 = new TreeNode(9);

TreeNode root = new TreeNode(3, tn4, tn3);

List<Double> result = averageOfLevels(root);
for(Double i: result) {
System.out.println(i);
}
}
}

3. 备注

参考力扣(LeetCode)官网 - 全球极客挚爱的技术成长平台 (leetcode-cn.com)代码随想录 (programmercarl.com)


文章作者: 浮云
版权声明: 本博客所有文章除特別声明外,均采用 CC BY 4.0 许可协议。转载请注明来源 浮云 !
  目录