本文主要是介绍代码随想录算法训练营第二十五天 | 216.组合总和III、17.电话号码的字母组合,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!
216.组合总和III
题目链接:https://leetcode.cn/problems/combination-sum-iii/
文档讲解:https://programmercarl.com/0216.%E7%BB%84%E5%90%88%E6%80%BB%E5%92%8CIII.html
视频讲解:https://www.bilibili.com/video/BV1wg411873x
思路
- 未剪枝优化:进入回溯前计算当前path里的总和,如果和=n且长度=k,就结束。下面循环的部分和昨天的组合问题是一样的。
- 剪枝优化:
- 当sum>n时;
- 当后面的数个数小于k时。
代码
未剪枝优化
class Solution {int[] nums = {1, 2, 3, 4, 5, 6, 7, 8, 9};List<List<Integer>> res = new ArrayList<>();List<Integer> path = new ArrayList<>();public List<List<Integer>> combinationSum3(int k, int n) {backtracking(k, n, 0);return res;}public void backtracking(int k , int n, int startIndex) {int sum = 0;for (int num : path) sum += num;if (sum == n && path.size() == k) {res.add(new ArrayList<>(path));return;}for (int i = startIndex; i < nums.length; i++) {path.add(nums[i]);backtracking(k, n, i + 1);path.removeLast();}}
}
卡哥代码 - 未剪枝优化
没有定义nums数组,直接在循环中用i的值,并且把sum作为参数放入回溯。
class Solution {List<List<Integer>> res = new ArrayList<>();List<Integer> path = new ArrayList<>();public List<List<Integer>> combinationSum3(int k, int n) {backtracking(k, n, 0, 1);return res;}public void backtracking(int k, int n, int sum, int startIndex) {if (path.size() == k) { // 长度等于k就可以结束了if (sum == n) res.add(new ArrayList<>(path)); // 总和等于n就可以加入resreturn;}for (int i = startIndex; i <= 9; i++) {sum += i;path.add(i);backtracking(k, n, sum, i + 1);path.removeLast();sum -= i;}}
}
剪枝优化
class Solution {List<List<Integer>> res = new ArrayList<>();List<Integer> path = new ArrayList<>();public List<List<Integer>> combinationSum3(int k, int n) {backtracking(k, n, 0, 1);return res;}public void backtracking(int k, int n, int sum, int startIndex) {if (sum > n) return; // 剪枝if (path.size() == k) { /if (sum == n) res.add(new ArrayList<>(path)); return;}for (int i = startIndex; i <= 9 - (k - path.size()) + 1; i++) { // 剪枝sum += i;path.add(i);backtracking(k, n, sum, i + 1);path.removeLast();sum -= i;}}
}
17.电话号码的字母组合
题目链接:https://leetcode.cn/problems/letter-combinations-of-a-phone-number/
文档讲解:https://programmercarl.com/0017.%E7%94%B5%E8%AF%9D%E5%8F%B7%E7%A0%81%E7%9A%84%E5%AD%97%E6%AF%8D…
视频讲解:https://www.bilibili.com/video/BV1yV4y1V7Ug
思路
本题的深度是由digits的长度决定的,每往下一层是对不同数组对应的字母进行遍历。而宽度是数组对应的字母的长度。
代码
class Solution {List<String> res = new ArrayList<>();String[] letterMap = {"", "", "abc", "def", "ghi", "jkl", "mno", "pqrs", "tuv", "wxyz"};public List<String> letterCombinations(String digits) {if (digits == null || digits.length() == 0) return res;backtracking(digits, 0, "");return res;}public void backtracking(String digits, int index, String s) { // index判断目前走到那个数字了if (index == digits.length()) {res.add(s);return;}int digit = digits.charAt(index) - '0';String letter = letterMap[digit];for (int i = 0; i < letter.length(); i++) {backtracking(digits, index + 1, s + letter.charAt(i)); // 隐藏回溯}}
}
这篇关于代码随想录算法训练营第二十五天 | 216.组合总和III、17.电话号码的字母组合的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!