当我们压缩我的Response后再传到Client端时,可以明显节省宽带. 提升Site的性能. 现在的浏览器大部分都支持Gzip,Deflate压缩. 同时我们还可以删除一些空白
段,空行,注释等以使得HTML文档的尺寸变得更小. 让我们先来实现压缩与删除空白类, 继承自Stream类:

   1:      /// <summary>
   2:      /// CompressWhitespaceFilter
   3:      /// </summary>
   4:      public class CompressWhitespaceFilter : Stream
   5:      {
   6:          private GZipStream _contentGZipStream;
   7:          private DeflateStream _content_DeflateStream;
   8:          private Stream _contentStream;
   9:          private CompressOptions _compressOptions;
  10:   
  11:   
  12:          /// <summary>
  13:          /// Initializes a new instance of the <see cref="CompressWhitespaceFilter"/> class.
  14:          /// </summary>
  15:          /// <param name="contentStream">The content stream.</param>
  16:          /// <param name="compressOptions">The compress options.</param>
  17:          public CompressWhitespaceFilter(Stream contentStream, CompressOptions compressOptions)
  18:          {
  19:              if (compressOptions == CompressOptions.GZip)
  20:              {
  21:                  this._contentGZipStream = new GZipStream(contentStream, CompressionMode.Compress);
  22:                  this._contentStream = this._contentGZipStream;
  23:              }
  24:              else if (compressOptions == CompressOptions.Deflate)
  25:              {
  26:                  this._content_DeflateStream = new DeflateStream(contentStream,CompressionMode.Compress);
  27:                  this._contentStream = this._content_DeflateStream;
  28:              }
  29:              else
  30:              {
  31:                  this._contentStream = contentStream;
  32:              }
  33:              this._compressOptions = compressOptions;
  34:          }
  35:   
  36:          public override bool CanRead
  37:          {
  38:              get { return this._contentStream.CanRead; }
  39:          }
  40:   
  41:          public override bool CanSeek
  42:          {
  43:              get { return this._contentStream.CanSeek; }
  44:          }
  45:   
  46:          public override bool CanWrite
  47:          {
  48:              get { return this._contentStream.CanWrite; }
  49:          }
  50:   
  51:          public override void Flush()
  52:          {
  53:              this._contentStream.Flush();
  54:          }
  55:   
  56:          public override long Length
  57:          {
  58:              get { return this._contentStream.Length; }
  59:          }
  60:   
  61:          public override long Position
  62:          {
  63:              get
  64:              {
  65:                  return this._contentStream.Position;
  66:              }
  67:              set
  68:              {
  69:                  this._contentStream.Position = value;
  70:              }
  71:          }
  72:   
  73:          public override int Read(byte[] buffer, int offset, int count)
  74:          {
  75:              return this._contentStream.Read(buffer, offset, count);
  76:          }
  77:   
  78:          public override long Seek(long offset, SeekOrigin origin)
  79:          {
  80:              return this._contentStream.Seek(offset, origin);
  81:          }
  82:   
  83:          public override void SetLength(long value)
  84:          {
  85:              this._contentStream.SetLength(value);
  86:          }
  87:   
  88:          public override void Write(byte[] buffer, int offset, int count)
  89:          {
  90:              byte[] data = new byte[count + 1];
  91:              Buffer.BlockCopy(buffer, offset, data, 0, count);
  92:   
  93:              string strtext = System.Text.Encoding.UTF8.GetString(buffer);
  94:              strtext = Regex.Replace(strtext, "^\\s*", string.Empty, RegexOptions.Compiled | RegexOptions.Multiline);
  95:              strtext = Regex.Replace(strtext, "\\r\\n", string.Empty, RegexOptions.Compiled | RegexOptions.Multiline);
  96:              strtext = Regex.Replace(strtext, "<!--*.*?-->", string.Empty, RegexOptions.Compiled | RegexOptions.Multiline);
  97:   
  98:              byte[] outdata = System.Text.Encoding.UTF8.GetBytes(strtext);
  99:              this._contentStream.Write(outdata, 0, outdata.GetLength(0));
 100:          }
 101:      }
 102:   
 103:      /// <summary>
 104:      /// CompressOptions
 105:      /// </summary>
 106:      /// <seealso cref="http://en.wikipedia.org/wiki/Zcat#gunzip_and_zcat"/>
 107:      /// <seealso cref="http://en.wikipedia.org/wiki/DEFLATE"/>
 108:      public enum CompressOptions
 109:      {
 110:          GZip,
 111:          Deflate,
 112:          None
 113:      }

