2016-07-20 11 views
-1

私の研究室のプロンプトの1つは "母音と母音の割合を英語で求めます母音の割合= 37.4%、子音= 62.5 %。 "C++はテキストファイルの母音子音を数えます

これは私のパーセンテージ機能です。私はループのために何かが間違っているかもしれないと思うが、私はそれを把握していないようだ..助けてくれてありがとう!

int pv(string w) { 
double numC=0; 
double numV=0; 
string fName; 
ifstream inFile; 
double pc; 


cout << "Enter file name of dictionary (Mac users type in full path): "; 
cin >> fName; 

if (inFile.fail()) { 
    cout << "Error opening file" << endl; 
    exit(1); 
} 

while (!inFile.eof()) { 
    getline(inFile, w); 

for (int i=0; i<w.length(); i++) { 
    if(w[i]==('a')||w[i]==('e')||w[i]==('i')||w[i]==('o')||w[i]==('u')) 
     numV=numV+1; 
    else { 
     numC=numC+1; 

    } 
} 
} 
cout << numV; 
return 0; 
} 
+0

なぜw [i] ==( 'a') 'ですか?かっこを取り除くことができます。ちょうど 'w [i] == 'a''を実行してください。 – PhotometricStereo

+0

私はちょうどそれらを取り除きました、そして問題はまだそこにあります:(しかし、あなたの入力のためにありがとうございました!間違っているかもしれない何か他のものがあると思いますか? – 2lnk

+1

あなたは['while(!stream.eof )){{}} '](http://stackoverflow.com/questions/5605125/why-is-iostreameof-inside-a-loop-condition-considered-wrong)は間違っていると考えられます – WhiZTiM

答えて

1

ここでは、問題の解決方法の1つです。母音と子音、そしてすべての文字を別々のセットにとどめ、その時にファイルから1文字を読みます。いずれかのセットで一致が見つかった場合は、適切なカウンタをインクリメントします。これらのカウンタに基づいて割合を計算します。

#include <iostream> 
#include <fstream> 
#include <set> 
#include <algorithm> 
using namespace std; 

int main() { 
    set<char> vowels = { 'a', 'e', 'i', 'o', 'u' }; 
    set<char> consonants = { 'b', 'c', 'd', 'f', 'g', 'h', 'j', 'k', 'l', 'm', 'n', 'p', 'q', 'r', 's', 't', 'v', 'x', 'z', 'w', 'y' }; 
    set<char> allchars = { 'a', 'e', 'i', 'o', 'u', 'b', 'c', 'd', 'f', 'g', 'h', 'j', 'k', 'l', 'm', 'n', 'p', 'q', 'r', 's', 't', 'v', 'x', 'z', 'w', 'y' }; 
    char ch; 
    int vowelsCount = 0; 
    int consonantsCount = 0; 
    int percentageVowels = 0; 
    int percentageConsonants = 0; 
    int charactersCount = 0; 
    fstream fin("MyFile.txt", fstream::in); 

    while (fin >> ch) { 
     ch = tolower(ch); 
     if (find(allchars.begin(), allchars.end(), ch) != allchars.end()) 
     { 
      charactersCount++; 
     } 
     if (find(vowels.begin(), vowels.end(), ch) != vowels.end()) 
     { 
      vowelsCount++; 
     } 
     if (find(consonants.begin(), consonants.end(), ch) != consonants.end()) 
     { 
      consonantsCount++; 
     } 
    } 
    percentageVowels = double(vowelsCount)/charactersCount * 100; 
    percentageConsonants = double(consonantsCount)/charactersCount * 100; 
    cout << "Vowels  %: " << percentageVowels << endl; 
    cout << "Consonants %: " << percentageConsonants << endl; 
    getchar(); 
    return 0; 
} 
+0

ありがとうございます! – 2lnk

関連する問題