搜索+剪枝,LeetCode 216. 组合总和 III

目录

一、题目

1、题目描述

2、接口描述

python3

cpp

3、原题链接

二、解题报告

1、思路分析

2、复杂度

3、代码详解

python3

cpp


一、题目

1、题目描述

找出所有相加之和为 nk个数的组合,且满足下列条件:

  • 只使用数字1到9
  • 每个数字 最多使用一次

返回 所有可能的有效组合的列表 。该列表不能包含相同的组合两次,组合可以以任何顺序返回。

2、接口描述

python3
复制代码
python 复制代码
class Solution:
    def combinationSum3(self, k: int, n: int) -> List[List[int]]:
cpp
复制代码
cpp 复制代码
class Solution {
public:
    vector<vector<int>> combinationSum3(int k, int n) {

    }
};

3、原题链接

216. 组合总和 III


二、解题报告

1、思路分析

考虑暴搜,选或不选,这个很简单

然后考虑剪枝:

优化搜索顺序:优先选大的,这样路径少

可行性剪枝:

如果剩下的元素和加上当前元素和小于n,那么剪枝

如果剩下元素个数加上当前路径长度小于k,那么剪枝

2、复杂度

时间复杂度: 暴搜就不要管这个了 不会算 空间复杂度:emm

3、代码详解

python3
复制代码
python 复制代码
class Solution:
    def combinationSum3(self, k: int, n: int) -> List[List[int]]:
        ret = []
        path = []
        def dfs(cur: int, s: int) -> None:
            if not cur:
                if s == n and len(path) == k:
                    ret.append(path.copy())
                return
            if len(path) + cur < k:
                return
            if s + (cur + 1) * cur // 2 < n:
                return
            dfs(cur - 1, s)
            path.append(cur)
            dfs(cur - 1, s + cur)
            path.pop()
        dfs(9, 0)
        return ret
cpp
复制代码
cpp 复制代码
class Solution {
public:
    vector<vector<int>> combinationSum3(int k, int n) {
        vector<vector<int>> ret;
        vector<int> path;
        function<void(int, int)> dfs = [&](int cur, int s){
            if(!cur){
                if(s == n && path.size() == k) ret.emplace_back(path);
                return;
            }
            if(path.size() + cur < k) return;
            if(s + (cur + 1) * cur / 2 < n) return;
            dfs(cur - 1, s);
            path.emplace_back(cur);
            dfs(cur - 1, s + cur);
            path.pop_back();
        };
        dfs(9, 0);
        return ret;
    }
};
相关推荐
Scc_hy9 分钟前
强化学习_Paper_1988_Learning to predict by the methods of temporal differences
人工智能·深度学习·算法
巷北夜未央10 分钟前
Python每日一题(14)
开发语言·python·算法
javaisC12 分钟前
c语言数据结构--------拓扑排序和逆拓扑排序(Kahn算法和DFS算法实现)
c语言·算法·深度优先
爱爬山的老虎12 分钟前
【面试经典150题】LeetCode121·买卖股票最佳时机
数据结构·算法·leetcode·面试·职场和发展
SWHL13 分钟前
rapidocr 2.x系列正式发布
算法
雾月5538 分钟前
LeetCode 914 卡牌分组
java·开发语言·算法·leetcode·职场和发展
想跑步的小弱鸡41 分钟前
Leetcode hot 100(day 4)
算法·leetcode·职场和发展
Fantasydg42 分钟前
DAY 35 leetcode 202--哈希表.快乐数
算法·leetcode·散列表
jyyyx的算法博客43 分钟前
Leetcode 2337 -- 双指针 | 脑筋急转弯
算法·leetcode
SweetCode1 小时前
裴蜀定理:整数解的奥秘
数据结构·python·线性代数·算法·机器学习