我正在学习LINQ,我想知道是否可以简化以下LINQ查询......
现在我有两个字符串,我解析连接的字符串来计算每个单词的用法。我想知道是否可以保留一个LINQ表达式,但不必复制from和let表达式中的string.Concat部分。
string sentence = "this is the first sentence";
string sentence2 = "this is the second sentence";
var res = from word in string.Concat(sentence, sentence2).Split()
let combinedwords = string.Concat(sentence, sentence2).Split()
select new { TheWord = word, Occurance = combinedwords.Count(x => x.Equals(word)) };
答案 0 :(得分:4)
您的查询返回一个稍微奇怪的结果集:
TheWord Occurrence
this 1
is 2
the 2
first 1
sentencethis 1
is 2
the 2
second 1
sentence 1
这就是你想要的,或者你更喜欢结果更像这样?
TheWord Occurrence
this 2
is 2
the 2
first 1
sentence 2
second 1
要获得这些结果,您可以执行以下操作:
var res = from word in sentence.Split()
.Concat(sentence2.Split())
group word by word into g
select new { TheWord = g.Key, Occurrence = g.Count() };
另一种选择;更好(理论)的表现,但不太可读:
var res = sentence.Split()
.Concat(sentence2.Split())
.Aggregate(new Dictionary<string, int>(),
(a, x) => {
int count;
a.TryGetValue(x, out count);
a[x] = count + 1;
return a;
},
a => a.Select(x => new {
TheWord = x.Key,
Occurrence = x.Value
}));