使用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.");
}

我做错了什么?

谢谢你的帮助。

154503 次浏览

你创建了一个任务,但从来没有开始它,所以它永远不会完成。然而,不要只是开始任务-相反,改为使用Task.FromResult<TResult>,这将给你一个已经完成的任务:

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

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

你可能还想考虑为IHttpClient使用一个假的,而不是模仿所有的东西——这实际上取决于你需要它的频率。

推荐上面@Stuart grasse的回答。

var moqCredentialMananger = new Mock<ICredentialManager>();
moqCredentialMananger
.Setup(x => x.GetCredentialsAsync(It.IsAny<string>()))
.ReturnsAsync(new Credentials() { .. .. .. });

对于async方法的Mock.Of<...>(...),您可以使用Task.FromResult(...):

var client = Mock.Of<IHttpClient>(c =>
c.PostAsync(It.IsAny<Uri>(), It.IsAny<HttpContent>()) == Task.FromResult(new HttpResponseMessage(HttpStatusCode.OK))
);

尝试使用ReturnsAsync。 在异步方法中它是有效的,我相信解决你的问题的基础应该是类似的

_mocker.GetMock<IMyRepository>()
.Setup(x => x.GetAll())
.ReturnsAsync(_myFakeListRepository.GetAll());