题目描述
输入一颗二叉树的跟节点和一个整数,打印出二叉树中结点值的和为输入整数的所有路径。路径定义为从树的根结点开始往下一直到叶结点所经过的结点形成一条路径。(注意: 在返回值的list中,数组长度大的数组靠前)
CODE
import java.util.ArrayList;
/**
public class TreeNode {
int val = 0;
TreeNode left = null;
TreeNode right = null;
public TreeNode(int val) {
this.val = val;
}
}
*/
public class Solution {
ArrayList<ArrayList<Integer>> list = new ArrayList<ArrayList<Integer>>(); // 定义全局变量
public ArrayList<ArrayList<Integer>> FindPath(TreeNode root,int target) {
if(root == null)
return list;
int curSum = 0; // 当前路径和
int[] path = new int[100]; // 当前路径
int index = 0; // 到目前存的结点个数
isTargetPath(root,curSum,path,index,target);
return list;
}
public void isTargetPath(TreeNode root, int curSum, int[] path, int index, int target){
if(root == null) // 已经到叶子结点下面的空结点了,说明这条路径和没有达到target.退出这次函数
return;
curSum += root.val;
path[index++] = root.val;
if(root.left == null && root.right == null && curSum == target){
ArrayList<Integer> arr = new ArrayList<Integer>();
for(int i=0; i < index; i++){
arr.add(path[i]);
}
list.add(arr);
return; // 找到一条路径,退出当前函数,进行下一个函数
}
if(root.left != null && curSum < target){
isTargetPath(root.left,curSum,path,index,target);
}
if(root.right != null && curSum < target){
isTargetPath(root.right,curSum,path,index,target);
}
}
}