2

我有下面的小样本工厂模式实现,想知道是否有人可以帮助我编写适当的 Moq 单元测试用例,以获得最大的代码覆盖率:

public class TestClass
{ 
    private readonly IService service;

    public TestClass(Iservice service)
    {
        this.service = service;
    }

    public void Method(string test)
    {
        service = TestMethod(test);
        service.somemethod();
    }

    private IService TestMethod(string test)
    {
        if(test == 'A')
            service = new A();
        if(test == 'B')
            service = new B();
        return service;
    }
}

当我发送 Mock 时,我正在寻找一些测试 TestClass 的帮助,更重要的是 TestMethod,例如我的测试方法如下:

[TestMethod]
public void TestCaseA()
{
    Mock<IService> serviceMock = new Mock<Iservice>(MockBehaviour.strict);
    TestClass tClass = new TestClass(serviceMock.Object);

    // The Question is, what is best approach to test this scenario ?
    // If i go with below approach, new A() will override serviceMock
    // which i am passing through constructor.
    var target = tClass.Method("A");
}
4

1 回答 1

5

你不会嘲笑TestClass,因为那是你正在测试的。

为此,您需要为service.

public IService Service { get; private set; }

您需要测试构造函数和Method修改实例状态(在这种情况下Service)的方式TestClass

Method对于测试用例,您的测试将类似于以下内容B

[TestMethod]
public void TestSomeMethod()
{
    // Arrange/Act
    var target = new TestClass((new Mock<IService>()).Object);
    target.Method("B");

    // Assert
    Assert.IsInstanceOfType(target.Service, typeof(B));
}

您的测试将类似于以下内容,用于测试测试用例的构造函数A

[TestMethod()]
public void TestCasesA()
{
    // Arrange/Act
    var target = new TestClass("A");

    // Assert
    Assert.IsInstanceOfType(target.service, typeof(A));
}

我建议只使用构造方法来注入你的IService. 这允许您拥有一个不可变的对象,该对象将减少应用程序的状态。

于 2013-04-02T18:34:03.910 回答