给定一棵二叉树,其中每个节点都含有一个整数数值(该值或正或负)。设计一个算法,打印节点数值总和等于某个给定值的所有路径的数量。注意,路径不一定非得从二叉树的根节点或叶节点开始或结束,但是其方向必须向下(只能从父节点指向子节点方向)。
示例:
给定如下二叉树,以及目标和 sum = 22,
5
/ \
4 8
/ / \
11 13 4
/ \ / \
7 2 5 1
返回:
3
解释:和为 22 的路径有:[5,4,11,2], [5,8,4,5], [4,11,7]
提示:
- 节点总数 <= 10000
Python 解答:
# 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: TreeNode, sum: int) -> int:
if not root:
return 0
else:
res = self.dfs(root, sum)
return res + self.pathSum(root.left, sum) + self.pathSum(root.right, sum)
def dfs(self, root, target):
if not root:
return 0
elif root.val == target:
return 1 + self.dfs(root.left, target-root.val) + self.dfs(root.right, target-root.val)
else:
return self.dfs(root.left, target-root.val) + self.dfs(root.right, target-root.val)
留言