在Java中,arrays .equals()允许轻松地比较两个基本数组的内容(重载可用于所有基本类型)。
c#中有这样的东西吗?在c#中是否存在比较两个数组内容的“神奇”方法?
在Java中,arrays .equals()允许轻松地比较两个基本数组的内容(重载可用于所有基本类型)。
c#中有这样的东西吗?在c#中是否存在比较两个数组内容的“神奇”方法?
当前回答
对于某些应用可能更好:
string.Join(",", arr1) == string.Join(",", arr2)
其他回答
对于单元测试,可以使用CollectionAssert。AreEqual而不是assert。AreEqual。
这可能是最简单的方法。
假设数组相等意味着两个数组在相等的下标处有相等的元素,则有SequenceEqual答案和IStructuralEquatable答案。
但两者在性能方面都有缺点。
当数组长度不同时,. net Framework中的SequenceEqual实现将不会进行快捷操作,因此它可能会完全枚举其中一个数组,并比较其中的每个元素。 这就是说,取决于。net风格(比如。net 5),它可能会有快捷方式,请看这条评论。因此,对于一个最新的。net项目,SequenceEqual应该是一个不错的选择。
IStructuralEquatable不是通用的,可能会导致每个比较值的装箱。此外,它使用起来不是很简单,并且已经调用了一些helper方法来隐藏它。
从性能角度来看,使用如下代码可能会更好:
bool ArrayEquals<T>(T[] first, T[] second)
{
if (first == second)
return true;
if (first == null || second == null)
return false;
if (first.Length != second.Length)
return false;
for (var i = 0; i < first.Length; i++)
{
if (!first[i].Equals(second[i]))
return false;
}
return true;
}
当然,这也不是检查数组是否相等的“神奇方法”。
所以目前,不,在。net中并没有真正等价于Java Arrays.equals()的东西。
你可以使用Enumerable.SequenceEqual。这适用于任何IEnumerable<T>,而不仅仅是数组。
我想确定两个集合是否有相同的内容,以任何顺序。这意味着,对于集合A中的每个元素,在两个集合中都有相同数量的具有该值的元素。我想要解释重复(所以{1,2,2,3}和{1,2,3,3}不应该被认为是“相同的”)。
这是我想出的(注意,IsNullOrEmpty是另一个静态扩展方法,如果枚举对象为空或有0个元素,则返回true):
public static bool HasSameContentsAs<T>(this IEnumerable<T> source, IEnumerable<T> target)
where T : IComparable
{
//If our source is null or empty, then it's just a matter of whether or not the target is too
if (source.IsNullOrEmpty())
return target.IsNullOrEmpty();
//Otherwise, if the target is null/emtpy, they can't be equal
if (target.IsNullOrEmpty())
return false;
//Neither is null or empty, so we'll compare contents. To account for multiples of
//a given value (ex. 1,2,2,3 and 1,1,2,3 are not equal) we'll group the first set
foreach (var group in source.GroupBy(s => s))
{
//If there are a different number of elements in the target set, they don't match
if (target.Count(t => t.Equals(group.Key)) != group.Count())
return false;
}
//If we got this far, they have the same contents
return true;
}
可列举的使用。LINQ中的SequenceEqual。
int[] arr1 = new int[] { 1,2,3};
int[] arr2 = new int[] { 3,2,1 };
Console.WriteLine(arr1.SequenceEqual(arr2)); // false
Console.WriteLine(arr1.Reverse().SequenceEqual(arr2)); // true