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
.
求树的最大路径和~这里路径可以起始和终结于任意节点~这种题还是不太会,不知道怎么写,看了别人的答案才写出来的~一个结点自身的最长路径就是它的左子树返回值(如果大于0的话),加上右子树的返回值(如果大于0的话),再加上自己的值。而返回值则是自己的值加上左子树返回值,右子树返回值或者0~在过程中求得当前最长路径时比较一下是不是目前最长的,如果是则更新~感觉这题比较有技巧性,希望自己下次看到能再写出来~
class Solution:
# @param root, a tree node
# @return an integer
def maxPathSum(self, root):
if root is None: return 0
self.res = - (1 << 31) #-2147483648
self.helper(root)
return self.res
def helper(self, root):
if root is None: return 0
left = max(0, self.helper(root.left))
right = max(0, self.helper(root.right))
self.res = max(self.res, root.val + left + right)
return root.val + max(left, right)