验证Xunit中方法的执行顺序

问题描述

我必须编写测试用例以验证链式方法的执行顺序。 假设我编写了如下所示的代码

 _store 
     .SetInput(input1)
     .Method1()
     .Method2()
     .Method3();

如何编写测试用例以检查SetInput首先执行,method1第二执行等等? 如果有人更改了方法链接的实际实现或顺序,则测试用例将失败。 我知道我无法模拟扩展方法,那么编写测试用例以检查方法执行顺序的最佳方法是什么。

解决方法

让我们假设您的_store实现以下接口:

public interface IStore
{
    IStore SetInput(string input);
    IStore Method1();
    IStore Method2();
    IStore Method3();
}

为简单起见,以下是使用IStore实现的类:

public class SystemUnderTest
{
    private readonly IStore _store;
    public SystemUnderTest(IStore store)
    {
        _store = store;
    }

    public void MyAction()
    {
        _store
            .SetInput("input1")
            .Method1()
            .Method2()
            .Method3();
    }
}

因此,为了确保操作按此特定顺序执行,我们可以使用MockSequenceref)。这是为此的示例单元测试:

[Fact]
public void GivenAFlawlessStore_WhenICallMyAction_ThenItCallsTheMethodsOfTheStoreInAParticularOrder()
{
    //Arrange
    var storeMock = new Mock<IStore>();
    var expectedSequence = new MockSequence();
    storeMock.InSequence(expectedSequence).Setup(x => x.SetInput(It.IsAny<string>()))
        .Returns(storeMock.Object);
    storeMock.InSequence(expectedSequence).Setup(x => x.Method1())
        .Returns(storeMock.Object);
    storeMock.InSequence(expectedSequence).Setup(x => x.Method2())
        .Returns(storeMock.Object);
    storeMock.InSequence(expectedSequence).Setup(x => x.Method3())
        .Returns(storeMock.Object);

    var SUT = new SystemUnderTest(storeMock.Object);

    //Act 
    SUT.MyAction();

    //Assert
    storeMock.Verify(store => store.SetInput("input1"),Times.Once);
}

如果您在单元测试中或在MyAction方法内部更改顺序,它将失败并显示NullReferenceException,因为它不能在null上调用下一个方法。

更改MyAction

中的顺序
public void MyAction()
{
    _store
        .SetInput("input1")
        .Method2()
        .Method1() //NullReferenceException
        .Method3();
}

更改MockSequence

的顺序
//Arrange
var storeMock = new Mock<IStore>();
var expectedSequence = new MockSequence();
storeMock.InSequence(expectedSequence).Setup(x => x.SetInput(It.IsAny<string>()))
    .Returns(storeMock.Object);
storeMock.InSequence(expectedSequence).Setup(x => x.Method1())
    .Returns(storeMock.Object);
storeMock.InSequence(expectedSequence).Setup(x => x.Method3())
    .Returns(storeMock.Object);
storeMock.InSequence(expectedSequence).Setup(x => x.Method2())
.Returns(storeMock.Object);

按顺序,您的Setup通话将不会产生任何效果。当您从SetInput调用MyAction时,将按顺序执行第一个设置。 如果您尝试在Method2的{​​{1}}呼叫之前呼叫Method1,则它将失败。