이 진 트 리 의 층 당 평균 값 을 계산 하 다.

LeetCode 637. Average of Levels in Binary Tree
Given a non-empty binary tree, return the average value of the nodes on each level in the form of an array.
Example 1:
Input:
    3
   / \
  9  20
    /  \
   15   7
Output: [3, 14.5, 11]
Explanation:
The average value of nodes on level 0 is 3,  on level 1 is 14.5, and on level 2 is 11. Hence return [3, 14.5, 11].

제목 의 요구 에 따라 이 진 트 리 의 각 층 의 평균 치 를 구 해 야 한다. 등급 에 따라 구 해 를 한 이상 층 차 를 옮 겨 다 니 거나 BFS 의 전형 적 인 문제 라 고 할 수 있다.
관건 은 어떻게 정확하게 옮 겨 다 니 는 과정 에서 층 을 나 누 느 냐 하 는 것 이다. 사 고 는 대열 에 들 어 가 는 요소 의 갯 수 에 따라 구분 하 는 것 이다.코드 는 다음 과 같 습 니 다:
/**
 * 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 averageOfLevels(TreeNode* root) {
        vector v;
        if (root == NULL)
            return v;
        queue q;
        q.push(root);
        while (!q.empty())
        {
            int num = q.size();
            long temp = 0;
            for (int i = 0; i < num; i++)
            {
                TreeNode *top = q.front();
                q.pop();
                if (top->left != NULL)
                    q.push(top->left);
                if (top->right != NULL)
                    q.push(top->right);
                temp += top->val;
            }
            v.push_back((double)temp / num);
        }
        return v;
    }
};

좋은 웹페이지 즐겨찾기