c ++で文字列内の母音を見つける方法は? 「a」または「a」を使用するか、ASCII 値だけを使用して外観または母音を表示しますか?
user1906594
質問する
9650 次
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 に答える