单元测试FindAsync

时间:2013-12-04 17:59:07

标签: c# asp.net entity-framework unit-testing moq

我使用这篇优秀的MSDN文章中的异步查询提供程序设置了一个测试项目:http://msdn.microsoft.com/en-US/data/dn314429#async效果很好。

但是当我添加一个调用FindAsync的方法时:

public async Task<Blog> GetBlog(int blogId)
{
    return await _context.Blogs.FindAsync(blogId);
}

并以以下格式添加以下单元测试:

[TestMethod]
public async Task GetAllBlogsAsync_gets_blog()
{
    var data = new List<Blog>
    {
        new Blog { BlogId = 1, Name = "BBB" },
        new Blog { BlogId = 2, Name = "ZZZ" },
        new Blog { BlogId = 3, Name = "AAA" },
    }.AsQueryable();

    var mockSet = new Mock<DbSet<Blog>>();
    mockSet.As<IDbAsyncEnumerable<Blog>>()
        .Setup(m => m.GetAsyncEnumerator())
        .Returns(new TestDbAsyncEnumerator<Blog>(data.GetEnumerator()));

    mockSet.As<IQueryable<Blog>>()
        .Setup(m => m.Provider)
        .Returns(new TestDbAsyncQueryProvider<Blog>(data.Provider));

    mockSet.As<IQueryable<Blog>>().Setup(m => m.Expression).Returns(data.Expression);
        mockSet.As<IQueryable<Blog>>().Setup(m => m.ElementType).Returns(data.ElementType);
    mockSet.As<IQueryable<Blog>>().Setup(m => m.GetEnumerator()).Returns(data.GetEnumerator());

    var mockContext = new Mock<BloggingContext>();
    mockContext.Setup(c => c.Blogs).Returns(mockSet.Object);

    var service = new BlogService(mockContext.Object);
    var blog = await service.GetBlog(2);

    Assert.AreEqual("ZZZ", blog.Name);
}

但是,当我的测试方法调用GetBlog时,await _context.Blogs.FindAsync(blogId);会抛出NullReferenceExceptionTestingDemo.BlogService.<GetBlog>d__5.MoveNext()

有关如何使用MSDN文章中的测试方法FindAsync调用{{1}}的方法实现单元测试的任何建议:

2 个答案:

答案 0 :(得分:12)

对于NullReferenceException方法,MoveNext内的

async几乎总是归因于从另一个异步方法返回null

在这种情况下,看起来FindAsync正在返回null,这是有道理的,因为我看不到你在哪里嘲笑它。您目前正在嘲笑IQueryableGetAsyncEnumerator方面,但不是FindAsync。您发布的示例文章未提供完整的DbSet模拟解决方案。

答案 1 :(得分:0)

我也遇到过这个问题。还有另一种解决方案,即快速简便,特别是只需要一个结果,而不需要依赖上下文缓存。那就是使用SingleOrDefaultAsync而不是FindAsync。

旧版本:

public async Task<Blog> GetBlog(int blogId)
{
    return await _context.Blogs.FindAsync(blogId);
}

新版本:

public async Task<Blog> GetBlog(int blogId)
{
    return await _context.Blogs.Where(b => b.BlogId == blogId).SingleOrDefaultAsync();
}

此版本适用于您拥有的模拟代码。

(这篇文章的答案解释了差异:Use of Include with async await