[CareerCup] 9.4 Subsets 子集合

简介:

9.4 Write a method to return all subsets of a set.

LeetCode上的原题,请参见我之前的博客Subsets 子集合Subsets II 子集合之二

解法一:

class Solution {
public:
    vector<vector<int> > getSubsets(vector<int> &S) {
        vector<vector<int> > res(1);
        for (int i = 0; i < S.size(); ++i) {
            int size = res.size();
            for (int j = 0; j < size; ++j) {
                res.push_back(res[j]);
                res.back().push_back(S[i]);
            }
        }
        return res;
    }
};

解法二:

class Solution {
public:
    vector<vector<int> > getSubsets(vector<int> &S) {
        vector<vector<int> > res;
        vector<int> out;
        getSubsetsDFS(S, 0, out, res);
        return res;
    }
    void getSubsetsDFS(vector<int> &S, int pos, vector<int> &out, vector<vector<int> > &res) {
        res.push_back(out);
        for (int i = pos; i < S.size(); ++i) {
            out.push_back(S[i]);
            getSubsetsDFS(S, i + 1, out ,res);
            out.pop_back();
        }
    }
};

解法三:

class Solution {
public:
    vector<vector<int> > getSubsets(vector<int> &S) {
        vector<vector<int> > res;
        int max = 1 << S.size();
        for (int i = 0; i < max; ++i) {
            vector<int> out = convertIntToSet(S, i);
            res.push_back(out);
        }
        return res;
    }
    vector<int> convertIntToSet(vector<int> &S, int k) {
        vector<int> sub;
        int idx = 0;
        for (int i = k; i > 0; i >>= 1) {
            if ((i & 1) == 1) {
                sub.push_back(S[idx]);
            }
            ++idx;
        }
        return sub;
    }
};

本文转自博客园Grandyang的博客,原文链接:子集合[CareerCup] 9.4 Subsets ,如需转载请自行联系原博主。

相关文章
codeforces 285C - Building Permutation
题目大意是有一个含n个数的数组,你可以通过+1或者-1的操作使得其中的数是1--n中的数,且没有重复的数。 既然是这样的题意,那么我就应该把原数组中的数尽量往他最接近1--n中的位置放,然后求差绝对值之和,但有多个数,怎么使他们和最小,这样就要对其进行排序了,直接按大小给它们安排好位置,然后计算。
34 0
LeetCode 90. Subsets II
Given a collection of integers that might contain duplicates, nums, return all possible subsets (the power set).
80 0
LeetCode 90. Subsets II
|
人工智能
LeetCode 47. Permutations II
给定一组可能有重复元素不同的整数,返回所有可能的排列(不能包含重复)。
70 0
LeetCode 47. Permutations II
LeetCode 46. Permutations
给定一组不同的整数,返回所有可能的排列。
52 0