class Solution {
public:
vector<string> letterCasePermutation(string s) {
int count=0;
for(auto x:s){//记录字符串内字母的个数
if(x>='a'&&x<='z'||x>='A'&&x<='Z'){
count++;
}
}
int n=pow(2,count);//得出所有可能情况的数量
vector<string> temp;//用二进制数表示每一个字母的大小写并用一个字符串数组保存
vector<string> res;
for(int i=0;i<n;++i){
string binary = bitset<12>(i).to_string();//由于bitset的长度定义必须为常量,于是只能都生成一个12位的二进制数
temp.push_back(binary);
}
for(int i=0;i<n;++i){//循环n次得到所有可能的字符串
int k=12-count;//每种排列组合的起始位置是原12位二进制数的第(12-count)位
for(int j=0;j<s.size();++j){
if(s[j]>='a'&&s[j]<='z'){
if(temp[i][k++]=='1'){//如果对应temp数组值是1,说明当前小写字母应该改为大写字母
s[j]-=32;
}
}else if(s[j]>='A'&&s[j]<='Z'){
if(temp[i][k++]=='0'){//如果对应temp数组值是0,说明当前大写字母应该改为小写字母
s[j]+=32;
}
}
}
res.push_back(s);//res数组保存所有可能的字符串
}
return res;
}
};