首页 > 解决方案 > 计算一个单词在 txt 文件中出现的次数

问题描述

目前编写了这个简单的代码,试图弄清楚为什么它每次都没有计算特定的单词。

#include "pch.h"
#include <fstream>
#include <string>
#include <iostream>

using namespace std;
int main()
{
    int t = 0;
    int a1 = 0;
    string a[100];
    ifstream food;

    food.open("food.txt");

    if (food.fail())
    {
        cout << "File can't open" << endl;

    }

    else
        cout << "File successfully opened" << endl;

    int i = 0;

    while (!food.eof())
    {
        // Tomato
        food >> a[i];
        if (a[i] == "tomato")
        {
            t = t + 1;
        }
        i++;

        // Apple
        food >> a[i];
        if (a[i] == "apple")
        {
            a1 = a1 + 1;
        }
        i++;
    }
    cout << "Amount of Tomatos: " << t << endl;
    cout << "Amount of Apples: " << a1 << endl;
}

我正在使用的文本文件:

apple
apple
tomato
apple
tomato
tomato

输出:

File successfully opened
Amount of Tomatoes: 2
Amount of Apples: 2

目的是找出列表中每种食物的数量。我目前只使用两种食物,但会吃更多。

标签: c++fstream

解决方案


您的代码有几个问题。

  • 错误地循环使用eof()。您无法eof()在先执行读取操作之前进行检查。

  • 使用没有边界检查的数组。就此而言,您根本不需要数组。

  • 跳过单词,这就是为什么你没有计算你所期望的一切。让我们看第一行,apple。由于它不是"tomato",因此您跳过它并读取文件中的下一个单词,即"apple",因此您计算它。但是你根本没有算第一个apple

你需要做更多这样的事情:

#include "pch.h"
#include <fstream>
#include <string>
#include <iostream>

using namespace std;

int main()
{
  int tomatoes = 0;
  int apples = 0;
  string s;
  ifstream food;

  food.open("food.txt");

  if (!food.is_open())
  {
    cout << "File can't open" << endl;
    return 0;
  }

  cout << "File successfully opened" << endl;

  while (food >> s)
  {
    // Tomato
    if (s == "tomato")
        ++tomatoes;

    // Apple
    else if (s == "apple")
        ++apples;
  }

  cout << "Amount of Tomatos: " << tomatoes << endl;
  cout << "Amount of Apples: " << apples << endl;

  return 0;
}

或者,正如评论中提到的@user463035818,您可以使用 astd::map代替:

#include "pch.h"
#include <fstream>
#include <string>
#include <iostream>
#include <map>

using namespace std;

int main()
{
  map<string, int> foods;
  string s;
  ifstream food;

  food.open("food.txt");

  if (!food.is_open())
  {
    cout << "File can't open" << endl;
    return 0;
  }

  cout << "File successfully opened" << endl;

  while (food >> s) {
    foods[s]++;
  }

  for (map<string, int>::iterator iter = foods.begin(); iter != foods.end(); ++iter) {
      cout << "Amount of " << iter->first << ": " << iter->second << endl;
  }

  /* or, if you are using C++11 or later...
  for (auto &item : foods) {
      cout << "Amount of " << item.first << ": " << item.second << endl;
  }
  */

  return 0;
}

推荐阅读