(一)题目描述
给定一个无重复元素的正整数数组 candidates 和一个正整数 target ,找出 candidates 中所有可以使数字和为目标数 target 的唯一组合。candidates 中的数字可以无限制重复被选取。如果至少一个所选数字数量不同,则两种组合是唯一的。 对于给定的输入,保证和为 target 的唯一组合数少于 150 个。
示例 1:
输入: candidates = [2,3,6,7], target = 7
输出: [[7],[2,2,3]]
示例 2:
输入: candidates = [2,3,5], target = 8
输出: [[2,2,2,2],[2,3,3],[3,5]]
(二)解题思路:(参考以下网址题解)
找路问题:回溯+递归。本题是找所有解的一个集合,想到排列树或者子集树,那么从该树中找解就涉及到回溯。
(三)代码实现
class Solution {
public List<List<Integer>> combinationSum(int[] candidates, int target) {
List<List<Integer>> list = new ArrayList<>();
int len = candidates.length;
List<Integer> path = new ArrayList<>();
//回溯入口
backTrack(candidates,list,len,0,path,0,target);
return list;
}
/***
* @param candidates 原数组
* @param list 结果数组
* @param len 原数组长度
* @param index 遍历的起始idx
* @param path 每条满足条件的结果记录
* @param sum 当前记录的结果
*/
public void backTrack(int[] candidates, List<List<Integer>> list, int len, int index, List<Integer> path, int sum, int target) {
Arrays.sort(candidates);
if (sum == target) {
list.add(new ArrayList<>(path));
return;
}
for (int i = index; i < len; i++) {
//剪枝:当前结果大于目标值时不必再进行此次循环,回退到上一步再循环
int s=sum+candidates[i];
if(s>target){
break;
}
//回溯基本步骤
path.add(candidates[i]);
backTrack(candidates,list,len,i,path,s,target);
path.remove(path.size()-1);
}
}
}