我要做的是创建(或者可能已经存在)一个HTTPHandler,它将过滤HTML生成的ASP.NET以使用内容交付网络(CDN)。例如,我想重写这样的引用:
/Portals/_default/default.css
到
我很高兴使用RegEx来匹配初始字符串。这样的正则表达式模式可能是:
href=['"](/Portals/.+\.css)
或
src=['"](/Portals/.+\.(css|gif|jpg|jpeg))
这是一个dotnetnuke网站,我实际上无法控制所有生成的HTML,所以我想用HTTPHandler来实现它。这样就可以在页面生成后完成更改。
答案 0 :(得分:13)
您可以编写一个response filter,可以在自定义HTTP模块中注册,它将修改生成您所显示的正则表达式的所有页面的生成的HTML。
例如:
public class CdnFilter : MemoryStream
{
private readonly Stream _outputStream;
public CdnFilter(Stream outputStream)
{
_outputStream = outputStream;
}
public override void Write(byte[] buffer, int offset, int count)
{
var contentInBuffer = Encoding.UTF8.GetString(buffer);
contentInBuffer = Regex.Replace(
contentInBuffer,
@"href=(['""])(/Portals/.+\.css)",
m => string.Format("href={0}http://cdn.example.com{1}", m.Groups[1].Value, m.Groups[2].Value)
);
contentInBuffer = Regex.Replace(
contentInBuffer,
@"src=(['""])(/Portals/.+\.(css|gif|jpg|jpeg))",
m => string.Format("href={0}http://cdn.example.com{1}", m.Groups[1].Value, m.Groups[2].Value)
);
_outputStream.Write(Encoding.UTF8.GetBytes(contentInBuffer), offset, Encoding.UTF8.GetByteCount(contentInBuffer));
}
}
然后写一个模块:
public class CdnModule : IHttpModule
{
void IHttpModule.Dispose()
{
}
void IHttpModule.Init(HttpApplication context)
{
context.ReleaseRequestState += new EventHandler(context_ReleaseRequestState);
}
void context_ReleaseRequestState(object sender, EventArgs e)
{
HttpContext.Current.Response.Filter = new CdnFilter(HttpContext.Current.Response.Filter);
}
}
并在web.config中注册:
<httpModules>
<add name="CdnModule" type="MyApp.CdnModule, MyApp"/>
</httpModules>