带有参数 Mediatr 和 Moq 的模拟处理程序

Mock handler with parameter Mediatr and Moq

我正在尝试使用最小起订量模拟处理程序。此处理程序采用 bool 类型的参数来过滤掉活跃客户和非活跃客户。

我的服务中使用的处理程序:

    public async Task<IEnumerable<CustomerDto>> GetCustomers(bool active)
    {
        return _mapper.Map<IEnumerable<CustomerDto>>(await _mediatr.Send(new GetCustomersQuery { Active = active }));
    }

我的处理程序如下所示:

public class GetCustomersHandler : IRequestHandler<GetCustomersQuery, IEnumerable<Customer>>
{

    private readonly ICustomersRepository _repository;

    public GetCustomersHandler(ICustomersRepository repository)
    {
        _repository = repository;
    }

    public async Task<IEnumerable<Customer>> Handle(GetCustomersQuery request, CancellationToken cancellationToken)
    {
        return await _repository.GetCustomers(request.Active);
    }
}

我的测试:

    [Fact]
    public async Task CustomersService_GetCustomers_ActiveReturnsOnlyActiveCustomers()
    {
        var result = await _service.GetCustomers(true);

        // asserts to test result
    }

我的模拟代码:

        var mockMediatr = new Mock<IMediator>();
        mockMediatr.Setup(m => m.Send(It.IsAny<GetBlockedCustomersAndGroupsQuery>(), It.IsAny<CancellationToken>()))
            .Returns(async (bool active) => 
                await _getBlockedCustomersAndGroupsHandler.Handle(new GetBlockedCustomersAndGroupsQuery { Active = active }, new CancellationToken())); ---> How can I pass my bool parameter here?

编辑: 我的测试中没有调解器的模拟代码(用于重用)。我希望能够测试传递 true 和传递 false 的两种情况。如果我像上面提到的那样尝试,我会收到此错误:"Invalid callback. Setup on method with 2 parameter(s) cannot invoke callback with different number of parameters (1)".

我可以在测试代码中模拟调解器并通过它:

mockMediatr.Setup(m => m.Send(It.IsAny<GetBlockedCustomersAndGroupsQuery>(), It.IsAny<CancellationToken>()))
            .Returns(async () => 
                await _getBlockedCustomersAndGroupsHandler.Handle(new GetBlockedCustomersAndGroupsQuery { Active = true }, new CancellationToken()));

但是在这里我无法在第二个测试中重用它(Active = false)并且我有一些重复的代码。有没有办法这样做,还是我需要将模拟代码放入测试代码中?

我找到了如何访问传递的数据。

mockMediatr.Setup(m => m.Send(It.IsAny(), It.IsAny())) .Returns(async (GetBlockedCustomersAndGroupsQuery q, CancellationToken token) => await _getBlockedCustomersAndGroupsHandler.Handle(new GetBlockedCustomersAndGroupsQuery { Active = q.Active}, token));