Search code examples
asp.netweb-servicessoapasmx

Capturing SOAP requests to an ASP.NET ASMX web service


Consider the requirement to log incoming SOAP requests to an ASP.NET ASMX web service. The task is to capture the raw XML being sent to the web service.

The incoming message needs to be logged for debug inspection. The application already has its own logging library in use, so the ideal usage would be something like this:

//string or XML, it doesn't matter.
string incomingSoapRequest = GetSoapRequest();

Logger.LogMessage(incomingSoapRequest);
  • Are there any easy solutions to capture the raw XML of the incoming SOAP requests?
  • Which events would you handle to get access to this object and the relevant properties?
  • Is there anyway IIS can capture the incoming request and push to a log?

Solution

  • One way to capture the raw message is to use SoapExtensions.

    An alternative to SoapExtensions is to implement IHttpModule and grab the input stream as it's coming in.

    public class LogModule : IHttpModule
    {
        public void Init(HttpApplication context)
        {
            context.BeginRequest += this.OnBegin;
        }
    
        private void OnBegin(object sender, EventArgs e)
        {
            HttpApplication app = (HttpApplication)sender;
            HttpContext context = app.Context;
    
            byte[] buffer = new byte[context.Request.InputStream.Length];
            context.Request.InputStream.Read(buffer, 0, buffer.Length);
            context.Request.InputStream.Position = 0;
    
            string soapMessage = Encoding.ASCII.GetString(buffer);
    
            // Do something with soapMessage
        }
    
        public void Dispose()
        {
            throw new NotImplementedException();
        }
    }