IEnumerable 和 Linq 的一个有趣问题。
static void Main(string[] args)
{
var subject = "#Accountancy #premier #Agile #Apache #automation #Automation #banking #Banking #bankIngs #AutoMation";
var hashtags = subject.Split('#').Select(hashtag => hashtag.Trim().ToUpper()).Distinct();
var plurals = hashtags.Where((hashtag) =>
{
return hashtags.Contains($"{hashtag.ToUpper()}S");
}).Select(h => $"{h.ToUpper()}S"); //.ToList(); (1) - will not break
//filter hashtags
hashtags = hashtags.Except(plurals); //.ToList(); (2) - will not break
//if iterate, would break with:
//System.StackOverflowException was unhandled Message: An unhandled exception of type 'System.StackOverflowException' occurred in mscorlib.dll
foreach (var hashtag in hashtags)
{
Console.WriteLine(hashtag);
}
Console.Read();
}
好奇如何解释为什么会发生溢出异常?
最佳答案
一步一步走过来。
要执行 2,你必须执行 1。然而,hashtags 是不断变化的,所以复数不是在原始集合上执行,而是在 2 的结果上执行(再次依赖于 1 的结果)。
您的查询将尝试为:
hashtags = hashtags.Except(plurals);
替换
plurals
hashtags = hashtags.Except(
hashtags.Where(hashtag => { return hashtags.Contains($"{hashtag.ToUpper()}S"); })
.Select(h => $"{h.ToUpper()}S")
);
但是
hashtags
是 hashtags.Except(plurals);
hashtags.Except(
hashtags.Except(plurals).Where(hashtag => { return hashtags.Contains($"{hashtag.ToUpper()}S"); })
.Select(h => $"{h.ToUpper()}S")
);
然后我们需要再次替换
plurals
.. 等等。您的修复(添加
.ToList()
)是修复它的合乎逻辑的方法。关于c# - IEnumerable 的多重枚举 - StackOverflowException,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/36477705/