代码随想录刷题笔记-Day24
1. 组合总和
39. 组合总和https://leetcode.cn/problems/combination-sum/
给你一个 无重复元素 的整数数组 candidates 和一个目标整数 target ,找出 candidates 中可以使数字和为目标数 target 的 所有 不同组合 ,并以列表形式返回。你可以按 任意顺序 返回这些组合。
candidates 中的 同一个 数字可以 无限制重复被选取 。如果至少一个数字的被选数量不同,则两种组合是不同的。
对于给定的输入,保证和为 target 的不同组合数少于 150 个。
示例 1:
输入:candidates = [2,3,6,7], target = 7
输出:[[2,2,3],[7]]
解释:
2 和 3 可以形成一组候选,2 + 2 + 3 = 7 。注意 2 可以使用多次。
7 也是一个候选, 7 = 7 。
仅有这两种组合。
示例 2:
输入: candidates = [2,3,5], target = 8
输出: [[2,2,2,2],[2,3,3],[3,5]]
示例 3:
输入: candidates = [2], target = 1
输出: []
解题思路
可以重复,所以是暴力for循环。可以使用回溯实现。
终止条件:或者sum=target的时候,加入result。
剪枝优化:
sum大于target的时候结束。
代码
class Solution {
List<List<Integer>> result = new ArrayList<>();
LinkedList<Integer> list = new LinkedList<>();
public List<List<Integer>> combinationSum(int[] candidates, int target) {
Arrays.sort(candidates);
combinationSumHelper(candidates, target, 0, 0);
return result;
}
private void combinationSumHelper(int[] candidates, int target, int sum, int i) {
if (sum == target) {
result.add(new ArrayList<>(list));
return;
}
for (; i < candidates.length; i++) {
if (sum + candidates[i] > target)
break;
list.add(candidates[i]);
combinationSumHelper(candidates, target, sum + candidates[i], i);
list.removeLast();
}
}
}
2. 组合总数 II
40. 组合总和 IIhttps://leetcode.cn/problems/combination-sum-ii/
给定一个候选人编号的集合 candidates 和一个目标数 target ,找出 candidates 中所有可以使数字和为 target 的组合。
candidates 中的每个数字在每个组合中只能使用 一次 。
注意:解集不能包含重复的组合。
示例 1:
输入: candidates = [10,1,2,7,6,1,5], target = 8,
输出:
[
[1,1,6],
[1,2,5],
[1,7],
[2,6]
]
示例 2:
输入: candidates = [2,5,2,1,2], target = 5,
输出:
[
[1,2,2],
[5]
]
解题思路
只能使用一次,不包含重复的组合,不能包含重复的组合,但是candidate里面是否有重复的并没有给出,所以,这就是难点所在。数字是有重复的,重复的数字会导致得到重复的组合。但是不允许重复的组合。
在一个组合内部,只需要按照索引不同随意取,所以不用做任何操作,但是在组合外部,需要判断得到是不是在开启一个新的组合查找,如果是,那么上一个位置的相等元素已经查找过了,需要略过。所以需要一个标志位,来标识是在组合内,还是在组合外。
代码
class Solution {
List<List<Integer>> result = new ArrayList<>();
LinkedList<Integer> list = new LinkedList<>();
boolean[] mark;
int sum = 0;
public List<List<Integer>> combinationSum2(int[] candidates, int target) {
mark = new boolean[candidates.length];
Arrays.fill(mark, false);
Arrays.sort(candidates);
combinationSum2Helper(candidates, target, 0);
return result;
}
public void combinationSum2Helper(int[] candidates, int target, int i) {
if (sum == target) {
result.add(new ArrayList(list));
return;
}
for (; i < candidates.length; i++) {
if (sum + candidates[i] > target) {
break;
}
if (i > 0 && candidates[i] == candidates[i - 1] && !mark[i - 1]) {
continue;
}
list.add(candidates[i]);
sum += candidates[i];
mark[i] = true;
combinationSum2Helper(candidates, target, i + 1);
list.removeLast();
sum -= candidates[i];
mark[i] = false;
}
}
}
原文地址:https://blog.csdn.net/qq_53711959/article/details/136276098
免责声明:本站文章内容转载自网络资源,如本站内容侵犯了原著者的合法权益,可联系本站删除。更多内容请关注自学内容网(zxcms.com)!