前言
本文是我对ASP.NET页面载入速度提高的一些做法,这些做法分为以下部分:
1.采用 HTTP Module 控制页面的生命周期。
2.自定义Response.Filter得到输出流stream生成动态页面的静态内容(磁盘缓存)。
3.页面GZIP压缩。
4.OutputCache 编程方式输出页面缓存。
5.删除页面空白字符串。(类似Google)
6.完全删除ViewState。
7.删除服务器控件生成的垃圾NamingContainer。
8.使用计划任务按时生成页面。(本文不包含该做法的实现)
9.JS,CSS压缩、合并、缓存,图片缓存。(限于文章篇幅,本文不包含该做法的实现)
10.缓存破坏。(不包含第9做法的实现)
针对上述做法,我们首先需要一个 HTTP 模块,它是整个页面流程的入口和核心。
一、自定义Response.Filter得到输出流stream生成动态页面的静态内容(磁盘缓存)
如下的代码我们可以看出,我们以 request.RawUrl 为缓存基础,因为它可以包含任意的QueryString变量,然后我们用MD5加密RawUrl 得到服务器本地文件名的变量,再实例化一个FileInfo操作该文件,如果文件最后一次生成时间小于7天,我们就使用.Net2.0新增的TransmitFile方法将存储文件的静态内容发送到浏览器。如果文件不存在,我们就操作 response.Filter 得到的 Stream 传递给 CommonFilter 类,并利用FileStream写入动态页面的内容到静态文件中。
view sourceprint?001 namespace ASPNET_CL.Code.HttpModules
002 {
003 public class CommonModule : IHttpModule
004 {
005 public void Init(HttpApplication application)
006 {
007 application.BeginRequest += Application_BeginRequest;
008 }
009 private void Application_BeginRequest(object sender, EventArgs e)
010 {
011 var context= HttpContext.Current;
012 var request = context.Request;
013 var url = request.RawUrl;
014 var response = context.Response;
015 var path = GetPath(url);
016 var file = new FileInfo(path);
017 if (DateTime.Now.Subtract(file.LastWriteTime).TotalDays < 7)
018 {
019 response.TransmitFile(path);
020 response.End();
021 return;
022 }
023 try
024 {
025 var stream = file.OpenWrite();
026 response.Filter= new CommonFilter(response.Filter, stream);
027 }
028 catch (Exception)
029 {
030 Log.Insert("");
031 }
032 }
033 public void Dispose() { }
034 private static string GetPath(string url)
035 {
036 var hash = Hash(url);
037 string fold = HttpContext.Current.Server.MapPath("~/Temp/");
038 return string.Concat(fold, hash);
039 }
040 private static string Hash(string url)
041 {
042 url = url.ToUpperInvariant();
043 var md5 = new System.Security.Cryptography.MD5CryptoServiceProvider();
044 var bs = md5.ComputeHash(Encoding.ASCII.GetBytes(url));
045 var s = new StringBuilder();
046 foreach (var b in bs)
047 {
048 s.Append(b.ToString("x2").ToLower());
049 }
050 return s.ToString();
051 }
052 }
053 }