自学内容网 自学内容网

Leetcode面试经典150题-39.组合总数

给你一个 无重复元素 的整数数组 candidates 和一个目标整数 target ,找出 candidates 中可以使数字和为目标数 target 的 所有 不同组合 ,并以列表形式返回。你可以按 任意顺序 返回这些组合。

candidates 中的 同一个 数字可以 无限制重复被选取 。如果至少一个数字的被选数量不同,则两种组合是不同的。 

对于给定的输入,保证和为 target 的不同组合数少于 150 个。

示例 1:

输入:candidates = [2,3,6,7], target = 7
输出:[[2,2,3],[7]]
解释:
2 和 3 可以形成一组候选,2 + 2 + 3 = 7 。注意 2 可以使用多次。
7 也是一个候选, 7 = 7 。
仅有这两种组合。

示例 2:

输入: candidates = [2,3,5], target = 8
输出: [[2,2,2,2],[2,3,3],[3,5]]

示例 3:

输入: candidates = [2], target = 1
输出: []

提示:

  • 1 <= candidates.length <= 30
  • 2 <= candidates[i] <= 40
  • candidates 的所有元素 互不相同
  • 1 <= target <= 40

组合总数系列题最简单的,这个还好,只要你会递归就行,啥回溯不回溯的都不重要,又不需要恢复现场,这个题重点是剪枝,其他的就不多说了,上代码,看不懂的请留言或者私信,收到第一时间解答

class Solution {
    /**这个题我准备使用最简单的回溯方法,定义函数dfs表示我们当前要尝试candidates的curIndex位置
    还有targetLeft的和需要凑出,一旦出现targetLeft为0的就加到结果里 */
    public List<List<Integer>> combinationSum(int[] candidates, int target) {
        /**数组长度比较小,先排个序*/
        Arrays.sort(candidates);
        return dfs(candidates, 0, target);
    }

    public List<List<Integer>> dfs(int[] candidates, int curIndex, int targetLeft) {
        List<List<Integer>> ans = new ArrayList<>();
        if(targetLeft < 0) {
            /**如果出现了小于0的情况,说明前面的过程错误,本次尝试无效 */
            return ans;
        }
        if(targetLeft == 0) {
            /**如果为0了说明这是一次成功的常识,返回添加空元素的ans */
            ans.add(new ArrayList<>());
            return ans;
        }
        /**如果targetLeft不是0但是没有数可以尝试了,也是失败的 */
        if(curIndex == candidates.length) {
            return ans;
        }
        /**当前数组按照从小到达排序,如果targetLeft小于当前数,则当前数及其后面的数不用再尝试,整体失败*/
        if(targetLeft < candidates[curIndex]) {
            return ans;
        }
        /**其他情况正常尝试,当前位置的数可以使用0~targetLeft/candicates[curIndex]次*/
        for(int num = 0; num <= targetLeft/candidates[curIndex]; num ++) {
            List<List<Integer>> ansNext = dfs(candidates, curIndex + 1, targetLeft - num * candidates[curIndex]);
            for(List<Integer> list : ansNext) {
                /**当前位置的数使用了多少个就加多少个,题目没有要求加在最前面建议直接add,否则使用list.add(0,candidates[curIndex])*/
                for(int i = 0; i < num; i++) {
                    list.add(candidates[curIndex]);
                }
                ans.add(list);
            }
        }
        return ans;
    }
}


原文地址:https://blog.csdn.net/Chang_Yafei/article/details/142420824

免责声明:本站文章内容转载自网络资源,如本站内容侵犯了原著者的合法权益,可联系本站删除。更多内容请关注自学内容网(zxcms.com)!