正如 Tormod 所说,最好的方法是使用DistinctBy()
实现。
(特别是,看看 Tormod 的实现,你会发现它实际上与下面的 DistinctByImpl() 方法相同,所以这个答案应该被认为是他的扩展。)
如果使用 DistinctBy(),则解决方案变得如此简单:
var uniques = list.DistinctBy(item => item.LinkId);
在Jon Skeet 的库DistinctBy()
中可以找到一个很好的实现,该库也可以在 NuGet 上找到。MoreLinq
例如,这是一个使用来自 MoreLinq 的 DistinctBy() 实现的副本的实现。不过不要使用此代码 - 使用 NuGet 下载原始注释代码。
using System;
using System.Linq;
using System.Collections.Generic;
namespace Demo
{
public static class Program
{
public static void Main(string[] args)
{
List<Test> list = new List<Test>
{
new Test(1, 1),
new Test(2, 1),
new Test(3, 2),
new Test(4, 2)
};
var uniques = list.DistinctBy(item => item.LinkId);
foreach (var item in uniques)
{
Console.WriteLine(item);
}
}
}
public class Test
{
public Test(int linkSysId, int linkId)
{
LinkSysId = linkSysId;
LinkId = linkId;
}
public override string ToString()
{
return string.Format("LinkSysId = {0}, LinkId = {1}", LinkSysId, LinkId);
}
public int LinkSysId;
public int LinkId;
}
static class EnumerableExt
{
public static IEnumerable<TSource> DistinctBy<TSource, TKey>
(this IEnumerable<TSource> source, Func<TSource, TKey> keySelector)
{
return source.DistinctBy(keySelector, null);
}
public static IEnumerable<TSource> DistinctBy<TSource, TKey>(this IEnumerable<TSource> source,
Func<TSource, TKey> keySelector, IEqualityComparer<TKey> comparer)
{
if (source == null) throw new ArgumentNullException("source");
if (keySelector == null) throw new ArgumentNullException("keySelector");
return DistinctByImpl(source, keySelector, comparer);
}
private static IEnumerable<TSource> DistinctByImpl<TSource, TKey>(IEnumerable<TSource> source,
Func<TSource, TKey> keySelector, IEqualityComparer<TKey> comparer)
{
var knownKeys = new HashSet<TKey>(comparer);
return source.Where(element => knownKeys.Add(keySelector(element)));
}
}
}