NUnit,CollectionAssert.AreEquivalent(...,...),C#Question

时间:2010-03-19 20:17:43

标签: c# nunit

我是NUnit的新手,正在寻找一个关于为什么这个测试失败的探索?

运行测试时出现以下异常。

  

NUnit.Framework.AssertionException:Expected:等效于< < .... ExampleClass>,< .... ExampleClass> >     但是:< < .... ExampleClass>,< .... ExampleClass> >

using NUnit.Framework;
using System.Collections.ObjectModel;

public class ExampleClass
{
    public ExampleClass()
    {
        Price = 0m;
    }

    public string Description { get; set; }
    public string SKU { get; set; }
    public decimal Price { get; set; }
    public int Qty { get; set; }
}

[TestFixture]
public class ExampleClassTests
{
    [Test]
    public void ExampleTest()
    {

        var collection1 = new Collection<ExampleClass>
               {
                     new ExampleClass
                         {Qty = 1, SKU = "971114FT031M"},
                     new ExampleClass
                         {Qty = 1, SKU = "971114FT249LV"}
                 };

        var collection2 = new Collection<ExampleClass>
               {
                     new ExampleClass
                         {Qty = 1, SKU = "971114FT031M"},
                     new ExampleClass
                         {Qty = 1, SKU = "971114FT249LV"}
                 };

        CollectionAssert.AreEquivalent(collection1, collection2);

    }
}

2 个答案:

答案 0 :(得分:10)

为了确定2个集合是否相等,NUnit最终必须比较集合中的值。在这种情况下,值的类型为ExampleClass,即class。它没有实现任何相等性测试(例如重写Equals和GetHashCode),因此NUnit最终会进行参考比较。这将失败,因为每个集合包含Example的不同实例,即使这些字段具有相同的值。

您可以通过将以下内容添加到ExampleClass

来解决此问题
public override bool Equals(object o) {
  var other = o as ExampleClass;
  if ( other == null ) { return false; }
  return this.Description == other.Description
    && this.SKU == other.SKU
    && this.Price == other.Price
    && this.Qty == other.Qty;
}

public override int GetHashCode() { return 1; }

注意:我为GetHashCode选择了值1,因为这是一个可变类型,并且可变类型上GetHashCode唯一真正安全的返回值是常量。如果您打算将其用作Dictionary<TKey,TValue>中的密钥,但您需要重新访问此内容。

答案 1 :(得分:6)

您需要在Equals上实施GetHashCodeExampleClass。没有它,NUnit正在进行引用相等性检查(“这些是完全相同的对象吗?”),而不是值相等(“这些对象看起来一样吗?”)。