假设我有这样的一个方法(从Jon Skeet之前的SO答案中抄袭):
public static IEnumerable<TSource> DuplicatesBy<TSource, TKey>
(this IEnumerable<TSource> source, Func<TSource, TKey> keySelector)
{
HashSet<TKey> seenKeys = new HashSet<TKey>();
foreach (TSource element in source)
{
// Yield it if the key hasn t actually been added - i.e. it
// was already in the set
if (!seenKeys.Add(keySelector(element)))
{
yield return element;
}
}
}
在这种方法中,我使用了一个HashSet来存储已经出现的键。如果我在类似以下的东西中使用这种方法。
List<string> strings = new List<string> { "1", "1", "2", "3" };
List<string> somewhatUniques = strings.DuplicatesBy(s => s).Take(2);
这只会枚举字符串列表中的前2个项目。但是垃圾回收如何收集seenKeys哈希集。由于yield只是暂停方法的执行,如果方法很昂贵,我怎样才能确保正确处理资源?