# 路径总和 II

给你二叉树的根节点 root 和一个整数目标和 targetSum ,找出所有 从根节点到叶子节点 路径总和等于给定目标和的路径。

叶子节点 是指没有子节点的节点。

 

示例 1:

输入:root = [5,4,8,11,null,13,4,7,2,null,null,5,1], targetSum = 22
输出:[[5,4,11,2],[5,8,4,5]]

示例 2:

输入:root = [1,2,3], targetSum = 5
输出:[]

示例 3:

输入:root = [1,2], targetSum = 0
输出:[]

 

提示:

## template ```python class Solution: def pathSum(self, root: TreeNode, sum: int) -> List[List[int]]: pathvalue = 0 path = [] result = [] def preorder(node, pathvalue, sum, path, result): if node == None: return pathvalue += node.val path.append(node.val) if pathvalue == sum and node.left == None and node.right == None: result.append(list(path)) # 注意加list preorder(node.left, pathvalue, sum, path, result) preorder(node.right, pathvalue, sum, path, result) pathvalue -= node.val path.pop() preorder(root, pathvalue, sum, path, result) return result ``` ## 答案 ```python ``` ## 选项 ### A ```python ``` ### B ```python ``` ### C ```python ```