Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Is it possible to mock out a .NET HttpWebResponse?

i've got an integration test that grabs some json result from a 3rd party server. It's really simple and works great.

I was hoping to stop actually hitting this server and using Moq (or any Mocking library, like ninject, etc) to hijack and force the return result.

is this possible?

Here is some sample code :-

public Foo GoGetSomeJsonForMePleaseKThxBai() {     // prep stuff ...      // Now get json please.     HttpWebRequest httpWebRequest = (HttpWebRequest)WebRequest.Create("Http://some.fancypants.site/api/hiThere);     httpWebRequest.Method = WebRequestMethods.Http.Get;      string responseText;      using (var httpWebResponse = (HttpWebResponse)httpWebRequest.GetResponse())     {         using (var streamReader = new StreamReader(httpWebResponse.GetResponseStream()))         {             json = streamReader.ReadToEnd().ToLowerInvariant();         }     }      // Check the value of the json... etc.. } 

and of course, this method is called from my test.

I was thinking that maybe I need to pass into this method (or a property of the class?) a mocked httpWebResponse or something but wasn't too sure if this was the way. Also, the response is a output from an httpWebRequest.GetResponse() method .. so maybe I just need to pass in a mocked HttpWebRequest ?.

any suggestions with some sample code would be most aprreciated!

like image 494
Pure.Krome Avatar asked Mar 22 '12 13:03

Pure.Krome


People also ask

What is HttpWebResponse C#?

This class contains support for HTTP-specific uses of the properties and methods of the WebResponse class. The HttpWebResponse class is used to build HTTP stand-alone client applications that send HTTP requests and receive HTTP responses.

What is the use of HttpWebRequest in C#?

The HttpWebRequest class provides support for the properties and methods defined in WebRequest and for additional properties and methods that enable the user to interact directly with servers using HTTP. Do not use the HttpWebRequest constructor.


1 Answers

You may wish to change your consuming code to take in an interface for a factory that creates requests and responses that can be mocked which wrap the actual implementation.

Update: Revisiting

I've been getting downvotes long after my answer was accepted, and I admit my original answer was poor quality and made a big assumption.

Mocking HttpWebRequest in 4.5+

The confusion from my original answer lies in the fact that you can mock HttpWebResponse in 4.5, but not earlier versions. Mocking it in 4.5 also utilizes obsolete constructors. So, the recommended course of action is to abstract the request and response. Anyways, below is a complete working test using .NET 4.5 with Moq 4.2.

[Test] public void Create_should_create_request_and_respond_with_stream() {     // arrange     var expected = "response content";     var expectedBytes = Encoding.UTF8.GetBytes(expected);     var responseStream = new MemoryStream();     responseStream.Write(expectedBytes, 0, expectedBytes.Length);     responseStream.Seek(0, SeekOrigin.Begin);      var response = new Mock<HttpWebResponse>();     response.Setup(c => c.GetResponseStream()).Returns(responseStream);      var request = new Mock<HttpWebRequest>();     request.Setup(c => c.GetResponse()).Returns(response.Object);      var factory = new Mock<IHttpWebRequestFactory>();     factory.Setup(c => c.Create(It.IsAny<string>()))         .Returns(request.Object);      // act     var actualRequest = factory.Object.Create("http://www.google.com");     actualRequest.Method = WebRequestMethods.Http.Get;      string actual;      using (var httpWebResponse = (HttpWebResponse)actualRequest.GetResponse())     {         using (var streamReader = new StreamReader(httpWebResponse.GetResponseStream()))         {             actual = streamReader.ReadToEnd();         }     }       // assert     actual.Should().Be(expected); }  public interface IHttpWebRequestFactory {     HttpWebRequest Create(string uri); } 

Better answer: Abstract the Response and Request

Here's a safer bare-bones implementation of an abstraction that will work for prior versions (well, down to 3.5 at least):

[Test] public void Create_should_create_request_and_respond_with_stream() {     // arrange     var expected = "response content";     var expectedBytes = Encoding.UTF8.GetBytes(expected);     var responseStream = new MemoryStream();     responseStream.Write(expectedBytes, 0, expectedBytes.Length);     responseStream.Seek(0, SeekOrigin.Begin);      var response = new Mock<IHttpWebResponse>();     response.Setup(c => c.GetResponseStream()).Returns(responseStream);      var request = new Mock<IHttpWebRequest>();     request.Setup(c => c.GetResponse()).Returns(response.Object);      var factory = new Mock<IHttpWebRequestFactory>();     factory.Setup(c => c.Create(It.IsAny<string>()))         .Returns(request.Object);      // act     var actualRequest = factory.Object.Create("http://www.google.com");     actualRequest.Method = WebRequestMethods.Http.Get;      string actual;      using (var httpWebResponse = actualRequest.GetResponse())     {         using (var streamReader = new StreamReader(httpWebResponse.GetResponseStream()))         {             actual = streamReader.ReadToEnd();         }     }       // assert     actual.Should().Be(expected); }  public interface IHttpWebRequest {     // expose the members you need     string Method { get; set; }      IHttpWebResponse GetResponse(); }  public interface IHttpWebResponse : IDisposable {     // expose the members you need     Stream GetResponseStream(); }  public interface IHttpWebRequestFactory {     IHttpWebRequest Create(string uri); }  // barebones implementation  private class HttpWebRequestFactory : IHttpWebRequestFactory {     public IHttpWebRequest Create(string uri)     {         return new WrapHttpWebRequest((HttpWebRequest)WebRequest.Create(uri));     } }  public class WrapHttpWebRequest : IHttpWebRequest {     private readonly HttpWebRequest _request;      public WrapHttpWebRequest(HttpWebRequest request)     {         _request = request;     }      public string Method     {         get { return _request.Method; }         set { _request.Method = value; }     }      public IHttpWebResponse GetResponse()     {         return new WrapHttpWebResponse((HttpWebResponse)_request.GetResponse());     } }  public class WrapHttpWebResponse : IHttpWebResponse {     private WebResponse _response;      public WrapHttpWebResponse(HttpWebResponse response)     {         _response = response;     }      public void Dispose()     {         Dispose(true);         GC.SuppressFinalize(this);     }      private void Dispose(bool disposing)     {         if (disposing)         {             if (_response != null)             {                 ((IDisposable)_response).Dispose();                 _response = null;             }         }     }      public Stream GetResponseStream()     {         return _response.GetResponseStream();     } } 
like image 167
moribvndvs Avatar answered Sep 20 '22 01:09

moribvndvs