我编写了一个自定义 IHttpModule,但是当源中没有结束标记时它会导致问题。我在 CMS 中遇到了几个页面,我正在运行它,因为 .aspx 页面更像是一个处理程序,并且放弃关闭 html 以通过 ajax 将响应返回给用户。
这是我的来源:
public class HideModule : IHttpModule
{
public void Dispose()
{
//Empty
}
public void Init(HttpApplication app)
{
app.ReleaseRequestState += new EventHandler(InstallResponseFilter);
}
// ---------------------------------------------
private void InstallResponseFilter(object sender, EventArgs e)
{
HttpResponse response = HttpContext.Current.Response;
string filePath = HttpContext.Current.Request.FilePath;
string fileExtension = VirtualPathUtility.GetExtension(filePath);
if (response.ContentType == "text/html" && fileExtension.ToLower() == ".aspx")
response.Filter = new PageFilter(response.Filter);
}
}
public class PageFilter : Stream
{
Stream responseStream;
long position;
StringBuilder responseHtml;
public PageFilter (Stream inputStream)
{
responseStream = inputStream;
responseHtml = new StringBuilder ();
}
//Other overrides here
public override void Write(byte[] buffer, int offset, int count)
{
string strBuffer = System.Text.UTF8Encoding.UTF8.GetString (buffer, offset, count);
Regex eof = new Regex ("</html>", RegexOptions.IgnoreCase);
if (!eof.IsMatch (strBuffer))
{
responseHtml.Append (strBuffer);
}
else
{
responseHtml.Append (strBuffer);
string finalHtml = responseHtml.ToString();
//Do replace here
byte[] data = System.Text.UTF8Encoding.UTF8.GetBytes(finalHtml);
responseStream.Write(data, 0, data.Length);
}
}
#endregion
}
如您所见,这很棒,因为它只在最后一次调用 Write 时进行替换,但如果输出没有结束 HTML 标记,则 blammo。
如果找不到关闭的 html,我最好的选择是甚至不添加新过滤器。但我不认为我可以这么早截取完整的流。除了寻找结束的html标签之外,还有另一种检测Write的方法是在流的末尾吗?
提前致谢。