题目描述
输入一颗二叉树和一个整数,打印出二叉树中结点值的和为输入整数的所有路径。路径定义为从树的根结点开始往下一直到叶结点所经过的结点形成一条路径。
解题思路
前序遍历,遍历时记录当前的路径和 总和。
import java.util.ArrayList;
public class erchashuzhongheweimouyizhidelujing {
public void getPath(TreeNode root, int target, int total, ArrayList<Integer> path,
ArrayList<ArrayList<Integer>> result) {
if (root == null)
return;
int val = root.val;
path.add(val);
total += val;
if (root.left == null && root.right == null)
if (total == target) {
result.add((ArrayList<Integer>) path.clone());
}
getPath(root.left, target, total, path, result);
getPath(root.right, target, total, path, result);
path.remove(path.size() - 1);
total -= val;
}
public ArrayList<ArrayList<Integer>> FindPath(TreeNode root, int target) {
if (root == null)
return new ArrayList<ArrayList<Integer>>();
ArrayList<ArrayList<Integer>> result = new ArrayList<ArrayList<Integer>>();
getPath(root, target, 0, new ArrayList<Integer>(), result);
return result;
}
}