-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathProblem_2641_replaceValueInTree.cc
59 lines (56 loc) · 1.25 KB
/
Problem_2641_replaceValueInTree.cc
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
#include <vector>
using namespace std;
struct TreeNode
{
int val;
TreeNode* left;
TreeNode* right;
TreeNode() : val(0), left(nullptr), right(nullptr) {}
TreeNode(int x) : val(x), left(nullptr), right(nullptr) {}
TreeNode(int x, TreeNode* left, TreeNode* right) : val(x), left(left), right(right) {}
};
class Solution
{
public:
// BFS
TreeNode* replaceValueInTree(TreeNode* root)
{
vector<TreeNode*> qA = {root};
// 根节点一定没有堂兄弟
root->val = 0;
while (!qA.empty())
{
vector<TreeNode*> qB;
int sum = 0;
// 先统计所有同层的节点和
for (auto& cur : qA)
{
if (cur->left)
{
qB.push_back(cur->left);
sum += cur->left->val;
}
if (cur->right)
{
qB.push_back(cur->right);
sum += cur->right->val;
}
}
// 再更新节点的值
for (auto& cur : qA)
{
int child_sum = (cur->left ? cur->left->val : 0) + (cur->right ? cur->right->val : 0);
if (cur->left)
{
cur->left->val = sum - child_sum;
}
if (cur->right)
{
cur->right->val = sum - child_sum;
}
}
qA.swap(qB);
}
return root;
}
};