C++ 中二叉树的层级平均值
c++server side programmingprogramming
假设我们有一个非空二叉树;我们必须找到每个级别上节点的平均值,并将平均值作为数组返回。
因此,如果输入如下
则输出为 [3, 14.5, 11]。
为了解决这个问题,我们将遵循以下步骤 −
定义数组结果
定义一个队列 q
将根插入 q
当(不是 q 为空)时,执行 −
n := q 的大小
定义一个数组 temp
当 n 非零时,执行 −
t := q 的第一个元素
将 t 的值插入 temp 中
从 q 中删除元素
如果 t 的左侧不为空,则 −
将 t 的左侧插入 q 中
如果 t 的右侧不为空,则 −
将 t 的右侧插入q
(将 n 减少 1)
如果 temp 的大小与 1 相同,则 −
在结果末尾插入 temp[0]
否则,当 temp 的大小 > 1 时,则 −
sum := 0
用于初始化 i := 0,当 i < temp 的大小,更新(将 i 增加 1),执行 −
sum := sum + temp[i]
在结果末尾插入(sum / temp 的大小)
return result
示例
让我们看下面的实现,以便更好地理解 −
#include <bits/stdc++.h> using namespace std; void print_vector(vector<auto> v){ cout << "["; for(int i = 0; i<v.size(); i++){ cout << v[i] << ", "; } cout << "]"<<endl; } class TreeNode{ public: int val; TreeNode *left, *right; TreeNode(int data){ val = data; left = NULL; right = NULL; } }; void insert(TreeNode **root, int val){ queue<TreeNode*> q; q.push(*root); while(q.size()){ TreeNode *temp = q.front(); q.pop(); if(!temp->left){ if(val != NULL) temp->left = new TreeNode(val); else temp->left = new TreeNode(0); return; } else{ q.push(temp->left); } if(!temp->right){ if(val != NULL) temp->right = new TreeNode(val); else temp->right = new TreeNode(0); return; } else{ q.push(temp->right); } } } TreeNode *make_tree(vector<int> v){ TreeNode *root = new TreeNode(v[0]); for(int i = 1; i<v.size(); i++){ insert(&root, v[i]); } return root; } class Solution{ public: vector<float> averageOfLevels(TreeNode *root){ vector<float> result; queue<TreeNode*> q; q.push(root); while (!q.empty()) { int n = q.size(); vector<float> temp; while (n) { TreeNode* t = q.front(); temp.push_back(t->val); q.pop(); if (t->left && t->left->val != 0) q.push(t->left); if (t->right && t->right->val != 0) q.push(t->right); n--; } if (temp.size() == 1) result.push_back(temp[0]); else if (temp.size() > 1) { double sum = 0; for (int i = 0; i < temp.size(); i++) { sum += temp[i]; } result.push_back(sum / temp.size()); } } return result; } }; main(){ Solution ob; vector<int> v = {3,9,20,NULL,NULL,15,7}; TreeNode *root = make_tree(v); print_vector(ob.averageOfLevels(root)); }
输入
{3,9,20,NULL,NULL,15,7}
输出
[3, 14.5, 11, ]