Moq - 是否可以在不使用 It.IsAny

问题描述 投票:0回答:1

我一直使用 Moq 进行单元测试。有时我会嘲笑有很多参数的方法。

想象一个这样的方法:

public class WorkClient {

public void DoSomething(string itemName, 
   int itemCount, 
   ServiceClientCredential cred, 
   CancellationToken = default(CancellationToken){}
}

当我去设置模拟时,我最终不得不做很多

It.IsAny<T>()
。我通常为每个测试创建一个模拟实例,所以我不关心匹配参数。

但是我的模拟仍然是这样的

var newMockClient = new Mock<WorkClient>();
newMockClient.Setup(x => x.DoSomething(
   It.IsAny<string>(), 
   It.IsAny<int>(),
   It.IsAny<ServiceClientCredential(),
   It.IsAny<CancellationToken>())
   .Returns(blah);

我希望能够懒惰地使用 LazySetup(如果存在),就像这样。

newMockClient.Setup(x=>x.DoSomething()).Returns(blah);

有没有这样的懒人模式?

c# .net unit-testing mocking moq
1个回答
3
投票

基于此 gist,您可以为

SetupDefaultArgs
创建一个重载,它与
void
返回类型配合良好。您需要添加对
Moq.Language.Flow
System.Linq.Expressions;

的引用
public static ISetup<T> SetupDefaultArgs<T>(this Mock<T> mock, string methodName)
    where T : class
{
    var method = typeof(T).GetMethod(methodName);
    if (method == null)
        throw new ArgumentException($"No method named '{methodName}' exists on type '{typeof(T).Name}'");
            
    var instance = Expression.Parameter(typeof(T), "m");
    var callExp = Expression.Call(instance, method, method.GetParameters().Select(p => GenerateItIsAny(p.ParameterType)));
    var exp = Expression.Lambda<Action<T>>(callExp, instance);
    return mock.Setup(exp);
}

//helper method for above
private static MethodCallExpression GenerateItIsAny(Type T)
    {
        var ItIsAnyT = typeof(It)
            .GetMethod("IsAny")
            .MakeGenericMethod(T);
        return Expression.Call(ItIsAnyT);
    }

因此,在您的情况下,用法将如下所示:

public interface IWorkClient
{
    void DoSomething(string itemName, int itemCount,
        ServiceClientCredential cred,
        CancellationToken token = default(CancellationToken));
}
var mock = new Mock<IWorkClient>();
mock.SetupDefaultArgs(nameof(IWorkClient.DoSomething));

要确保它已被调用,您可以执行以下操作:

//Arrange
var mock = new Mock<IWorkClient>();
mock.SetupDefaultArgs(nameof(IWorkClient.DoSomething))
    .Callback(() => Console.WriteLine("DoSomething has been called"));

var cts = new CancellationTokenSource();

//Act       
mock.Object.DoSomething("1", 2, null, cts.Token);

//Assert
mock.Verify(client => client.DoSomething("1", 2, null, cts.Token), Times.Once);
© www.soinside.com 2019 - 2024. All rights reserved.