“;过期”;asp.net中的http头程序化
本文关键字:http 程序化 中的 asp 过期 net | 更新日期: 2023-09-27 17:58:59
在ASP.NET站点中,我想向某些静态文件添加一个"Expires"标头,因此我为这些文件所在的文件夹添加了这样的clientCache
配置:
<system.webServer>
<staticContent>
<clientCache cacheControlMode="UseExpires" httpExpires="Wed, 13 Feb 2013 08:00:00 GMT" />
</staticContent>
如果可能的话,我想以编程方式计算httpExpires
的值,例如将其设置为文件上次更新的时间+24小时。
有没有一种方法可以通过调用方法来配置缓存控件以获得httpExpires
的值?
如果没有,有什么替代方案?我曾想过编写一个自定义http处理程序,但也许有一个更简单的解决方案。。。
EDIT:请注意,这些是静态文件,因此它们不由常规的asp.net页面处理程序提供服务。
您可以使用Response.Cache
以编程方式设置缓存。
这是一个好看的教程。
基本上,您希望将缓存策略设置为Public
(客户端+代理)并设置过期标头。有些方法的命名相当笨拙,但这一个很容易。
HttpContext.Current.Response.Cache.SetCacheability(HttpCacheability.Public);
HttpContext.Current.Response.Cache.SetExpires(yourCalculatedDateTime);
(ASP.NET设计者不太喜欢德米特定律,是吗?)
或者,您可以通过Response.Headers
集合访问侦听器,在那里您可以显式地更改它们。
这两种方式在所有ASP.NET处理程序(aspx、asmx)中都可以访问,并且可能在任何可以访问当前HttpContext的地方都可以更改。
感谢@HonzaBrestan,他让我在HTTP模块的想法上走上了正轨,我想出了这样一个解决方案,我想分享它,以防对其他人有用。
using System;
using System.Collections.Generic;
using System.IO;
using System.Web;
public class ExpirationModule : IHttpModule {
HttpApplication _context;
#region static initialization for this example - this should be a config section
static Dictionary<string, TimeSpan> ExpirationTimes;
static TimeSpan DefaultExpiration = TimeSpan.FromMinutes(15);
static CrlExpirationModule() {
ExpirationTimes = new Dictionary<string, TimeSpan>();
ExpirationTimes["~/SOMEFOLDER/SOMEFILE.XYZ"] = TimeSpan.Parse("0.0:30");
ExpirationTimes["~/ANOTHERFOLDER/ANOTHERFILE.XYZ"] = TimeSpan.Parse("1.1:00");
}
#endregion
public void Init(HttpApplication context) {
_context = context;
_context.EndRequest += ContextEndRequest;
}
void ContextEndRequest(object sender, EventArgs e) {
// don't use Path as it contains the application name
string requestPath = _context.Request.AppRelativeCurrentExecutionFilePath;
string expirationTimesKey = requestPath.ToUpperInvariant();
if (!ExpirationTimes.ContainsKey(expirationTimesKey)) {
// not a file we manage
return;
}
string physicalPath = _context.Request.PhysicalPath;
if (!File.Exists(physicalPath)) {
// we do nothing and let IIS return a regular 404 response
return;
}
FileInfo fileInfo = new FileInfo(physicalPath);
DateTime expirationTime = fileInfo.LastWriteTimeUtc.Add(ExpirationTimes[expirationTimesKey]);
if (expirationTime <= DateTime.UtcNow) {
expirationTime = DateTime.UtcNow.Add(DefaultExpiration);
}
_context.Response.Cache.SetExpires(expirationTime);
}
public void Dispose() {
}
}
然后,您需要在web配置(IIS 7)中添加模块:
<system.webServer>
<modules>
<add name="ExpirationModule" type="ExpirationModule"/>
</modules>
</system.webServer>