Moq:如何使用函数回调模拟方法作为参数

时间:2016-12-08 23:27:26

标签: c# mocking moq

我正在尝试在InMemoryCache类中模拟以下GetOrSet方法。

public class InMemoryCache : ICacheService
{
    public T GetOrSet<T>(string cacheKey, Func<T> getItemCallback) where T : class
    {
        T item = MemoryCache.Default.Get(cacheKey) as T;
        if (item == null)
        {
            item = getItemCallback();

            DateTime expireDateTime = new DateTime(DateTime.Today.Year, DateTime.Today.Month, DateTime.Today.Day, 4, 0, 0).AddDays(1);
            MemoryCache.Default.Add(cacheKey, item, expireDateTime);
        }
        return item;
    }
}

在我的测试中,我有

var mockCacheService = new Mock<ICacheService>();
mockCacheService.Setup(x => x.GetOrSet..

有人可以帮我填点吗?

我正在设置这样

mockCacheService.Setup(x => x.GetOrSet(It.IsAny<string>(), It.IsAny<Func<object>>()))
                .Returns(new Dictionary<string, string> { { "US", "USA"} });

但是,当我这样打电话时,它会返回null

var countries = _cacheService.GetOrSet("CountriesDictionary", () => webApiService.GetCountries())

1 个答案:

答案 0 :(得分:3)

这取决于你想要测试的内容。以下是一些例子:

var mockCacheService = new Mock<ICacheService>();

// Setup the GetOrSet method to take any string as its first parameter and 
// any func which returns string as the 2nd parameter
// When the GetOrSet method is called with the above restrictions, return "someObject"
mockCacheService.Setup( x => x.GetOrSet( It.IsAny<string>(), It.IsAny<Func<string>>() ) )
   .Returns( "someObject" );

// Setup the GetOrSet method and only when the first parameter argument is "Key1" and 
// the second argument is a func which returns "item returned by func"
// then this method should return "someOtherObject"
mockCacheService.Setup( x => x.GetOrSet( "Key1", () => "item returned by func") )
   .Returns( "someOtherObject" );

It有许多不同的方法,例如IsInIsInRangeIsRegex等。请查看哪种方法符合您的需求。

然后,您需要验证模拟中的内容。例如,下面我验证该方法是使用这些确切的参数调用的,只调用一次。如果使用“Key1”作为第一个参数并且返回“func返回的项目”的func调用它,那么这将通过。

mockCacheService.Verify( x => x.GetOrSet( "Key1", () => "item returned by func" ), Times.Once() );

编辑1

这很重要:

您可能知道这一点,但我希望您不要使用它来测试InMemoryCache.GetOrSet方法。这里的想法是你正在测试其他类和那个类,在某些条件下,更好地使用上面setup方法中的特定设置调用这个模拟。如果您的测试类没有使用“Key1”调用模拟并且没有传递返回“由func重新调整的项目”的func,则测试失败。这意味着您所测试的类中的逻辑是错误的。不是这个类,因为你是在嘲笑它。