ASP.NET使用HttpModule压缩并删除空白Html请求
当我们压缩我的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; }
上面的代码使用正则表达式替换字符串,你可以修改那些正则表达式来满足你的需求. 我们同时使用了GZipStream与DeflateStream实现了压缩. 好的,接下来与
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请求的更多相关文章
- python学习:删除空白
删除空白 删除尾部空白 确保字符串尾部没有空白,使用rstrip(); 删除字符串开头的空白,使用lstrip(); 同时删除字符串两端的空白,使用strip() 代码: >>> ...
- iOS 11开发教程(十六)iOS11应用视图之删除空白视图
iOS 11开发教程(十六)iOS11应用视图之删除空白视图 当开发者不再需要主视图的某一视图时,可以将该视图删除.实现此功能需要使用到removeFromSuperview()方法,其语法形式如下: ...
- ASP.NET-自定义HttpModule与HttpHandler介绍
ASP.NET对请求处理的过程:当请求一个*.aspx文件的时候,这个请求会被inetinfo.exe进程截获,它判断文件的后缀(aspx)之后,将这个请求转交给 ASPNET_ISAPI.dll,A ...
- tr---对来自标准输入的字符进行替换、压缩和删除。
tr命令可以对来自标准输入的字符进行替换.压缩和删除.它可以将一组字符变成另一组字符,经常用来编写优美的单行命令,作用很强大. 语法 tr(选项)(参数) 选项 -c或——complerment:取代 ...
- winform程序,备份数据库+并压缩+并删除以前的备份
说明:为了定时备份服务器上的数据库并压缩到指定目录,方便下载到本地而写本程序.配合windows的任务计划,可以达到定时备份数据库的目的. 程序需引用SQLDMO.DLL,如电脑上已安装sqlserv ...
- python字符串 常用函数 格式化字符串 字符串替换 制表符 换行符 删除空白 国际货币格式
# 字符串常用函数# 转大写print('bmw'.upper()) # BMW# 转小写print('BMW'.lower()) # bmw# 首字母大写print('how aae you ?'. ...
- ASP.Net Web中Repeater怎么删除指定行
使用OnItemCommand事件 首先附上相关的代码 <asp:Repeater ID="Repeater1" runat="server" OnIte ...
- Asp.net WebAPi gzip压缩和json格式化
现在webapi越来越流行了,很多时候它都用来做接口返回json格式的数据,webapi原本是根据客户端的类型动态序列化为json和xml的,但实际很多时候我们都是序列化为json的,所以webapi ...
- Asp.Net Core IIS发布后PUT、DELETE请求错误405.0 - Method Not Allowed 因为使用了无效方法(HTTP 谓词)
一.在使用Asp.net WebAPI 或Asp.Net Core WebAPI 时 ,如果使用了Delete请求谓词,本地生产环境正常,线上发布环境报错. 服务器返回405,请求谓词无效. 二.问题 ...
随机推荐
- PHP验证用户登录例子-学习笔记
1.基本流程: 2.UML类图: 3.PHP代码: 3.1 index.php <?php /** * Created by PhpStorm. * User: andy * Date: 16- ...
- dagger2系列之Scope
Dagger的Scope注解代表的是作用域,通过实现自定义@Scope注解,标记当前生成对象的使用范围,标识一个类型的注射器只实例化一次,在同一个作用域内,只会生成一个实例, 然后在此作用域内共用一个 ...
- Mac上MySQL忘记root密码且没有权限的处理办法&workbench的一些tips (转)
忘记Root密码肿么办 Mac上安装MySQL就不多说了,去mysql的官网上下载最新的mysql包以及workbench,先安装哪个影响都不大.如果你是第一次安装,在mysql安装完成之后,会弹出来 ...
- prometheus监控系统
关于Prometheus Prometheus是一套开源的监控系统,它将所有信息都存储为时间序列数据:因此实现一种Profiling监控方式,实时分析系统运行的状态.执行时间.调用次数等,以找到系统的 ...
- BPM配置故事之案例12-触发另外流程
还记得阿海么,对就是之前的那个采购员,他又有了些意见. 阿海:小明,你看现在的流程让大家都这么方便,能不能帮个忙让我也轻松点啊-- 小明:--你有什么麻烦,现在不是已经各个部门自己提交申请了嘛? 阿海 ...
- BPM配置故事之案例1-配置简单流程
某天,Boss找到了信息部工程师小明. Boss:咱们新上了H3 BPM,你研究研究把现在的采购申请流程加上去吧,这是采购申请单. 小明:好嘞 采购申请单 小明回去后拿着表单想了想,开始着手配置. 他 ...
- SharePoint2016安装的过程的”Microsoft.SharePoint.Upgrade.SPUpgradeException”错误解决方法
前提 在windows server 2012的服务器上运行安装sharepoint2016出现如下错误: Could not load file or assembly ‘Microsoft.Dat ...
- 一条Sql语句分组排序并且限制显示的数据条数
如果我想得到这样一个结果集:分组排序,并且每组限定记录集的数量,用一条SQL语句能办到吗? 比如说,我想找出学生期末考试中,每科的前3名,并按成绩排序,只用一条SQL语句,该怎么写? 表[TScore ...
- 小小改动帮你减少bundle.js文件体积(翻译)
我已经从事过好多年的SPA开发工作,我发现很多的程序猿都从来不往 bundle.js 文件的体积上动脑筋,这让我有点懵逼. “安心洗路,等俺把代码混淆压缩后就一切666了”,若是有人这么说,我会翻白眼 ...
- K-Means 聚类算法
K-Means 概念定义: K-Means 是一种基于距离的排他的聚类划分方法. 上面的 K-Means 描述中包含了几个概念: 聚类(Clustering):K-Means 是一种聚类分析(Clus ...