[Leetcode 124, Hard] Binary Tree Maximum Path Sum

来源:互联网 发布:广州男装网络批发 编辑:程序博客网 时间:2024/04/30 02:04

Problem:

Given a binary tree, find the maximum path sum.

The path may start and end at any node in the tree.

For example:
Given the below binary tree,

       1      / \     2   3

Return 6.

Analysis:

The solution comes from the website: http://fisherlei.blogspot.com/2013/01/leetcode-binary-tree-maximum-path-sum.html 

Solutioins:

C++:

    int maxPathSum(TreeNode* root)     {        int maxAcrossRoot = INT_MIN;          int maxEndByRoot = GetMax(root, maxAcrossRoot);          return std::max(maxAcrossRoot, maxEndByRoot);      }        int GetMax(TreeNode *node, int& maxAcrossRoot)      {          if(node == NULL) return 0;          int left = GetMax(node->left, maxAcrossRoot);          int right = GetMax(node->right, maxAcrossRoot);          int cMax = node->val;          if(left>0)              cMax += left;          if(right>0)              cMax += right;          maxAcrossRoot = std::max(maxAcrossRoot, cMax);          return std::max(node->val, std::max(node->val + left, node->val + right));      } 
Java:


Python:

0 0
原创粉丝点击