我有两个集合,我想遍历每个元素并比较每个集合中的相应元素是否相等,从而确定集合是否相同。
这是否可以使用foreach循环,还是必须使用计数器并按索引访问元素?
一般来说,有一种比较集合是否相同的首选方法,比如重载运算符?
TIA。
答案 0 :(得分:4)
您可以使用用于此目的的.SequenceEqual
方法。阅读More。
以下示例如果由于某种原因导致链接关闭或删除。
通过比较元素确定两个序列是否相等 通过对其类型使用默认的相等比较器。
SequenceEqual(IEnumerable,IEnumerable) 方法并行枚举两个源序列并进行比较 通过使用默认的相等比较器来对应的元素 TSource,默认。默认的相等比较器Default用于 比较实现IEqualityComparer的类型的值 通用接口。要比较自定义数据类型,您需要 实现此接口并提供您自己的GetHashCode和Equals 类型的方法。
class Pet
{
public string Name { get; set; }
public int Age { get; set; }
}
public static void SequenceEqualEx1()
{
Pet pet1 = new Pet { Name = "Turbo", Age = 2 };
Pet pet2 = new Pet { Name = "Peanut", Age = 8 };
// Create two lists of pets.
List<Pet> pets1 = new List<Pet> { pet1, pet2 };
List<Pet> pets2 = new List<Pet> { pet1, pet2 };
bool equal = pets1.SequenceEqual(pets2);
Console.WriteLine(
"The lists {0} equal.",
equal ? "are" : "are not");
}
/*
This code produces the following output:
The lists are equal.
*/
如果要比较序列中对象的实际数据 而不是只是比较他们的引用,你必须实现 IEqualityComparer类中的通用接口。下列 代码示例显示如何在自定义数据中实现此接口 输入并提供GetHashCode和Equals方法。
public class Product : IEquatable<Product>
{
public string Name { get; set; }
public int Code { get; set; }
public bool Equals(Product other)
{
//Check whether the compared object is null.
if (Object.ReferenceEquals(other, null)) return false;
//Check whether the compared object references the same data.
if (Object.ReferenceEquals(this, other)) return true;
//Check whether the products' properties are equal.
return Code.Equals(other.Code) && Name.Equals(other.Name);
}
// If Equals() returns true for a pair of objects
// then GetHashCode() must return the same value for these objects.
public override int GetHashCode()
{
//Get hash code for the Name field if it is not null.
int hashProductName = Name == null ? 0 : Name.GetHashCode();
//Get hash code for the Code field.
int hashProductCode = Code.GetHashCode();
//Calculate the hash code for the product.
return hashProductName ^ hashProductCode;
}
}
用法:
Product[] storeA = { new Product { Name = "apple", Code = 9 },
new Product { Name = "orange", Code = 4 } };
Product[] storeB = { new Product { Name = "apple", Code = 9 },
new Product { Name = "orange", Code = 4 } };
bool equalAB = storeA.SequenceEqual(storeB);
Console.WriteLine("Equal? " + equalAB);
/*
This code produces the following output:
Equal? True
*/