子集
题目:
给定一组不含重复元素的整数数组 nums,返回该数组所有可能的子集(幂集)。
说明:解集不能包含重复的子集。
示例: 输入: nums = [1,2,3]
输出: [
[3],
[1],
[2],
[1,2,3],
[1,3],
[2,3],
[1,2],
[]
]
public class Solution
{
public IList<IList<int>> Subsets(int[] nums)
{
IList<IList<int>> res=new List<IList<int>>();
int a=1;
for(int i=0;i<nums.Length;i++)
{
a=2*a;
}
a-=1;
for(int j=0;j<=a;j++)
{
IList<int> lt=new List<int>();
for(int k=0;k<nums.Length;k++)
{
int b=1<<k;
if((b&j)!=0)
{
lt.Add(nums[k]);
}
}
res.Add(lt);
}
return res;
}
}