我想知道是否可以检查字符串中的一个字母是否大写。其他查看方式,如果字符串中的所有字母都是大写或小写。例如:
string a = "aaaaAaa";
string b = "AAAAAa";
if(??){ //Cheking if all the string is lowercase
cout << "The string a contain a uppercase letter" << endl;
}
if(??){ //Checking if all the string is uppercase
cout << "The string b contain a lowercase letter" << endl;
}
感谢。
答案 0 :(得分:11)
您可以使用标准算法std::all_of
if( std::all_of( str.begin(), str.end(), islower ) { // all lowercase
}
答案 1 :(得分:4)
这可以通过lambda表达式轻松完成:
if (std::count_if(a.begin(), b.end(), [](char ch) { return std::islower(ch); }) == 1) {
// The string has exactly one lowercase character
...
}
根据您的示例,这假设您要准确检测一个大写/小写字母。
答案 2 :(得分:4)
与all_of
和isupper
:
islower
if(all_of(a.begin(), a.end(), &::isupper)){ //Cheking if all the string is lowercase
cout << "The string a contain a uppercase letter" << endl;
}
if(all_of(a.begin(), a.end(), &::islower)){ //Checking if all the string is uppercase
cout << "The string b contain a lowercase letter" << endl;
}
或者,如果要检查与谓词匹配的字母数,请使用count_if
。