Skip to content

Latest commit

 

History

History
49 lines (38 loc) · 1.16 KB

Question_113.md

File metadata and controls

49 lines (38 loc) · 1.16 KB

LeetCode Records - Question 113 Path Sum II

Attempt 1: Use a ArrayList to record the current list

class Solution {

    private List<List<Integer>> result;
    private List<Integer> list;

    public List<List<Integer>> pathSum(TreeNode root, int targetSum) {
        result = new ArrayList<>();
        if (root == null) {
            return result;
        }

        list = new ArrayList<>();

        pathSumRecursion(root, targetSum, 0);

        return result;
    }

    private void pathSumRecursion(TreeNode root, int targetSum, int sum) {
        int newSum = root.val + sum;
        list.add(root.val);

        if (root.left == null && root.right == null) {
            if (newSum == targetSum) {
                result.add(new ArrayList<>(list));
            }
            list.removeLast();
            return;
        }

        if (root.left != null) {
            pathSumRecursion(root.left, targetSum, newSum);
        }
        if (root.right != null) {
            pathSumRecursion(root.right, targetSum, newSum);
        }

        list.removeLast();
    }
}
  • Runtime: 1 ms (Beats: 99.91%)
  • Memory: 44.30 MB (Beats: 79.54%)