.csharpcode, .csharpcode pre
{
font-size: small;
color: black;
font-family: consolas, "Courier New", courier, monospace;
background-color: #ffffff;
/*white-space: pre;*/
}
.csharpcode pre { margin: 0em; }
.csharpcode .rem { color: #008000; }
.csharpcode .kwrd { color: #0000ff; }
.csharpcode .str { color: #006080; }
.csharpcode .op { color: #0000c0; }
.csharpcode .preproc { color: #cc6633; }
.csharpcode .asp { background-color: #ffff00; }
.csharpcode .html { color: #800000; }
.csharpcode .attr { color: #ff0000; }
.csharpcode .alt
{
background-color: #f4f4f4;
width: 100%;
margin: 0em;
}
.csharpcode .lnum { color: #606060; }

上面的代码使用正则表达式替换字符串,你可以修改那些正则表达式来满足你的需求. 我们同时使用了GZipStreamDeflateStream实现了压缩. 好的,接下来与
HttpModule结合:

   1:      /// <summary>
   2:      /// CompressWhitespaceModule
   3:      /// </summary>
   4:      public class CompressWhitespaceModule : IHttpModule
   5:      {
   6:          #region IHttpModule Members
   7:   
   8:          /// <summary>
   9:          /// Disposes of the resources (other than memory) used by the module that implements <see cref="T:System.Web.IHttpModule"/>.
  10:          /// </summary>
  11:          public void Dispose()
  12:          {
  13:              // Nothing to dispose; 
  14:          }
  15:   
  16:          /// <summary>
  17:          /// Initializes a module and prepares it to handle requests.
  18:          /// </summary>
  19:          /// <param name="context">An <see cref="T:System.Web.HttpApplication"/> that provides access to the methods, properties, and events common to all application objects within an ASP.NET application</param>
  20:          public void Init(HttpApplication context)
  21:          {
  22:              context.BeginRequest += new EventHandler(context_BeginRequest);
  23:          }
  24:   
  25:          /// <summary>
  26:          /// Handles the BeginRequest event of the context control.
  27:          /// </summary>
  28:          /// <param name="sender">The source of the event.</param>
  29:          /// <param name="e">The <see cref="System.EventArgs"/> instance containing the event data.</param>
  30:          void context_BeginRequest(object sender, EventArgs e)
  31:          {
  32:              HttpApplication app = sender as HttpApplication;
  33:              if (app.Request.RawUrl.Contains(".aspx"))
  34:              {
  35:                  HttpContext context = app.Context;
  36:                  HttpRequest request = context.Request;
  37:                  string acceptEncoding = request.Headers["Accept-Encoding"];
  38:                  HttpResponse response = context.Response;
  39:                  if (!string.IsNullOrEmpty(acceptEncoding))
  40:                  {
  41:                      acceptEncoding = acceptEncoding.ToUpperInvariant();
  42:                      if (acceptEncoding.Contains("GZIP"))
  43:                      {
  44:                          response.Filter = new CompressWhitespaceFilter(context.Response.Filter, CompressOptions.GZip);
  45:                          response.AppendHeader("Content-encoding", "gzip");
  46:                      }
  47:                      else if (acceptEncoding.Contains("DEFLATE"))
  48:                      {
  49:                          response.Filter = new CompressWhitespaceFilter(context.Response.Filter, CompressOptions.Deflate);
  50:                          response.AppendHeader("Content-encoding", "deflate");
  51:                      }
  52:                  }
  53:                  response.Cache.VaryByHeaders["Accept-Encoding"] = true;
  54:              }
  55:          }
  56:   
  57:          #endregion
  58:      }

.csharpcode, .csharpcode pre
{
font-size: small;
color: black;
font-family: consolas, "Courier New", courier, monospace;
background-color: #ffffff;
/*white-space: pre;*/
}
.csharpcode pre { margin: 0em; }
.csharpcode .rem { color: #008000; }
.csharpcode .kwrd { color: #0000ff; }
.csharpcode .str { color: #006080; }
.csharpcode .op { color: #0000c0; }
.csharpcode .preproc { color: #cc6633; }
.csharpcode .asp { background-color: #ffff00; }
.csharpcode .html { color: #800000; }
.csharpcode .attr { color: #ff0000; }
.csharpcode .alt
{
background-color: #f4f4f4;
width: 100%;
margin: 0em;
}
.csharpcode .lnum { color: #606060; }

HttpApplication.BeginRequest 事件是 在 ASP.NET 响应请求时作为 HTTP 执行管线链中的第一个事件发生。

在WEB.CONFIG中你还需要配置:

   1:  <httpModules>
   2:    <add name="CompressWhitespaceModule"  type="MyWeb.CompressWhitespaceModule" />
   3:  </httpModules>

.csharpcode, .csharpcode pre
{
font-size: small;
color: black;
font-family: consolas, "Courier New", courier, monospace;
background-color: #ffffff;
/*white-space: pre;*/
}
.csharpcode pre { margin: 0em; }
.csharpcode .rem { color: #008000; }
.csharpcode .kwrd { color: #0000ff; }
.csharpcode .str { color: #006080; }
.csharpcode .op { color: #0000c0; }
.csharpcode .preproc { color: #cc6633; }
.csharpcode .asp { background-color: #ffff00; }
.csharpcode .html { color: #800000; }
.csharpcode .attr { color: #ff0000; }
.csharpcode .alt
{
background-color: #f4f4f4;
width: 100%;
margin: 0em;
}
.csharpcode .lnum { color: #606060; }

我们来看一下效果,下面没有使用时, 4.8KB

接着看,处理过后的效果,Cotent-Encoding: gzip,  filezie: 1.6KB

很简单,你可以按需求来增加更多的功能. 希望对您开发有帮助.

ASP.NET使用HttpModule压缩并删除空白Html请求的更多相关文章

  1. python学习:删除空白

    删除空白   删除尾部空白 确保字符串尾部没有空白,使用rstrip(); 删除字符串开头的空白,使用lstrip(); 同时删除字符串两端的空白,使用strip() 代码: >>> ...

  2. iOS 11开发教程(十六)iOS11应用视图之删除空白视图

    iOS 11开发教程(十六)iOS11应用视图之删除空白视图 当开发者不再需要主视图的某一视图时,可以将该视图删除.实现此功能需要使用到removeFromSuperview()方法,其语法形式如下: ...

  3. ASP.NET-自定义HttpModule与HttpHandler介绍

    ASP.NET对请求处理的过程:当请求一个*.aspx文件的时候,这个请求会被inetinfo.exe进程截获,它判断文件的后缀(aspx)之后,将这个请求转交给 ASPNET_ISAPI.dll,A ...

  4. tr---对来自标准输入的字符进行替换、压缩和删除。

    tr命令可以对来自标准输入的字符进行替换.压缩和删除.它可以将一组字符变成另一组字符,经常用来编写优美的单行命令,作用很强大. 语法 tr(选项)(参数) 选项 -c或——complerment:取代 ...

  5. winform程序,备份数据库+并压缩+并删除以前的备份

    说明:为了定时备份服务器上的数据库并压缩到指定目录,方便下载到本地而写本程序.配合windows的任务计划,可以达到定时备份数据库的目的. 程序需引用SQLDMO.DLL,如电脑上已安装sqlserv ...

  6. python字符串 常用函数 格式化字符串 字符串替换 制表符 换行符 删除空白 国际货币格式

    # 字符串常用函数# 转大写print('bmw'.upper()) # BMW# 转小写print('BMW'.lower()) # bmw# 首字母大写print('how aae you ?'. ...

  7. ASP.Net Web中Repeater怎么删除指定行

    使用OnItemCommand事件 首先附上相关的代码 <asp:Repeater ID="Repeater1" runat="server" OnIte ...

  8. Asp.net WebAPi gzip压缩和json格式化

    现在webapi越来越流行了,很多时候它都用来做接口返回json格式的数据,webapi原本是根据客户端的类型动态序列化为json和xml的,但实际很多时候我们都是序列化为json的,所以webapi ...

  9. Asp.Net Core IIS发布后PUT、DELETE请求错误405.0 - Method Not Allowed 因为使用了无效方法(HTTP 谓词)

    一.在使用Asp.net WebAPI 或Asp.Net Core WebAPI 时 ,如果使用了Delete请求谓词,本地生产环境正常,线上发布环境报错. 服务器返回405,请求谓词无效. 二.问题 ...

随机推荐

  1. ASP.NET Web API 跨域访问(CORS)

    一.客户端用JSONP请求数据 如果你想用JSONP来获得跨域的数据,WebAPI本身是不支持javascript的callback的,它返回的JSON是这样的: {"YourSignatu ...

  2. 冒泡,setinterval,背景图的div绑定事件,匿名函数问题

    1.会冒泡到兄弟元素么? $(function(){ $("#a").click(function(){alert("a")}) $("#b" ...

  3. video.js

    1.github地址 2.常用API: class : video-js: video-js应用视频所需的风格.js功能,比如全屏和字幕. vjs-default-skin: vjs-default- ...

  4. jQuery动画-圣诞节礼物

    ▓▓▓▓▓▓ 大致介绍 下午看到了一个送圣诞礼物的小动画,正好要快到圣诞节了,就动手模仿并改进了一些小问题 原地址:花式轮播----圣诞礼物传送 思路:动画中一共有五个礼物,他们平均分布在屏幕中,设置 ...

  5. js面向对象学习 - 对象概念及创建对象

    原文地址:js面向对象学习笔记 一.对象概念 对象是什么?对象是“无序属性的集合,其属性可以包括基本值,对象或者函数”.也就是一组名值对的无序集合. 对象的特性(不可直接访问),也就是属性包含两种,数 ...

  6. 防线修建 bzoj 2300

    防线修建(1s 512MB)defense [问题描述] 近来A国和B国的矛盾激化,为了预防不测,A国准备修建一条长长的防线,当然修建防线的话,肯定要把需要保护的城市修在防线内部了.可是A国上层现在还 ...

  7. iOS之开发中常用的颜色及其对应的RGB值

      R G B 值   R G B 值   R G B 值 黑色 0 0 0 #000000 黄色 255 255 0 #FFFF00 浅灰蓝色 176 224 230 #B0E0E6 象牙黑 41 ...

  8. Linux 桌面系统字体配置要略

    字体显示效果测试 这一段是为了测试宋体字的显示效果,包括宋体里面自带的英文字体,“This is english,how does it look like?”.这一行是小字.后面几个字是加粗的宋体. ...

  9. 写自己的Socket框架(三)

    在通信写完了以后,应用层接收到Socket抛上来的byte[],这个时候对于实际的写逻辑的开发者来说,这样的数据并不友好,我们就需要在应用层统一一个包的规则(应用层协议),处理完以后,然后再传给实际的 ...

  10. java运行时获得泛型类型

    引言 众所周知,java泛型最重要的特征是泛型擦除,所有泛型在编译时会转换成Object所以在java中运行时无法获得泛型的类型. 但是其实以上的规则是针对方法的内部变量的,如果是其他形式的泛型其实是 ...