使用Moq模拟单元测试的异步方法

我正在测试一个提供Web API调用的服务的方法。 如果我也在本地运行Web服务(位于解决方案中的另一个项目中),则使用正常的HttpClient可以很好地进行单元测试。

但是,当我检查我的更改时,构建服务器将无法访问Web服务,因此测试将失败。

我已经为单元测试设计了一种方法,创建一个IHttpClient接口并实现我在我的应用程序中使用的版本。 对于单元测试,我使用模拟异步post方法完成了一个模拟版本。 这是我遇到问题的地方。 我想为这个特定的测试返回一个OK HttpStatusResult 。 对于另一个类似的测试,我将返回一个不好的结果。

测试将运行,但永远不会完成。 它等待着。 我对异步编程,委托和Moq本身很陌生,我一直在搜索SO和谷歌一段时间学习新东西,但我似乎无法解决这个问题。

这是我试图测试的方法:

public async Task<bool> QueueNotificationAsync(IHttpClient client, Email email)
{
    // do stuff
    try
    {
        // The test hangs here, never returning
        HttpResponseMessage response = await client.PostAsync(uri, content);

        // more logic here
    }
    // more stuff
}

这是我的单元测试方法:

[TestMethod]
public async Task QueueNotificationAsync_Completes_With_ValidEmail()
{
    Email email = new Email()
    {
        FromAddress = "bob@example.com",
        ToAddress = "bill@example.com",
        CCAddress = "brian@example.com",
        BCCAddress = "ben@example.com",
        Subject = "Hello",
        Body = "Hello World."
    };
    var mockClient = new Mock<IHttpClient>();
    mockClient.Setup(c => c.PostAsync(
        It.IsAny<Uri>(),
        It.IsAny<HttpContent>()
        )).Returns(() => new Task<HttpResponseMessage>(() => new HttpResponseMessage(System.Net.HttpStatusCode.OK)));

    bool result = await _notificationRequestService.QueueNotificationAsync(mockClient.Object, email);

    Assert.IsTrue(result, "Queue failed.");
}

我究竟做错了什么?

感谢您的帮助。


你正在创建一个任务,但从不开始,所以它永远不会完成。 但是,不要只是启动任务 - 而是改为使用Task.FromResult<TResult> ,它将为您提供已完成的任务:

...
.Returns(Task.FromResult(new HttpResponseMessage(System.Net.HttpStatusCode.OK)));

请注意,你不会以这种方式测试实际的异步 - 如果你想这样做,你需要做更多的工作来创建一个可以以更细粒度的方式控制的Task<T> ...但那是另一天的事情。

你也可以考虑使用假的IHttpClient而不是嘲笑所有的东西 - 这取决于你需要多久。

链接地址: http://www.djcxy.com/p/55903.html

上一篇: Using Moq to mock an asynchronous method for a unit test

下一篇: Setting HttpContext.Current.Session in a unit test