博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
组合求和 Combination Sum
阅读量:5915 次
发布时间:2019-06-19

本文共 1779 字,大约阅读时间需要 5 分钟。

  hot3.png

问题:

Given a set of candidate numbers (C(without duplicates) and a target number (T), find all unique combinations in C where the candidate numbers sums to T.

The same repeated number may be chosen from C unlimited number of times.

Note:

  • All numbers (including target) will be positive integers.
  • The solution set must not contain duplicate combinations.

For example, given candidate set [2, 3, 6, 7] and target 7

A solution set is: 

[  [7],  [2, 2, 3]]

解决:

① 结果要求返回所有符合要求解的题十有八九都是要利用到递归,而且解题的思路都大同小异,需要另写一个递归函数。注意是可以连续选择同一个数加入组合的。与方法②一样

class Solution { //17 ms

    public static List<List<Integer>> combinationSum(int[] candidates, int target){
        Arrays.sort(candidates);
        List<List<Integer>> res = new ArrayList<>();
        List<Integer> cur = new ArrayList<>();
        dfs(candidates,0,target,cur,res);
        return res;
    }
    private static void dfs(int[] candidates, int i, int target, List<Integer> cur, List<List<Integer>> res) {//i表示当前遍历到的下标。
        if(target < 0)    return;
        if(target == 0){
           
res.add(new ArrayList<>(cur));
            return;
        }
        for(int j = i; j < candidates.length && target >= candidates[j]; j ++){
            cur.add(candidates[j]);
            dfs(candidates,j,target - candidates[j],cur,res);//递归向后查找
            cur.remove(cur.size() - 1);//还原链表
        }
    }
}

② 简化

class Solution { //19ms

    List<List<Integer>> res = new ArrayList<>();  
    public List<List<Integer>> combinationSum(int[] candidates, int target) {
        List<Integer> cur = new ArrayList<>();
        dfs(candidates, 0, target, cur);
        return res;
    } 
    private void dfs(int[] nums, int i,int target, List<Integer> cur) {//i表示当前遍历到的位置
        if (target == 0) {
            res.add(new ArrayList<>(cur));
            // return;
        }    
        for (int j = i; j < nums.length; j ++) {
            if (nums[j] <= target) {
                cur.add(nums[j]);
                dfs(nums, j, target - nums[j], cur);
                cur.remove(cur.size() - 1);
            }
        }
    } 
}

转载于:https://my.oschina.net/liyurong/blog/1528471

你可能感兴趣的文章
post sharp 与log4net 结合使用,含执行源码 转拷
查看>>
js获取7天之前的日期或者7天之后的日期
查看>>
mysql 数据库 引擎
查看>>
canvas绘制五角星
查看>>
Oracle数据库启动时:ORA-00119: invalid specification for system parameter LOCAL_LISTENER; ORA-00132错误解决...
查看>>
Mysql的操作说明
查看>>
UDP的坏处
查看>>
FMX TListView 动态添加Item和Item里面的Object
查看>>
[POJ] The Triangle
查看>>
玩Android的第一天
查看>>
javascript 获取元素宽高
查看>>
设计模式----中介模式
查看>>
Slasher Flick
查看>>
bzoj1001+最小割
查看>>
HDOJ2717(BFS)
查看>>
壳的运行原理
查看>>
OSI七层模型与TCP/IP四层模型
查看>>
JS --- 延迟加载的几种方式
查看>>
JVM运行是内存模型
查看>>
问题账户需求分析
查看>>