1. 程式人生 > >Leetcode 124.二叉樹中的最大路徑和

Leetcode 124.二叉樹中的最大路徑和

124.二叉樹中的最大路徑和

給定一個非空二叉樹,返回其最大路徑和。

本題中,路徑被定義為一條從樹中任意節點出發,達到任意節點的序列。該路徑至少包含一個節點,且不一定經過根節點。

示例 1:

輸入: [1,2,3]

 

1

/ \

2 3

 

輸出: 6

示例 2:

輸入: [-10,9,20,null,null,15,7]

 

  -10

   / \

  9  20

    /  \

   15   7

 

輸出: 42

 

 1 class Solution{
 2 public:
 3     int max=INT_MIN;
 4     int dfs(TreeNode* root){
 5         int left_max=root->left?dfs(root->left):0;
 6         int right_max=root->right?dfs(root->right):0;
 7         if(left_max<0) left_max=0;
 8         if(right_max<0) right_max=0;
9 int temp=left_max+right_max+root->val; 10 if(temp>max){ 11 max=temp; 12 } 13 return root->val+(left_max>right_max?left_max:right_max); 14 } 15 16 int maxPathSum(TreeNode* root){ 17 if(root){ 18 dfs(root); 19 }else
{ 20 return 0; 21 } 22 return max; 23 } 24 };