二叉树中和为某一值的路径

题目

二叉树中和为某一值的路径

输入一颗二叉树的跟节点和一个整数,打印出二叉树中结点值的和为输入整数的所有路径。路径定义为从树的根结点开始往下一直到叶结点所经过的结点形成一条路径。(注意: 在返回值的 list 中,数组长度大的数组靠前)

解题思路

  1. 将走过的路径记录下来,当走过路径总和 = target 并且当前节点是叶子节点时,该路径符合要求
  2. 通过递归遍历所有可能的路径
  1. public ArrayList<ArrayList<Integer>> FindPath(TreeNode root, int target) {
  2. ArrayList<ArrayList<Integer>> res = new ArrayList<>();
  3. FindPath(res, new LinkedList<>(), root, 0, target);
  4. res.sort(Comparator.comparingInt(list -> -list.size()));
  5. return res;
  6. }
  7. private void FindPath(ArrayList<ArrayList<Integer>> res,
  8. LinkedList<Integer> path,
  9. TreeNode node,
  10. int pathSum,
  11. int target) {
  12. if (node == null) {
  13. return;
  14. }
  15. if (pathSum > target) {
  16. return;
  17. }
  18. if (pathSum + node.val == target && node.right == null && node.left == null) {
  19. ArrayList<Integer> resPath = new ArrayList<>(path);
  20. resPath.add(node.val);
  21. res.add(resPath);
  22. return;
  23. }
  24. path.addLast(node.val);
  25. if (node.left != null) {
  26. FindPath(res, path, node.left, pathSum + node.val, target);
  27. }
  28. if (node.right != null) {
  29. FindPath(res, path, node.right, pathSum + node.val, target);
  30. }
  31. path.removeLast();
  32. }