1

如何在 C++ 中的字符串中找到元音?我使用“a”或“a”还是只使用 ascii 值来查找或元音?

4

3 回答 3

3

使用std::find_first_of算法:

string h="hello world"; 
string v="aeiou"; 
cout << *find_first_of(h.begin(), h.end(), v.begin(), v.end());
于 2012-12-15T19:05:06.123 回答
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;
}
于 2012-12-15T18:39:57.813 回答
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使用同名的成员函数。该实现可能为字符串搜索提供了优化版本。

于 2012-12-15T22:59:42.937 回答