我正在使用Enumerable.Union<TSource>
方法来获取Custom List1与Custom List2的并集。但是以某种方式,它在我的情况下不起作用。我得到所有的项目,也有一次重复。
我遵循了MSDN Link来完成工作,但是仍然无法实现同样的目的。
以下是自定义类的代码:-
public class CustomFormat : IEqualityComparer<CustomFormat>
{
private string mask;
public string Mask
{
get { return mask; }
set { mask = value; }
}
private int type;//0 for Default 1 for userdefined
public int Type
{
get { return type; }
set { type = value; }
}
public CustomFormat(string c_maskin, int c_type)
{
mask = c_maskin;
type = c_type;
}
public bool Equals(CustomFormat x, CustomFormat y)
{
if (ReferenceEquals(x, y)) return true;
//Check whether the products' properties are equal.
return x != null && y != null && x.Mask.Equals(y.Mask) && x.Type.Equals(y.Type);
}
public int GetHashCode(CustomFormat obj)
{
//Get hash code for the Name field if it is not null.
int hashProductName = obj.Mask == null ? 0 : obj.Mask.GetHashCode();
//Get hash code for the Code field.
int hashProductCode = obj.Type.GetHashCode();
//Calculate the hash code for the product.
return hashProductName ^ hashProductCode;
}
}
我这样称呼:-
List<CustomFormat> l1 = new List<CustomFormat>();
l1.Add(new CustomFormat("#",1));
l1.Add(new CustomFormat("##",1));
l1.Add(new CustomFormat("###",1));
l1.Add(new CustomFormat("####",1));
List<CustomFormat> l2 = new List<CustomFormat>();
l2.Add(new CustomFormat("#",1));
l2.Add(new CustomFormat("##",1));
l2.Add(new CustomFormat("###",1));
l2.Add(new CustomFormat("####",1));
l2.Add(new CustomFormat("## ###.0",1));
l1 = l1.Union(l2).ToList();
foreach(var l3 in l1)
{
Console.WriteLine(l3.Mask + " " + l3.Type);
}
请提出实现相同目标的适当方法!
最佳答案
奇怪的是,您的类实现了IEqualityComparer<CustomClass>
而不是IEquatable<CustomClass>
。您可以传入另一个用作比较器的CustomClass
实例,但是仅使CustomClass
实现IEquatable<CustomClass>
并覆盖Equals(object)
会更加惯用。IEquatable<T>
和IEqualityComparer<T>
之间的区别在于IEquatable<T>
说“我知道如何将自己与T
的另一个实例进行比较”,而IEqualityComparer<T>
说“我知道如何将T
的两个实例进行比较”。后者通常是单独提供的-就像可以通过另一个参数将其提供给Union
一样。一种类型很难为自己的类型实现IEqualityComparer<T>
,而IEquatable<T>
几乎只能用于比较相同类型的值。
这是一个使用自动实现的属性的实现,以简化操作并增加惯用的参数名称。我可能会自己更改哈希代码实现,并使用表达式强壮的成员,但这是另一回事。
public class CustomFormat : IEquatable<CustomFormat>
{
public string Mask { get; set; }
public int Type { get; set; }
public CustomFormat(string mask, int type)
{
Mask = mask;
Type = type;
}
public bool Equals(CustomFormat other)
{
if (ReferenceEquals(this, other))
{
return true;
}
return other != null && other.Mask == Mask && other.Type == Type;
}
public override bool Equals(object obj)
{
return Equals(obj as CustomFormat);
}
public override int GetHashCode()
{
// Get hash code for the Name field if it is not null.
int hashProductName = Mask == null ? 0 : Mask.GetHashCode();
//Get hash code for the Code field.
int hashProductCode = Type.GetHashCode();
//Calculate the hash code for the product.
return hashProductName ^ hashProductCode;
}
}
现在,无助于(如注释中所述)
Enumerable.Union
的文档是错误的。它目前指出:它应该说像: