力扣算法学习day19-3
39-组合总和
题目
data:image/s3,"s3://crabby-images/6b95e/6b95e1db01acf0254b4522eeb0cbf73cd788d7e6" alt="image-20220208220830884"
data:image/s3,"s3://crabby-images/01273/012734b7d1740bd9e4e1bfe0e13b86a1fd3cc933" alt="image-20220208220855141"
代码实现
class Solution {
List<List<Integer>> result = new ArrayList<>();
List<Integer> path = new ArrayList<>();
int sum;
public List<List<Integer>> combinationSum(int[] candidates, int target) {
Arrays.sort(candidates);
recall(0,target,candidates);
return result;
}
public void recall(int i,int target,int[] candidates){
if(sum == target){
result.add(new ArrayList<>(path));
return;
}
for(int j = i;j < candidates.length && sum + candidates[j] <= target;j++){
sum += candidates[j];
path.add(candidates[j]);
recall(j,target,candidates);
sum -= candidates[j];
path.remove(path.size()-1);
}
}
}
40-组合总和 II
题目
data:image/s3,"s3://crabby-images/3bb75/3bb750b35eca12535aa9532bbe8032f14ae39663" alt="image-20220208234139026"
data:image/s3,"s3://crabby-images/c2cdd/c2cdd4e8d9b0879a0261c5a9567a96d3a6e52cc0" alt="image-20220208234201430"
代码实现
class Solution {
List<List<Integer>> result = new ArrayList<>();
List<Integer> path = new ArrayList<>();
int sum;
public List<List<Integer>> combinationSum2(int[] candidates, int target) {
Arrays.sort(candidates);
recall(0,target,candidates);
return result;
}
public void recall(int i,int target,int[] candidates){
if(sum == target){
result.add(new ArrayList<>(path));
return;
}
for(int j = i;j < candidates.length && sum + candidates[j] <= target;j++){
if(j > i && candidates[j] == candidates[j-1]){
continue;
}
sum += candidates[j];
path.add(candidates[j]);
recall(j+1,target,candidates);
sum -= candidates[j];
path.remove(path.size()-1);
}
}
}
|