组合总和 II

给定一个数组 candidates 和一个目标数 target ,找出 candidates 中所有可以使数字和为 target 的组合。

 

candidates 中的每个数字在每个组合中只能使用一次。

 

说明:

 

所有数字(包括目标数)都是正整数。

解集不能包含重复的组合。 

示例 1:

 

输入: candidates = [10,1,2,7,6,1,5], target = 8,

所求解集为:

[

  [1, 7],

  [1, 2, 5],

  [2, 6],

  [1, 1, 6]

]

示例 2:

 

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

所求解集为:

[

  [1,2,2],

  [5]

]

 

回溯法

static List<List<Integer>> lists = new ArrayList<>();
    public static List<List<Integer>> combinationSum2(int[] candidates, int target) {
        Arrays.sort(candidates);
        //对数组进行排序   这个很关键
        if (candidates == null || candidates.length == 0 || target < 0) {
            return lists;
        }
        List<Integer> list = new ArrayList<>();
        dfs(list,candidates,target,0);
        return lists;
    }
    private static void dfs(List<Integer> list, int[] candidates,int target,int start){
        //递归的终止条件
        if(target < 0){
            return;
        }
        if(target == 0) {
            lists.add(new ArrayList<>(list));
        }
        else {
            for(int i = start;i<candidates.length;i++){
          //因为这个数和上个数相同,所以从这个数开始的所有情况,在上个数里面都考虑过了,需要跳过
                if(i !=start && candidates[i] == candidates[i-1]){
                    continue;
                }
                list.add(candidates[i]);
                dfs(list,candidates,target-candidates[i],i+1);
                list.remove(list.size()-1);
                //归去来兮
            }
        }
    }

//因为这个数和上个数相同,所以从这个数开始的所有情况,在上个数里面都考虑过了,需要跳过

这句话很重要

主函数

public static void main(String[] args) {
        System.out.println("请输入数组 candidates 和一个目标数 target");
        Scanner sc = new Scanner(System.in);
        String orign = sc.nextLine();
        int a =0;
        int b =0;
        for(int i =0;i<orign.length();i++){
            if(orign.charAt(i) =='['){
                a =i;
            }
            else if(orign.charAt(i) ==']'){
                b =i;
            }
        }
        String nums =orign.substring(a+1,b);
        List<Integer> list = new ArrayList<>();
        String[] intnums = nums.split("\\,");
        int[] candidate = new int[intnums.length];
        for (int i =0;i<intnums.length;i++){
            candidate[i] = Integer.parseInt(intnums[i]);
        }
//        int j =0;
//        for(int i =0;i<nums.length();i++){
//            if(nums.charAt(i)>=48 && nums.charAt(i)<=57){
//                list.add((int)(nums.charAt(i)-'0'));
//                ++j;
//
//            }
//        }

        String tar = orign.substring(b+1,orign.length()-1);
        //在tar中提取数字
        String str2 ="";
        if(tar != null && !"".equals(tar)){
            for(int i=0;i<tar.length();i++){
                if(tar.charAt(i)>=48 && tar.charAt(i)<=57){
                    str2+=tar.charAt(i);
                }
            }
        }
        int target =Integer.parseInt(str2);

        System.out.println(combinationSum2(candidate,target));
    }

结果