Leecode40 combination-sum-ii

题目描述

给出一组候选数C和一个目标数T,找出候选数中起来和等于T的所有组合。
C中的每个数字在一个组合中只能使用一次。
注意:
题目中所有的数字(包括目标数T)都是正整数
组合中的数字 (a 1, a 2, … , a k) 要按非递增排序 (ie, a 1 ≤ a 2 ≤ … ≤ a k).
结果中不能包含重复的组合
例如:给定的候选数集是[10,1,2,7,6,1,5],目标数是8
解集是:
[1, 7]
[1, 2, 5]
[2, 6]
[1, 1, 6]

java 代码

import java.util.*;
public class Solution {
    public ArrayList<ArrayList<Integer>> combinationSum2(int[] candidates, int target) {
        ArrayList<ArrayList<Integer>> res = new ArrayList<>();
        if(candidates == null || candidates.length == 0 || target <= 0){return res;}
        
        Arrays.sort(candidates);
        combinationSumHelper(candidates,0,target,new ArrayList<Integer>(),res);
        
        return res;
    }
    public void  combinationSumHelper(int [] candidates,int index,int target,ArrayList<Integer> cur,ArrayList<ArrayList<Integer>> res){
         if(target == 0){
             res.add(new ArrayList<Integer> (cur));
         }else if(target > 0){
             for(int i = index; i < candidates.length; i++){
                // if(candidates[i] > target) break;
                 if(i != index && candidates[i] == candidates[i-1]) continue;
                 cur.add(candidates[i]);
                 combinationSumHelper(candidates,i+1,target - candidates[i],cur,res);
                 cur.remove(cur.size()-1);
             }
         }
     }
}
发布了52 篇原创文章 · 获赞 0 · 访问量 565

猜你喜欢

转载自blog.csdn.net/weixin_40300702/article/details/104940714