获取LIST的区别的通用方法
本文关键字:区别 方法 LIST 获取 | 更新日期: 2023-09-27 18:13:54
我试图比较(属性的值)类型的一个实例中的列表和消除重复。根据MSDN, GetHashCode()是比较两个对象的方法之一。
哈希码用于高效插入和查找基于散列表的集合。哈希码不是永久价值
考虑到这一点,我开始写我的扩展方法如下
public static class Linq
{
public static IEnumerable<T> DistinctObjects<T>(this IEnumerable<T> source)
{
List<T> newList = new List<T>();
foreach (var item in source)
{
if(newList.All(x => x.GetHashCode() != item.GetHashCode()))
newList.Add(item);
}
return newList;
}
}
这个条件总是给我false
,尽管对象的数据是相同的。
newList.All(x => x.GetHashCode() != item.GetHashCode())
最后我想用
MyDuplicateList.DistinctObjects().ToList();
如果比较对象的所有字段太多,我可以这样使用,
MyDuplicateList.DistinctObjects(x=>x.Id, x.Name).ToList();
这里我告诉你只比较这些对象的这两个字段
在阅读了您的评论后,我将提出以下解决方案:
public static IEnumerable<TSource> DistinctBy<TSource, TResult>(this IEnumerable<TSource> source, Func<TSource, TResult> selector)
{
HashSet<TResult> set = new HashSet<TResult>();
foreach(var item in source)
{
var selectedValue = selector(item);
if (set.Add(selectedValue))
yield return item;
}
}
那么你可以这样使用:
var distinctedList = myList.DistinctBy(x => x.A);
或像这样的多个属性:
var distinctedList = myList.DistinctBy(x => new {x.A,x.B});
这个解决方案的优点是您可以精确地指定应该使用哪些属性来区分,并且您不必为每个对象重写Equals
和GetHashCode
。您需要确保您的属性可以被比较
您不需要为此创建自己的自定义泛型方法。相反,为您的数据类型提供自定义EqualityComparar
:
var myDuplicates = myList.Distinct(new MyComparer());
定义一个自定义比较器,如下所示:
public class MyComparer : IEqualityComparer<Mine>
{
public bool Equals(Mine x, Mine y)
{
if (x == null && y == null) return true;
if (x == null || y == null) return false;
return x.Name == y.Name && x.Id == y.Id;
}
public int GetHashCode(Mine obj)
{
return obj.Name.GetHashCode() ^ obj.Id.GetHashCode();
}
}
编辑:我最初在这里有不正确的代码,这应该做你想要的,而不必覆盖Equals
操作符