嗨程序员! 实际上我在向List添加一些值后需要List中的不同值。 我的代码就像这样
List<Employee_Details> Temp = new List<Employee_Details>();
Temp =(List<Employee_Details>) newform.Tag;
EMP_DETAILS.Concat(Temp).Distinct();
但我直接忽略并且不添加值。
请帮帮我。
答案 0 :(得分:6)
Distinct
更喜欢为要比较的类型定义GetHashCode
和Equals
,或者提供相等比较器。如果两个对象具有相同的哈希码,则检查它们是否相等。
您可以为您的类型实现GetHashCode
和Equals
- 但有时我发现在一种情况下,相等的定义并不总是适用于所有情况 - 即在UI情况下,它可能就足够了只检查两个对象的ID是否匹配,因为UI可能没有在实际可用的对象上定义的所有相同数据(因此不能总是满足单个真正的相等性)。
所以我更愿意为IEqualityComparer<T>
实施Employee_Details
类型,然后将其实例提供给Distinct
方法
public class EmployeeDetailsComparer : IEqualityComparer<Employee_Details>
{
#region IEqualityComparer<int> Members
public bool Equals(Employee_Details x, Employee_Details y)
{
//define equality
if(x == null)
{
return y == null;
}
else if(y == null) return false;
//now check the fields that define equality - if it's a DB record,
//most likely an ID field
return x.ID == y.ID; //this is just A GUESS :)
}
public int GetHashCode(Employee_Details obj)
{
//define how to get a hashcode
//most obvious would be to define it on the IDs,
//but if equality is defined across multiple fields
//then one technique is to XOR (^) multiple hash codes together
//null-check first
if(obj == null) return 0;
//now either:
return obj.ID.GetHashCode();
//or something like
return obj.FirstName.GetHashCode() ^ obj.Surname.GetHashCode();
}
#endregion
}
现在你可以做到:
EMP_DETAILS.Concat(Temp).Distinct(new EmployeeDetailsComparer());
虽然注意实际上并没有做任何事情 - 但您需要实际捕获 Concat
方法的返回值,作为{{1 ,或'实现'它到数组或列表中:
IEnumerable<Employee_Details>
现在用这个替换Employee_Details[] result =
EMP_DETAILS.Concat(Temp).Distinct(new EmployeeDetailsComparer()).ToArray();
。如果它是EMP_DETAILS
,您可以这样做:
List<Employee_Details>
实际上,在多个值中实现良好的哈希码很棘手 - 但EMP_DETAILS =
EMP_DETAILS.Concat(Temp).Distinct(new EmployeeDetailsComparer()).ToList();
方法在大多数情况下都可以正常工作。目标是确保为不同的^
实例获取不同的哈希码。
答案 1 :(得分:2)
Distinct
方法使用包含对象的Equals
比较。如果您在Employee_Details
中有默认的Equals实现,那么您可能会比较引用。
所以你必须选择:
答案 2 :(得分:2)
您需要在班级中实施IEqualityComparer<T>
并提供自己的GetHashCode
和Equals
方法。
http://msdn.microsoft.com/en-us/library/ms132040.aspx
class Employee_Details : IEqualityComparer
{
public int Employee_ID;
public Employee_Details(int empID)
{
Employee_ID = empID;
}
public new bool Equals(object x, object y)
{
return x.ToString().Equals(y.ToString());
}
public int GetHashCode(object obj)
{
return obj.ToString().ToLower().GetHashCode();
}
public override String ToString()
{
return Employee_ID.ToString();
}
}