原题是说给定一些数字和一个目标值,从这些数字中挑选几个加起来,加起来后他的和正好等于目标值,其中一个数字可以选择多次。要求输出的不能有重复,并且组内的顺序是不能降序的。
这道题首先必须要想到的就是排序了,排序是非常基本,又非常常用的一种操作。
然后我们需要排除重复的(注意可以重复选择一个数,所以重复的最好先去掉,因为我们需要进行递归回溯,这样做可以降低无谓的开销)
随后我们就开始求解,求解的做法是采用递归的回溯,每一次递归传递还需要的数值reserve,同时记录已经选择的数字,原则上当前选择的数字需要大于等于上一个,所以再加上一个index表示可以从哪个索引开始选择。
然后遇到reserve为0就加入最终结果,遇不到就不加咯~~~
Given a set of candidate numbers (C) 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.
•Elements in a combination (a1, a2, … , ak) must be in non-descending order. (ie, a1 ≤ a2 ≤ … ≤ ak).
•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]
public class Solution {
/**
* 可以用一个计数的数组来降低开销,递归的时候只改变数组里选择的值,最后reserve=0再生成list
* **/
int n;
int nums[];
List> result;
//当前集合,当前使用的数字位置,当前还剩多少
public void find(List values,int index,int reserve){
if(reserve==0){
ArrayList item=new ArrayList();
item.addAll(values);
result.add(item);
}
for(int i=index;iif(nums[i]<=reserve){
values.add(nums[i]);
find(values,i,reserve-nums[i]);
values.remove(values.size()-1);
}
}
}
public List> combinationSum(int[] candidates, int target) {
//排序然后去除重复的
Arrays.sort(candidates);
//去除重复,这样省心
int i,j,k,n;
n=1;
for(i=1;iif(candidates[i]!=candidates[i-1]){
candidates[n++]=candidates[i];
}
}
this.nums=candidates;
this.n=n;
this.result=new ArrayList>();
find(new ArrayList(),0,target);
return this.result;
}
}