Click here to Skip to main content
15,867,330 members
Articles / Web Development / ASP.NET

HTTP compression in the .NET Framework 1.1

Rate me:
Please Sign up or sign in to vote.
4.57/5 (17 votes)
6 Jan 2006CPOL3 min read 179.2K   520   63   66
An article on HTTP compression in the .NET Framework 1.1.

Introduction

free hit countersThis article will show how to request for HTTP compression and handle a compressed response from a web server (or any appliance connected to the server) without changing the client application.

The factory pattern of creating WebRequest instances

The WebRequest supplies two methods to create instances:

The WebRequest class uses instances of classes that implement the IWebRequestCreate interface and are registered in the webRequestModules section in the configuration files. The Create method (called by both CreateDefault and Create) returns an initialized instance of a WebRequest descendent class capable of performing a standard request/response transaction for the protocol without needing any protocol-specific fields modified.

Because we can control the WebRequest factory using the configuration files, we can change the behavior of already built applications (our applications, or even the .NET Framework) to request and handle HTTP compression without changing them.

The WebRequest descendent instances will be responsible to create the WebResponse descendent instance that will handle the response from the web server.

The code

As shown before, to add HTTP compression to our applications, we just have to build three classes:

  • CompressibleHttpRequestCreator - implementing the IWebRequestCreate interface.
  • CompressibleHttpWebRequest - derived from WebRequest.
  • CompressibleHttpWebResponse - derived from WebResponse.

    In order for the applications that use HttpWebRequest and HttpWebResponse to work without any changes, CompressibleHttpWebRequest has to derive from HttpWebRequest, and CompressibleHttpWebResponse has to derive from HttpWebResponse.

    Fortunately, HttpWebRequest and HttpWebResponse are not sealed (NotInheritable in VB.NET). Unfortunately, these classes don't have any public constructor, and the only protected constructor each one has is the one required by the implementation of the ISerializable interface. Due to this drawback, reflection must be used.

    CompressibleHttpRequestCreator

    This is the class that will be implementing the IWebRequestCreate interface and is used to create HttpWebRequest descendant instances.

    As mentioned before, the only way to create an instance of a HttpWebRequest derived class, is by deserialization. To accomplish this, an instance of HttpWebRequest will be created, serialized, and deserialized into an instance of CompressibleHttpWebRequest.

    C#
    public class CompressibleHttpRequestCreator : IWebRequestCreate
    {
        WebRequest IWebRequestCreate.Create(Uri uri)
        {
            ISerializable httpWebRequest = Activator.CreateInstance(
                typeof(HttpWebRequest),
                BindingFlags.CreateInstance | BindingFlags.Public | 
                BindingFlags.NonPublic | BindingFlags.Instance,
                null,
                new object[] { uri },
                null) as ISerializable;
    
            if (httpWebRequest == null)
            {
                return null;
            }
    
            SerializationInfo serializationInfo = new SerializationInfo(
                typeof(CompressibleHttpWebRequest), new FormatterConverter());
            StreamingContext streamingContext = 
                new StreamingContext(StreamingContextStates.All);
            httpWebRequest.GetObjectData(serializationInfo, streamingContext);
    
            CompressibleHttpWebRequest webRequest = new 
                CompressibleHttpWebRequest(serializationInfo, streamingContext);
            webRequest.Method = serializationInfo.GetString("_OriginVerb");
    
            return webRequest;
        }
    }

    CompressibleHttpWebRequest

    This class will handle the setup of the HTTP request and the creation of the HttpWebResponse derived instance to handle the response.

    As with CompressibleHttpWebRequest, when creating the HttpWebResponse, an instance of HttpWebResponse will be created, serialized, and deserialized into an instance of CompressibleHttpWebResponse.

    To specify what types of compression will be accepted in the response, the AcceptEncodings will be used. Its value will, also, be used to set the accept-encoding HTTP header in the request (in the BeginGetResponse). The possible values for AcceptEncodings are:

    • Identity - The default (identity) encoding; the use of no transformation whatsoever.
    • GZip - An encoding format produced by the file compression program "gzip" (GNU zip) as described in RFC 1952 [25]. This format is a Lempel-Ziv coding (LZ77) with a 32 bit CRC.
    • Deflate - The "zlib" format defined in RFC 1950 [31] in combination with the "deflate" compression mechanism described in RFC 1951 [29].
    C#
    [Serializable]
    public class CompressibleHttpWebRequest : HttpWebRequest
    {
        private static FieldInfo m_UsesProxySemanticsFieldInfo = 
            typeof(HttpWebResponse).GetField("m_UsesProxySemantics", 
            BindingFlags.NonPublic | BindingFlags.Instance);
        private static FieldInfo m_ConnectStreamFieldInfo = 
            typeof(HttpWebResponse).GetField("m_ConnectStream", 
            BindingFlags.NonPublic | BindingFlags.Instance);
        private AcceptEncodings acceptEncodings = AcceptEncodings.GZip | 
            AcceptEncodings.Deflate | AcceptEncodings.Identity;
    
        public AcceptEncodings AcceptEncodings
        {
            get
            {
                return this.acceptEncodings;
            }
            set
            {
                this.acceptEncodings = value;
            }
        }
    
        protected internal CompressibleHttpWebRequest(SerializationInfo 
                  serializationInfo, StreamingContext 
                  streamingContext) : base(serializationInfo, 
                                           streamingContext)
        {
        }
    
        public override IAsyncResult 
            BeginGetResponse(AsyncCallback callback, object state)
        {
            if (this.acceptEncodings != AcceptEncodings.Identity)
            {
                this.Headers.Add("Accept-Encoding",
                    (this.acceptEncodings & 
                       ~AcceptEncodings.Identity).ToString().ToLower());
            }
            return base.BeginGetResponse(callback, state);
        }
    
        public override WebResponse EndGetResponse(IAsyncResult asyncResult)
        {
            ISerializable httpWebResponse = 
               base.EndGetResponse(asyncResult) as ISerializable;
            if (httpWebResponse == null)
            {
                return null;
            }
    
            SerializationInfo serializationInfo = new 
                SerializationInfo(typeof(CompressibleHttpWebResponse),
                new FormatterConverter());
            StreamingContext streamingContext = new 
                StreamingContext(StreamingContextStates.All);
            httpWebResponse.GetObjectData(serializationInfo, streamingContext);
            CompressibleHttpWebResponse webResponse = new 
                CompressibleHttpWebResponse(serializationInfo,
                streamingContext);
            m_UsesProxySemanticsFieldInfo.SetValue(webResponse, 
                m_UsesProxySemanticsFieldInfo.GetValue(httpWebResponse));
            m_ConnectStreamFieldInfo.SetValue(webResponse, 
                m_ConnectStreamFieldInfo.GetValue(httpWebResponse));
    
            return webResponse;
        }
    }

    CompressibleHttpWebResponse

    This is the easiest one. All that's needed is to handle the response stream accordingly to the content-encoding HTTP response header. Unfortunately, the .NET Framework 1.1 base classes don't provide any class for handling Deflate and GZip streams. For that, the SharpZipLib will be used.

    [Serializable]
    public class CompressibleHttpWebResponse : HttpWebResponse
    {
        public CompressibleHttpWebResponse(SerializationInfo 
            serializationInfo, StreamingContext streamingContext)
            : base(serializationInfo, streamingContext)
        {
        }
    
        public override Stream GetResponseStream()
        {
            Stream stream = base.GetResponseStream();
    
            if (stream == null)
            {
                return Stream.Null;
            }
    
            if (string.Compare(ContentEncoding, "gzip", true) == 0)
            {
                return new GZipInputStream(stream);
            }
            else if (string.Compare(ContentEncoding, "deflate", true) == 0)
            {
                return new InflaterInputStream(stream);
            }
            else
            {
                return stream;
            }
        }
    }

    Configuration

    Now, to add HTTP compression support to any application, all that's needed is to add the corresponding entry to the webRequestModules section in the configuration file.

    XML
    <?xml version="1.0" encoding="utf-8" ?>
    <configuration>
        <system.net>
            <webRequestModules>
                  <add prefix="http" 
                    type="PaJoCoMo.Net.CompressibleHttpRequestCreator, PaJoCoMo" />
              </webRequestModules>
        </system.net>
    </configuration>

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Software Developer (Senior) Paulo Morgado
Portugal Portugal

