力扣练习第三十天——二叉树的最大路径和

力扣练习第三十天——二叉树的最大路径和

题目大致如下:
给定一个非空二叉树,返回其最大路径和。
本题中,路径被定义为一条从树中任意节点出发,达到任意节点的序列。该路径至少包含一个节点,且不一定经过根节点。

示例一:
输入: [1,2,3]
1
/ \
2 3
输出: 6

示例二:
输入: [-10,9,20,null,null,15,7]
输出:42

链接来源于LeetCode:https://leetcode-cn.com/problems/binary-tree-maximum-path-sum/

大致思路:
采用递归的思想,求出每个子路径的和计算出来,再寻找其中最大值。

代码如下:

class Solution {
public:
       int find(TreeNode* root, int& max_path) {
        if (root == NULL) return 0;
        int left = max(find(root->left, max_path), 0);
        int right = max(find(root->right, max_path), 0);
        max_path = max(max_path, left + right + root->val);
        return max(left + root->val, right + root->val);
    }
    int maxPathSum(TreeNode* root) {
        int max_path = INT_MIN;
        find(root, max_path);
        return max_path;
    }
};

结果:
力扣练习第三十天——二叉树的最大路径和_第1张图片力扣练习第三十天——二叉树的最大路径和_第2张图片

你可能感兴趣的:(#,训练50天)