解题报告-Leecode 563. 二叉树的坡度——Leecode每日一题系列
Posted 来老铁干了这碗代码
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了解题报告-Leecode 563. 二叉树的坡度——Leecode每日一题系列相关的知识,希望对你有一定的参考价值。
今天是坚持每日一题打卡的第二十二天
题目链接:https://leetcode-cn.com/problems/binary-tree-tilt/
题解汇总:https://zhanglong.blog.csdn.net/article/details/121071779
题目描述
给定一个二叉树,计算 整个树 的坡度 。
一个树的 节点的坡度 定义即为,该节点左子树的节点之和和右子树节点之和的 差的绝对值 。如果没有左子树的话,左子树的节点之和为 0 ;没有右子树的话也是一样。空结点的坡度是 0 。
整个树 的坡度就是其所有节点的坡度之和。
示例 1:
输入:root = [1,2,3]
输出:1
解释:
节点 2 的坡度:|0-0| = 0(没有子节点)
节点 3 的坡度:|0-0| = 0(没有子节点)
节点 1 的坡度:|2-3| = 1(左子树就是左子节点,所以和是 2 ;右子树就是右子节点,所以和是 3 )
坡度总和:0 + 0 + 1 = 1
示例 2:
输入:root = [4,2,9,3,5,null,7]
输出:15
解释:
节点 3 的坡度:|0-0| = 0(没有子节点)
节点 5 的坡度:|0-0| = 0(没有子节点)
节点 7 的坡度:|0-0| = 0(没有子节点)
节点 2 的坡度:|3-5| = 2(左子树就是左子节点,所以和是 3 ;右子树就是右子节点,所以和是 5 )
节点 9 的坡度:|0-7| = 7(没有左子树,所以和是 0 ;右子树正好是右子节点,所以和是 7 )
节点 4 的坡度:|(3+5+2)-(9+7)| = |10-16| = 6(左子树值为 3、5 和 2 ,和是 10 ;右子树值为 9 和 7 ,和是 16 )
坡度总和:0 + 0 + 0 + 2 + 7 + 6 = 15
示例 3:
输入:root = [21,7,14,1,1,2,2,3,3]
输出:9
提示:
树中节点数目的范围在 [0, 104] 内
-1000 <= Node.val <= 1000
代码:先序遍历 + 递归计算左右子树差值
class Solution
private:
int res = 0;
public:
int findTilt(TreeNode* root)
preOrder(root);
return res;
// 前序遍历
void preOrder(TreeNode *t)
if(t == nullptr) return;
int sumOfLeftNode = 0, sumOfRightNode = 0;
if (t->left != nullptr)
sumOfLeftNode = countOfSlope(t->left);
if (t->right != nullptr)
sumOfRightNode = countOfSlope(t->right);
res += abs(sumOfRightNode-sumOfLeftNode);
if(t->left != nullptr) preOrder(t->left);
if(t->right != nullptr) preOrder(t->right);
// 计算坡度
int countOfSlope(TreeNode *t)
if (t == nullptr) return 0;
if (t->left != nullptr && t->right != nullptr) // 两个子节点都非空
return countOfSlope(t->left) + countOfSlope(t->right) + t->val;
else if (t->left == nullptr && t->right != nullptr) // 右节点非空
return countOfSlope(t->right) + t->val;
else if (t->left != nullptr && t->right == nullptr) // 左节点非空
return countOfSlope(t->left) + t->val;
else if (t->left == nullptr && t->right == nullptr) // 左右节点都空,返回本值
return t->val;
return 0;
;
优化:将遍历 + 计算合一
class Solution
private:
int res = 0;
public:
int findTilt(TreeNode* root)
dfs(root);
return res;
int dfs(TreeNode *t)
if(t == nullptr) return 0;
int sumOfLeftNode = 0, sumOfRightNode = 0;
if(t->left != nullptr)
sumOfLeftNode = dfs(t->left);
if(t->right != nullptr)
sumOfRightNode = dfs(t->right);
res += abs (sumOfLeftNode - sumOfRightNode);
return sumOfLeftNode + sumOfRightNode + t->val;
;
——他日若遂凌云志,敢笑黄巢不丈夫。
以上是关于解题报告-Leecode 563. 二叉树的坡度——Leecode每日一题系列的主要内容,如果未能解决你的问题,请参考以下文章