[LeetCode]124 二叉树中的最大路径和

题目描述

给定一个非空二叉树,返回其最大路径和。

本题中,路径被定义为一条从树中任意节点出发,达到任意节点的序列。该路径至少包含一个节点,且不一定经过根节点。

示例1:

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

示例2:

输入: [-10,9,20,null,null,15,7]
       -10
       / \
      9  20
        /  \
       15   7
输出: 42

代码

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, x):
# self.val = x
# self.left = None
# self.right = None

class Solution:
def maxPathSum(self, root):
"""
:type root: TreeNode
:rtype: int
"""
self.maxPath = -2**31
self.reRoot(root)
return self.maxPath

def reRoot(self, root):
if root == None:
return 0
left = max(0, self.reRoot(root.left))
right = max(0, self.reRoot(root.right))
self.maxPath = max(self.maxPath, root.val+left+right)
return max(root.val, root.val+max(right, left))