124. Binary Tree Maximum Path Sum

题目描述:

Given a binary tree, find the maximum path sum.

For this problem, a path is defined as any sequence of nodes from some starting node to any node in the tree along the parent-child connections. The path must contain at least one node and does not need to go through the root.

For example: Given the below binary tree,

       1
      / \
       2   3

Return 6.

题目翻译

给出一个二叉树,找到其中的最大路径和。 路径可以从树中任意一个节点开始和结束。 例如: 给出如下二叉树,

       1
      / \
       2   3

返回6。

解题方案

标签:

思路:

递归来看,如果只是一个节点,那么当然就是这个节点的值了。 如果这个作为root,那么最长路应该就是F(left) + F(right) + val。当然如果left,或者right<0就不用加。 我们从下往上找,如果不这个不是root,那么就不能把left和right加起来了,因为只是一条路。

代码:

/**
 * Definition for binary tree
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode(int x) : val(x), left(NULL), right(NULL) {}
 * };
 */
class Solution {
public:
    int ans;
    int scanT(TreeNode* root){
        if(root == NULL) return 0;
        int left = scanT(root -> left);
        int right = scanT(root -> right);
        int val = root -> val;
        if(left > 0) val += left;
        if(right > 0) val += right;
        if(val > ans) ans = val;
        return max(root->val ,max(left +  root -> val , right + root -> val));
    }
    int maxPathSum(TreeNode *root) {
        // Start typing your C/C++ solution below
        // DO NOT write int main() function
        if(root == NULL) return 0;
        ans = root -> val;
        scanT(root);
        return ans;
    }
};

参考资料

results matching ""

    No results matching ""