在C#中,去重函数可以通过多种方式实现,每种方式都有其优缺点和扩展性。以下是一些常见的去重方法:
public static IEnumerable<T> Distinct<T>(this IEnumerable<T> source)
{
return source.DistinctBy(x => x);
}
public static IEnumerable<T> DistinctBy<T, TKey>(this IEnumerable<T> source, Func<T, TKey> selector)
{
HashSet<TKey> seen = new HashSet<TKey>();
foreach (var item in source)
{
var key = selector(item);
if (!seen.Add(key))
{
continue;
}
yield return item;
}
}
这种方法的时间复杂度为O(n),其中n为集合中的元素数量。它适用于去重简单的属性,但扩展性有限,因为它依赖于属性的相等性比较。
public static IEnumerable<T> Distinct<T>(this IEnumerable<T> source)
{
return source.GroupBy(x => x).Select(g => g.First());
}
这种方法的时间复杂度也为O(n),但它使用了LINQ表达式,使得代码更易读。然而,它同样依赖于属性的相等性比较,并且对于复杂的对象比较可能会出现问题。
public static IEnumerable<T> Distinct<T>(this IEnumerable<T> source, IEqualityComparer<T> comparer)
{
return source.Distinct(Comparer);
}
这种方法允许你提供自定义的相等性比较器,从而提高了扩展性。但是,它的时间复杂度仍然为O(n),并且需要显式传递比较器。
public static IEnumerable<T> Distinct<T>(this IEnumerable<T> source)
{
return source.GroupBy(x => (x, 0)).Select(g => g.Item1);
}
这种方法使用ValueTuple来存储元素及其索引,从而避免了比较属性的问题。然而,它的时间复杂度仍然为O(n),并且需要显式创建ValueTuple。
总的来说,C#中去重函数的扩展性取决于你所使用的具体实现。如果你需要处理复杂的对象比较或者需要自定义的相等性比较器,那么使用IEqualityComparer