leetcode-----39. 组合总和

  • 链接:https://leetcode-cn.com/problems/combination-sum/

代码(dfs)

class Solution {
public:
    vector> ans;
    vector path;

    vector> combinationSum(vector& candidates, int target) {
        dfs(candidates, 0, target);
        return ans;    
    }

    void dfs(vector cs, int u, int target) {
        if (target == 0) {
            ans.push_back(path);
            return;
        }
        if (u == cs.size()) return;

        for (int i = 0; cs[u] * i <= target; ++i) {
            dfs(cs, u + 1, target - cs[u] * i);
            path.push_back(cs[u]);
        }
        for (int i = 0; cs[u] * i <= target; ++i) {
            path.pop_back();
        }
    }
};

你可能感兴趣的:(leetcode-----39. 组合总和)