Comments and Discussions

 
QuestionHow to use these classes Pin
GautamSharma10816-Mar-10 2:21
GautamSharma10816-Mar-10 2:21 
AnswerRe: How to use these classes Pin
Paulo Morgado16-Mar-10 15:02
professionalPaulo Morgado16-Mar-10 15:02 
QuestionBinaries? Pin
alandraper23-Oct-08 15:29
alandraper23-Oct-08 15:29 
AnswerRe: Binaries? Pin
Paulo Morgado23-Oct-08 22:18
professionalPaulo Morgado23-Oct-08 22:18 
GeneralRe: Binaries? Pin
alandraper24-Oct-08 5:26
alandraper24-Oct-08 5:26 
QuestionWeb Services? Pin
alandraper23-Oct-08 15:28
alandraper23-Oct-08 15:28 
AnswerRe: Web Services? Pin
Paulo Morgado23-Oct-08 22:01
professionalPaulo Morgado23-Oct-08 22:01 
GeneralRe: Web Services? Pin
alandraper24-Oct-08 5:24
alandraper24-Oct-08 5:24 
QuestionRe: Web Services? Pin
alandraper25-Oct-08 14:00
alandraper25-Oct-08 14:00 
AnswerRe: Web Services? Pin
Paulo Morgado2-Nov-08 14:23
professionalPaulo Morgado2-Nov-08 14:23 
GeneralRe: Web Services? Pin
alandraper2-Nov-08 17:24
alandraper2-Nov-08 17:24 
GeneralRe: Web Services? Pin
Paulo Morgado2-Nov-08 18:25
professionalPaulo Morgado2-Nov-08 18:25 
GeneralHttp Compression Pin
attalurisubbu9-Oct-08 3:43
attalurisubbu9-Oct-08 3:43 
GeneralRe: Http Compression Pin
Paulo Morgado9-Oct-08 11:40
professionalPaulo Morgado9-Oct-08 11:40 
GeneralRe: Http Compression Pin
attalurisubbu9-Oct-08 20:05
attalurisubbu9-Oct-08 20:05 
GeneralRe: Http Compression Pin
Paulo Morgado9-Oct-08 22:04
professionalPaulo Morgado9-Oct-08 22:04 
GeneralRe: Http Compression Pin
attalurisubbu13-Oct-08 1:48
attalurisubbu13-Oct-08 1:48 
GeneralRe: Http Compression Pin
Paulo Morgado13-Oct-08 12:30
professionalPaulo Morgado13-Oct-08 12:30 
GeneralRe: Http Compression Pin
pooja mehta13-Dec-08 1:04
pooja mehta13-Dec-08 1:04 
GeneralRe: Http Compression Pin
Paulo Morgado13-Dec-08 7:20
professionalPaulo Morgado13-Dec-08 7:20 
GeneralRegard Http Compression Pin
attalurisubbu9-Oct-08 2:56
attalurisubbu9-Oct-08 2:56 
Questionhey dude, I need some help with this as it didnt work for me Pin
skilledguru13-Aug-08 14:38
skilledguru13-Aug-08 14:38 
AnswerRe: hey dude, I need some help with this as it didnt work for me Pin
Paulo Morgado13-Aug-08 22:10
professionalPaulo Morgado13-Aug-08 22:10 
QuestionRe: hey dude, I need some help with this as it didnt work for me Pin
skilledguru14-Aug-08 6:11
skilledguru14-Aug-08 6:11 
AnswerRe: hey dude, I need some help with this as it didnt work for me Pin
Paulo Morgado17-Aug-08 11:45
professionalPaulo Morgado17-Aug-08 11:45 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.