单行多 属性 码起订量

Moq for single line multiple property code

我有这些接口

public interface Interface1 { Interface2 Items {get;} }
public interface Interface2 { Guid? ApplicationTypeId { get; } }
public interface Interface3 { Class1 Item {get;} }
public interface Interface4 { Guid? ApplicationId { get; set; } }

一个class继承第一个接口

public class Class1 : Interface1 {
   public Interface2 Items { get; }
}

另一个 class 由几个 guid 组成

public static class ContentTypeIds
{
    public static Guid ContentGuid1 => new Guid("{11798e9d-a167-4cfc-8cfa-9a24fd6caf25}");

    public static Guid ContentGuid2 => new Guid("{7d22f5bb-37fd-445a-b322-2fa1b108d260}");
}

我需要对以下内容进行单元测试属性

private readonly Interface3 _interface3;
public Ticket Current
{
   get
   {
      //This line is very complicated
      Interface4 itemByContentType = _interface3.Item?.Items.GetItemByContentType(ContentTypeIds.ContentGuid2);
      if ( itemByContentType?.ContentId != null )
          return Get(itemByContentType.ContentId.Value);
      return null;
   }
}

这里是我的测试class

[Test]
public class TestClass {
    var mock1 = new Mock<Interface1>();
    var mock2 = new Mock<Interface2>();
    var mock3 = new Mock<Interface3>();

    mock1.SetupAllProperties();
    mock2.SetupAllProperties();
    mock3.SetupAllProperties();
}

'itemByContentType' 的值变为空。 任何人都可以帮助我让它变得简单和可测试,因为测试这个 属性 变得越来越复杂吗?我正在使用最小起订量。我将不胜感激任何帮助。

谢谢

我不是 Moq 方面的专家,但看起来它的 SetupAllProperties 方法只是将所有属性设置为像属性一样(即它创建的对象具有持久性可以支持 GET/SET 操作的成员)。如果不这样做,那么据我所知,这些属性仍然可用,但它们将始终解析为 null。这在准备 Mock 对象时非常方便,但就其本身而言,它不会为属性设置任何类型的值。

我认为您应该使用 Moq 的 SetupGet 结合 Returns 方法来准备 GET具有特定值的项目 属性。

下面是一些(简化的)示例代码,用于演示:

public interface IFoo { Guid? ApplicationId { get; set; } }
public interface IBar { IFoo Items { get; } }

class Program
{

    static void Main(string[] args)
    {
        // SETUP
        // Prepare mocks
        Mock<IFoo> MockFoo = new Mock<IFoo>();
        Mock<IBar> MockBar = new Mock<IBar>();

        // Seting up properties allows us read/write Foo's ApplicationId
        MockFoo.SetupAllProperties();

        // The mocked Foo object should be what's returned when Items is requested
        var expectedFoo = MockFoo.Object;

        // Setup the Bar object to return that mocked Foo
        MockBar.SetupGet(x => x.Items).Returns(expectedFoo);

        // The value written here will be persistent due to SetupAllProperties
        expectedFoo.ApplicationId = new Guid("{7d22f5bb-37fd-445a-b322-2fa1b108d260}");




        // ACTION
        // When the "Items" property is accessed, the IFoo we get should be what we mocked...
        var actualFoo = MockBar.Object.Items;

        // ... and we can read the value set to Foo's ApplicationId
        var actualAppId = actualFoo.ApplicationId;
    }
}