Search code examples
c#unit-testingdotnet-httpclientrhino-mocks

Stubbing or Mocking ASP.NET Web API HttpClient


I am using the new Web API bits in a project, and I have found that I cannot use the normal HttpMessageRequest, as I need to add client certificates to the request. As a result, I am using the HttpClient (so I can use WebRequestHandler). This all works well, except that it isn't stub/mock friendly, at least for Rhino Mocks.

I would normally create a wrapper service around HttpClient that I would use instead, but I would like to avoid this if possible, as there are a lot of methods that I would need to wrap. I am hoping that I have missing something—any suggestions on how to stub HttpClient?


Solution

  • I use Moq and I can stub out the HttpClient. I think this the same for Rhino Mock (I haven’t tried by myself). If you just want to stub the HttpClient the below code should work:

    var stubHttpClient = new Mock<HttpClient>();
    ValuesController controller = new ValuesController(stubHttpClient.Object);
    

    Please correct me if I’m wrong. I guess you are referring to here is that stubbing out members within HttpClient.

    Most popular isolation/mock object frameworks won’t allow you to stub/setup on non- virtual members For example the below code throws an exception

    stubHttpClient.Setup(x => x.BaseAddress).Returns(new Uri("some_uri");
    

    You also mentioned that you would like to avoid creating a wrapper because you would wrap lot of HttpClient members. Not clear why you need to wrap lots of methods but you can easily wrap only the methods you need.

    For example :

    public interface IHttpClientWrapper  {   Uri BaseAddress { get;  }     }
    
    public class HttpClientWrapper : IHttpClientWrapper
    {
       readonly HttpClient client;
    
       public HttpClientWrapper()   {
           client = new HttpClient();
       }
    
       public Uri BaseAddress   {
           get
           {
               return client.BaseAddress;
           }
       }
    }
    

    The other options that I think might benefit for you (plenty of examples out there so I won’t write the code) Microsoft Moles Framework http://research.microsoft.com/en-us/projects/moles/ Microsoft Fakes: (if you are using VS2012 Ultimate) http://msdn.microsoft.com/en-us/library/hh549175.aspx