给定一个非空二叉树, 返回一个由每层节点平均值组成的数组.
示例 1:
输入: 3 / \ 9 20 / \ 15 7 输出: [3, 14.5, 11] 解释: 第0层的平均值是 3, 第1层是 14.5, 第2层是 11. 因此返回 [3, 14.5, 11].
注意:
- 节点值的范围在32位有符号整数范围内。
题目标签:Tree
题目链接:LeetCode / LeetCode中国
Language | Runtime | Memory |
---|---|---|
cpp | 16 ms | N/A |
/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode(int x) : val(x), left(NULL), right(NULL) {}
* };
*/
class Solution {
public:
vector<double> averageOfLevels(TreeNode* root) {
vector<double> res;
if(!root){
return res;
}
queue<TreeNode*> seq;
set<TreeNode*> visit;
visit.insert(root);
seq.push(root);
while(!seq.empty()){
int cnt = seq.size();
int cntt = cnt;
double sum = 0;
while(cnt--){
TreeNode* tmp = seq.front();
seq.pop();
if(tmp->left && !visit.count(tmp->left)){
visit.insert(tmp->left);
seq.push(tmp->left);
}
if(tmp->right && !visit.count(tmp->right)){
visit.insert(tmp->right);
seq.push(tmp->right);
}
sum += tmp->val;
}
res.push_back(sum / cntt);
}
return res;
}
};