C ++计算文本文件中的元音辅音

时间:2016-07-20 21:14:40

标签: c++ function

所以我实验室的一个提示是: “找出英语中元音和百分比辅音的百分比。你应该得到元音的百分比= 37.4%,辅音= 62.5%。”

这是我的百分比功能。我认为for循环可能有问题,但我似乎无法弄清楚...感谢您的帮助!

const ipc = require('electron').ipcMain
const dialog = require('electron').dialog
const mongo = require('some-mongo-module')

ipc.on('open-information-dialog', function (event) {
  /* MONGODB CODE */
})

1 个答案:

答案 0 :(得分: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;
}