📌  相关文章
📜  C# 计算字符串中的特定单词 - C# (1)

📅  最后修改于: 2023-12-03 14:59:43.586000             🧑  作者: Mango

C# 计算字符串中的特定单词

在一些应用中,我们需要统计字符串中特定单词的出现次数或者删除其中某些单词。本文将介绍如何使用C#来实现这些功能。

统计字符串中特定单词的出现次数

我们可以使用 Split 方法将字符串按照空格或者其他特定字符分割成多个子字符串,然后统计其中给定单词的出现次数。下面是一个示例代码:

string sentence = "This is a test sentence, sentence for testing.";
string[] words = sentence.Split(' ');
string target = "sentence";

int count = words.Count(w => w.ToLower() == target.ToLower());
Console.WriteLine("The word '{0}' appears {1} times in the sentence.", target, count);

解释:首先,我们定义了一个字符串 sentence 和一个目标单词 target。然后使用 Split 方法将 sentence 根据空格分割成多个子字符串,并将结果存储在 words 数组中。接着,我们使用 LINQ 的 Count 扩展方法统计出现次数,其中 lambda 表达式 w => w.ToLower() == target.ToLower() 用于判断单词是否为目标单词(注意此处使用 ToLower 方法将单词转换为小写字母,可以避免大小写的问题)。最后,使用 Console.WriteLine 方法输出结果。

删除字符串中特定单词

如果我们需要删除字符串中某些特定单词,我们可以使用 Replace 方法来替换这些单词为空字符串。下面是一个示例代码:

string sentence = "This is a test sentence, sentence for testing.";
string[] targets = {"is", "sentence"};
string newSentence = sentence;

foreach (string target in targets)
{
    newSentence = newSentence.Replace(target, "");
}

Console.WriteLine("Original sentence: " + sentence);
Console.WriteLine("Modified sentence: " + newSentence);

解释:首先,我们定义了一个字符串 sentence 和一个目标单词数组 targets。然后,我们将 sentence 复制给 newSentence,接着使用一个 foreach 循环,遍历 targets 数组中的单词,并使用 Replace 方法将它们替换为空字符串。最后,使用 Console.WriteLine 方法输出原始字符串和修改后的字符串。

以上就是使用 C# 统计字符串中特定单词出现次数和删除字符串中特定单词的方法。