如何在c ++中找到字符串中的元音?我使用“a”或“a”或仅使用ascii值来查看或元音?
答案 0 :(得分:2)
int is_vowel(char c) {
switch(c)
{
// check for capitalized forms as well.
case 'a':
case 'e':
case 'i':
case 'o':
case 'u':
return 1;
default:
return 0;
}
}
int main() {
const char *str = "abcdefghijklmnopqrstuvwxyz";
while(char c = *str++) {
if(is_vowel(c))
// it's a vowel
}
}
编辑:糟糕,C ++。这是std::string
版本。
#include <iostream>
#include <string>
bool is_vowel(char c) {
switch(c)
{
// check for capitalized forms as well.
case 'a':
case 'e':
case 'i':
case 'o':
case 'u':
return true;
default:
return false;
}
}
int main() {
std::string str = "abcdefghijklmnopqrstuvwxyz";
for(int i = 0; i < str.size(); ++i) {
if(is_vowel(str[i]))
std::cout << str[i];
}
char n;
std::cin >> n;
}
答案 1 :(得分:2)
使用std::find_first_of
算法:
string h="hello world";
string v="aeiou";
cout << *find_first_of(h.begin(), h.end(), v.begin(), v.end());
答案 2 :(得分:1)
std::string vowels = "aeiou";
std::string target = "How now, brown cow?"
std::string::size_type pos = target.find_first_of(vowels);
请注意,这不使用std::find_first_of
,而是string
成员函数具有相同的名称。实现可能为字符串搜索提供了优化版本。