39. 组合总和(回溯)

回溯法
注意设置遍历的位置index,然后在深度搜索的时候传入i(不是i+1是因为可以重复使用当前数字)

class Solution {
    public List<List<Integer>> combinationSum(int[] candidates, int target) {
        List<List<Integer>> ans = new ArrayList<>();
        // Arrays.sort(candidates);
        dfs(candidates, target, ans, new ArrayList<>(), 0);
        return ans;
    }
    private void dfs(int[] candidates, int target, List<List<Integer>> ans, List<Integer> list, int index) {
        if (target < 0) return;
        if (target == 0) ans.add(new ArrayList<>(list));
        else {
            for (int i = index; i < candidates.length; ++i) {
                int cur = candidates[i];
                list.add(cur);
                dfs(candidates, target - cur, ans, list, i);
                list.remove(list.size() - 1);
            }
        }
    }
}

你可能感兴趣的:(LeetCode,开发语言,算法,java,数据结构,leetcode)