• LeetCode.40. 组合总和 II


    LeetCode.40. 组合总和 II

    难度:medium

     

     本题可以和  LeetCode.39. 组合总和 对比分析,主要区别有两个:

    • 39题每个元素是可以重复取用的,所以startIndex = i;而本题目不能重复取用,所以 startIndex = i + 1;
    • 本题的集合为有重复元素的集合,但题目要求不能有重复组合,所以我们需要used数组来去重

    要去重的是“同一树层上的使用过”,如果判断同一树层上元素(相同的元素)是否使用过了呢。

    如果candidates[i] == candidates[i - 1] 并且 used[i - 1] == false,就说明:前一个树枝,使用了candidates[i - 1],也就是说同一树层使用过candidates[i - 1]

    此时for循环里就应该做continue的操作

    在图中将used的变化用橘黄色标注上,可以看出在candidates[i] == candidates[i - 1]相同的情况下:

    • used[i - 1] == true,说明同一树枝candidates[i - 1]使用过
    • used[i - 1] == false,说明同一树层candidates[i - 1]使用过

    Java:

    1. class Solution {
    2. List> ans = new ArrayList>();
    3. List path = new ArrayList();
    4. int sum = 0;
    5. public List> combinationSum2(int[] candidates, int target) {
    6. // 需要使用used数组,所以需要排序
    7. Arrays.sort(candidates);
    8. boolean[] used = new boolean[candidates.length];
    9. backTracking(candidates, target, used, 0);
    10. return ans;
    11. }
    12. public void backTracking(int[] candidates, int target, boolean[] used, int startIndex) {
    13. if (sum == target) {
    14. ans.add(new ArrayList<>(path));
    15. return;
    16. }
    17. for (int i = startIndex; i < candidates.length && sum + candidates[i] <= target; i++) {
    18. if (i > 0 && candidates[i] == candidates[i - 1] && used[i - 1] == false) {
    19. continue;
    20. }
    21. sum += candidates[i];
    22. path.add(candidates[i]);
    23. used[i] = true;
    24. backTracking(candidates, target, used, i + 1);
    25. sum -= candidates[i];
    26. path.remove(path.size() - 1);
    27. used[i] = false;
    28. }
    29. }
    30. }

  • 相关阅读:
    被疫情占据的上半年,你还好么?| 2022年中总结
    正则表达式符号
    txt大文件拆分(批量版)
    安规耐压漏电流
    企业架构LNMP学习笔记22
    什么是微服务
    离散连续系统仿真(汽车自动停车系统和弹跳球运动模型) matlab
    MCE | 第二代 HIV-INSTI 的作用方式
    MassTransit 入门(一)
    WebSocket、event-source、AJAX轮询 等实现保持前后端实时通信的方式
  • 原文地址:https://blog.csdn.net/weixin_45867071/article/details/126347585