路径总和II

LeetCode每日一题,113. Path Sum II

先看题目描述

大意就是给定一个二叉树和目标和,让我们找到所有从根节点到叶子节点路径总和等于给定目标和的路径

算法和思路

这题很简单,直接用回溯就可以

我们可以采用深度优先搜索的方式,枚举每一条从根节点到叶子节点的路径。当我们遍历到叶子节点,且此时路径和恰为目标和时,我们就找到了一条满足条件的路径

算法源码

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
import java.util.ArrayList;
import java.util.List;

/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode(int x) { val = x; }
* }
*/
class Solution {
private List<List<Integer>> res = new ArrayList<List<Integer>>();
private List<Integer> temp = new ArrayList<>();

public List<List<Integer>> pathSum(TreeNode root, int sum) {
dfs(root, 0, sum);
return res;
}

private void dfs(TreeNode root, int curSum, int sum) {
if (root == null) return;
temp.add(root.val);
curSum += root.val;
if (root.left == null && root.right == null) {
if (curSum == sum) res.add(new ArrayList<>(temp));
}
dfs(root.left, curSum, sum);
dfs(root.right, curSum, sum);
temp.remove(temp.size() - 1);
curSum -= root.val;
}
}