1. 程式人生 > 其它 >[LeetCode] #40 組合總和 II

[LeetCode] #40 組合總和 II

[LeetCode] #40 組合總和 II

給定一個數組candidates和一個目標數target,找出candidates中所有可以使數字和為target的組合。

candidates中的每個數字在每個組合中只能使用一次。

注意:解集不能包含重複的組合。

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

[LeetCode] #39 組合總和思路相同,使用回溯演算法

class Solution {
    public List<List<Integer>> combinationSum2(int[] candidates, int
target) { List<List<Integer>> res = new ArrayList<>(); List<Integer> list = new ArrayList<>(); Arrays.sort(candidates); helper(candidates, target, res, list, 0); return res; } private void helper(int[] candidates, int target, List<List<Integer>> res, List<Integer> list, int
index) { if(target == 0) { res.add(new ArrayList<>(list)); return; } for(int i = index; i < candidates.length; i++) { if(target - candidates[i] >= 0) { if(i > index && candidates[i]==candidates[i-1]) continue
; list.add(candidates[i]); helper(candidates, target - candidates[i], res, list, i + 1); list.remove(list.size()-1); } else { break; } } } }

知識點:

總結: