leetcode637. 二叉树的层平均值/层次遍历

题目:637. 二叉树的层平均值

给定一个非空二叉树, 返回一个由每层节点平均值组成的数组。

示例 1:

输入:
    3
   / \
  9  20
    /  \
   15   7
输出:[3, 14.5, 11]
解释:
第 0 层的平均值是 3 ,1层是 14.5 ,2层是 11 。因此返回 [3, 14.5, 11]

提示:

  • 节点值的范围在32位有符号整数范围内。

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/average-of-levels-in-binary-tree
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

基本思想:层次遍历

/**
 * 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;
        queue<TreeNode*> q;
        if(root == NULL)
            return res;
        q.push(root);
        while(!q.empty()){
    
    
            int n = q.size();
            int t = n;
            double cur = 0;
            while(n--){
    
    
                auto temp = q.front();
                q.pop();
                cur += temp->val;
                if(temp->left){
    
    
                    q.push(temp->left);
                }
                if(temp->right){
    
    
                    q.push(temp->right);
                }
            }
            res.push_back(cur / t);
        }
        return res;
    }
};

猜你喜欢

转载自blog.csdn.net/qq_31672701/article/details/108550462