如何计算字符串中每个单词的出现次数
本文关键字:单词 何计算 计算 字符串 | 更新日期: 2023-09-27 17:59:40
我使用以下代码从字符串输入中提取单词,如何也能获得每个单词的出现?
var words = Regex.Split(input, @"'W+")
.AsEnumerable()
.GroupBy(w => w)
.Where(g => g.Count() > 10)
.Select(g => g.Key);
您可以使用string.Split
来代替Regex.Split
,并获得每个单词的计数,如:
string str = "Some string with Some string repeated";
var result = str.Split(new[] { " " }, StringSplitOptions.RemoveEmptyEntries)
.GroupBy(r => r)
.Select(grp => new
{
Word = grp.Key,
Count = grp.Count()
});
如果你想过滤掉那些至少重复10次的单词,那么你可以在Select
之前添加一个条件,比如Where(grp=> grp.Count >= 10)
输出:
foreach (var item in result)
{
Console.WriteLine("Word: {0}, Count:{1}", item.Word, item.Count);
}
输出:
Word: Some, Count:2
Word: string, Count:2
Word: with, Count:1
Word: repeated, Count:1
对于不区分大小写的分组,您可以将当前GroupBy替换为:
.GroupBy(r => r, StringComparer.InvariantCultureIgnoreCase)
所以你的问题是:
var result = str.Split(new[] { " " }, StringSplitOptions.RemoveEmptyEntries)
.GroupBy(r => r, StringComparer.InvariantCultureIgnoreCase)
.Where(grp => grp.Count() >= 10)
.Select(grp => new
{
Word = grp.Key,
Count = grp.Count()
});
试试这个:
var words = Regex.Split(input, @"'W+")
.AsEnumerable()
.GroupBy(w => w)
.Select(g => new {key = g.Key, count = g.Count()});
删除Select
语句以保留IGrouping
,您可以使用它来查看两个键并计算值。
var words = Regex.Split(input, @"'W+")
.AsEnumerable()
.GroupBy(w => w)
.Where(g => g.Count() > 10);
foreach (var wordGrouping in words)
{
var word = wordGrouping.Key;
var count = wordGrouping.Count();
}
您可以生成这样的字典:
var words = Regex.Split(input, @"'W+")
.GroupBy(w => w)
.Select(g => g.Count() > 10)
.ToDictionary(g => g.Key, g => g.Count());
或者,如果你想避免计算两次计数,比如:
var words = Regex.Split(input, @"'W+")
.GroupBy(w => w)
.Select(g => new { g.Key, Count = g.Count() })
.Where(g => g.Count > 10)
.ToDictionary(g => g.Key, g => g.Count);
现在你可以得到这样的单词计数(假设单词"foo"在input
中出现超过10次):
var fooCount = words["foo"];