While reviewing some code I noticed that a project was using both Moq and NSubstitute. It seemed strange to me to use 2 mocking libraries in the same codebase.
Turned out that there was a problem when trying to combine IHttpClientFactory and NSubstitute. The reason is that the IHttpClientFactory returns a concrete type (HttpClient) and that NSubstitute cannot mock its methods (like SendAsync()).
The trick was to create your own HttpMessageHandler instead:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
public class FakeHttpMessageHandler : HttpMessageHandler | |
{ | |
protected override Task<HttpResponseMessage> SendAsync(HttpRequestMessage request, CancellationToken cancellationToken) | |
{ | |
return Task.FromResult(new HttpResponseMessage(HttpStatusCode.OK)); | |
} | |
} |
The mocking code became the following:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
var httpClientFactory = Substitute.For<IHttpClientFactory>(); | |
var httpClient = new HttpClient(new FakeHttpMessageHandler()) { BaseAddress=new Uri("https://localhost")}; | |
httpClientFactory.CreateClient(Arg.Any<string>()).Returns(httpClient); |