C ++从文本文件中计算元音辅音
Posted
技术标签:
【中文标题】C ++从文本文件中计算元音辅音【英文标题】:C++ count vowel consonants from a text file 【发布时间】:2016-07-20 21:14:39 【问题描述】:所以我实验室的提示之一是: “找出英语中元音和辅音的百分比。你应该得到元音的百分比 = 37.4% 和辅音 = 62.5%。”
这只是我的百分比函数。我认为 for 循环可能有问题,但我似乎无法弄清楚.. 感谢您的帮助!
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;
【问题讨论】:
为什么是w[i]==('a')
?你可以去掉括号。只需w[i] == 'a'
。
我刚刚摆脱了它们,问题仍然存在 :( 但是,感谢您的意见!您认为还有其他问题吗?
你需要知道while(!stream.eof()) ...
被认为是错误的
那么可能有大写和小写字符。还有一些需要担心的事情。
但是那个while循环表达式的函数不是说在文件结束之前计算不会结束吗?
【参考方案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;
【讨论】:
非常感谢!以上是关于C ++从文本文件中计算元音辅音的主要内容,如果未能解决你的问题,请参考以下文章