Given a binary tree and a sum, find all root-to-leaf paths where each path's sum equals the given sum.
5
/ \
4 8
/ / \
11 13 4
/ \ / \
7 2 5 1
[
[5,4,11,2],
[5,8,4,5]
]
/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode(int x) { val = x; }
* }
*/
class Solution {
public List<List<Integer>> pathSum(TreeNode root, int sum) {
List<List<Integer>> ret = new ArrayList<>();
if(root == null)
return ret;
List<Integer> path = new ArrayList<Integer>();
dfs(root, sum, path, ret);
return ret;
}
public void dfs(TreeNode root, int sum, List<Integer> path, List<List<Integer>> ret){
path.add(root.val);//开始就加入
//是叶节点并且此处加入val值
if(root.left == null && root.right == null && sum - root.val == 0){
ret.add(new ArrayList<Integer>(path));
}
//检测是否存在left
if(root.left != null){
dfs(root.left, sum - root.val, path, ret);
}
if(root.right != null){
dfs(root.right, sum - root.val, path, ret);
}
path.remove(path.size() - 1);//结束移除
}
}