计算文件中字符串中的单词数

本文关键字:单词数 字符串 计算 文件 | 更新日期: 2023-09-27 18:26:57

我正在开发一个小型控制台应用程序,它返回几个0,而不是实际的字数。我还注意到,在某些方面,我的逻辑会有缺陷,因为我在计算空格。这通常不会计算字符串中的最后一个单词。关于如何修复我的代码的任何建议。谢谢

    static void Main()
    {
        bool fileExists = false;
        string filePath = Environment.GetFolderPath(Environment.SpecialFolder.MyDocuments);
        string file = filePath + @"'wordcount.txt";
        fileExists = File.Exists(file);
        if (fileExists)
        {
            Console.WriteLine("{0} contains the following", file);
            Console.WriteLine(File.ReadAllLines(file));
            foreach (char words in file)
            {
                int stringCount = 0;
                if (words == ' ')
                {
                    stringCount++;
                }
                Console.WriteLine(stringCount);
            }
        }
        else
        {
            Console.WriteLine("The file does not exist, creating it");
            File.Create(file);
        }
        Console.ReadLine();
    }

我已经编辑了它,所以我检查的是内容而不是文件路径(这里的noob犯了noob错误)。不过,我仍然觉得foreach循环中if语句的逻辑很糟糕。

        if (fileExists)
        {
            Console.WriteLine("{0} contains the following", file);
            string[] contents = File.ReadAllLines(file);
            foreach (string words in contents)
            {
                int stringCount = 0;
                if (words == " ")
                {
                    stringCount++;
                }
                Console.WriteLine(stringCount);
            }
        }

计算文件中字符串中的单词数

String.Split和File.ReadAllText是您应该查看的函数。

var count = File.ReadAllText(file).Split(' ').Count();

您不是在读取实际的文件,而是在读取已声明为filePath + @"'wordcount.txt";file变量。

您只是将文件内容输出到控制台。您应该将File.ReadAllLines(file)的结果分配给一个新变量(类型为string[]:http://msdn.microsoft.com/en-us/library/system.io.file.readalllines.aspx)然后跑过去。

如果将文件内容读取为字符串,则可以使用此代码来计算空格。你只需要在这个计数上加1就可以处理最后一个单词。

int count = strFileContents.Split(' ').Length - 1;

您可以使用字符串分割

 if (fileExists)
        {
            Console.WriteLine("{0} contains the following", file);
            Console.WriteLine(File.ReadAllLines(file));
            var fileContent=File.ReadAllText();
           stringCount=fileContent.Split(new [] {' ',''n'},StringSplitOptions.RemoveEmptyEntries).Length;
        }
if (fileExists)
    {
        string fileString = File.ReadAllText(file);
        var words = fileString.Split(' ');
        int strCount = words.Count();
    }

将文件读取为字符串,用空格分隔,计算数组中的项数。

我认为这应该符合您的格式:

List<string> allWords = new List<string>();
foreach (string words in file)
    {
      allWords += words;
    }
int wordCount = allWords.Length();

虽然,我认为@AlexeiLevenkov更好。。。

Regex.Matches(File.ReadAllText(file), @"['S]+").Count;