题目描述
给定一个二叉树和一个目标和,找到所有从根节点到叶子节点路径总和等于给定目标和的路径。
说明: 叶子节点是指没有子节点的节点。
样例
给定如下二叉树,以及目标和 sum = 22,
5
/ \
4 8
/ / \
11 13 4
/ \ / \
7 2 5 1
返回:
[
[5,4,11,2],
[5,8,4,5]
]
算法分析
- 1、
path
表示当前递归的路径的记录 - 2、从根结点开始往下递归,递归过程中记录当前路径的和
pre
的值 以及 走的路径path
,当递归到当前节点,可以往左边递归,也可以往右边递归,直到走到叶结点时判断pre == sum
是否成立,若成立表示存路径总和是sum
,并打该路径加入到ans
中
时间复杂度 $O(n)$
Java 代码
/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode(int x) { val = x; }
* }
*/
class Solution {
static List<List<Integer>> ans = new ArrayList<List<Integer>>();
static List<Integer> path = new ArrayList<Integer>();
static void dfs(TreeNode root,int pre,int sum)
{
path.add(root.val);
pre = pre + root.val;
if(root.left == null && root.right == null)
{
if(pre == sum)
ans.add(new ArrayList(path));
path.remove(path.size() - 1);
return;
}
if(root.left != null) dfs(root.left,pre,sum);
if(root.right != null) dfs(root.right,pre,sum);
path.remove(path.size() - 1);
}
public List<List<Integer>> pathSum(TreeNode root, int sum) {
ans.clear();
if(root == null) return ans;
dfs(root,0,sum);
return ans;
}
}