输入一颗二叉树的跟节点和一个整数,打印出二叉树中结点值的和为输入整数的所有路径。路径定义为从树的根结点开始往下一直到叶结点所经过的结点形成一条路径。(注意: 在返回值的list中,数组长度大的数组靠前)
思路:先根遍历
注意一维数组向二维数组中怎么放。
private ArrayList<Integer> arr=new ArrayList<Integer>();
private ArrayList<ArrayList<Integer>> res=new ArrayList<ArrayList<Integer>>();
public ArrayList<ArrayList<Integer>> FindPath(TreeNode root,int target) {
if(root==null)
return res;
target-=root.val;
arr.add(root.val);
if(target==0 && root.left==null && root.right==null){
res.add(new ArrayList<Integer>(arr));
// System.out.println(res);
}
FindPath(root.left,target);
FindPath(root.right,target);
arr.remove(arr.size()-1);
return res;
}