题目
输入一棵二叉树和一个整数,打印出二叉树中节点值的和为输入整数的所有路径。从树的根节点开始往下一直到叶节点所经过的节点形成一条路径。
思路
遍历二叉树,递归过程中依次用目标值减去当前节点的值,遍历过程中使用回溯法修改路径。当目标值减到零时,终止递归。
代码
class Solution {
List<List<Integer>> res = new LinkedList<>();
LinkedList<Integer> path = new LinkedList<>();
public List<List<Integer>> pathSum(TreeNode root, int sum) {
recur(root, sum);
return res;
}
void recur(TreeNode root, int target) {
if (root == null) {
return;
}
path.add(root.val);
target -= root.val;
if (target == 0 && root.left == null && root.right == null) {
res.add(new LinkedList<>(path));
}
recur(root.left, target);
recur(root.right, target);
path.removeLast();
}
}