LeetCode-437. 路径总和 III

437. 路径总和 III


给定一个二叉树,它的每个结点都存放着一个整数值。

找出路径和等于给定数值的路径总数。

路径不需要从根节点开始,也不需要在叶子节点结束,但是路径方向必须是向下的(只能从父节点到子节点)。

二叉树不超过1000个节点,且节点数值范围是 [-1000000,1000000] 的整数。

示例:

root = [10,5,-3,3,2,null,11,3,-2,null,1], sum = 8

      10
     /  \
    5   -3
   / \    \
  3   2   11
 / \   \
3  -2   1

返回 3。和等于 8 的路径有:

1.  5 -> 3
2.  5 -> 2 -> 1
3.  -3 -> 11

解题思路:遇到树的问题尝试使用递归方法。pathSumHelper(self,root,sum_val)方法是求解以root为起始点的路径中和为sum_val的路径总数。那么对二叉树所有节点使用这个方法,将所有结果求和即可得到答案。

Python3代码如下:

# Definition for a binary tree node.
# class TreeNode:
#     def __init__(self, x):
#         self.val = x
#         self.left = None
#         self.right = None

class Solution:
    def pathSum(self, root, sum):
        """
        :type root: TreeNode
        :type sum: int
        :rtype: int
        """
        if not root:
            return 0
        return self.pathSumHelper(root,sum) + self.pathSum(root.left,sum) + self.pathSum(root.right,sum)
    def pathSumHelper(self,root,sum_val):
        result = 0
        if not root:
            return result
        if root.val == sum_val:
            result += 1
        sum_val -= root.val
        result += self.pathSumHelper(root.left,sum_val)
        result += self.pathSumHelper(root.right,sum_val)
        return result
        

LeetCode-437. 路径总和 III_第1张图片

你可能感兴趣的:(LeetCode)