我试图通过使用httpmodule将js注入页面(到标签)。 但是没有注射。
我做了什么:<%@ Page Language="C#" AutoEventWireup="true" CodeBehind="Default.aspx.cs" Inherits="MyTempProject._Default" %>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml" >
<head>
<title>Temp</title>
</head>
<body>
<form id="form1">
<div>
</div>
</form>
</body>
</html>
public class MyExtensionModule : IHttpModule
{
#region IHttpModule Members
public void Dispose()
{
}
public void Init(HttpApplication context)
{
context.BeginRequest += new EventHandler(context_BeginRequest);
}
void context_BeginRequest(object sender, EventArgs e)
{
HttpContext context = ((HttpApplication)sender).Context;
Page page = HttpContext.Current.CurrentHandler as Page;
if (page != null)
{
string script = "/Scripts/jquery-1.5.1.js";
if (page.Header != null)
{
string scriptTag = String.Format("<script language=\"javascript\" type=\"text/javascript\" src=\"{0}\"></script>\n", script); page.Header.Controls.Add(new LiteralControl(scriptTag));
}
else if (!page.ClientScript.IsClientScriptIncludeRegistered(page.GetType(), script)) page.ClientScript.RegisterClientScriptInclude(page.GetType(), script, script);
}
}
#endregion
}
答案 0 :(得分:8)
BeginRequest 事件对于挂钩页面来说为时尚早。在请求周期的那一点上,IIS / ASP.NET甚至没有决定将您的请求映射到任何东西。所以你应该尝试类似 PostMapRequestHandler 事件。
但是,并非所有内容都存在:此时页面(如果有的话)尚未执行。这恰好发生在 PreRequestHandlerExecute 和 PostRequestHandlerExecute 事件之间。所以Pre ...太早了,Post ...太晚了。您最好的办法是勾选一个页面事件,例如 PreRenderComplete ,并执行您的注射。
public void Init(HttpApplication context)
{
context.PostMapRequestHandler += OnPostMapRequestHandler;
}
void OnPostMapRequestHandler(object sender, EventArgs e)
{
HttpContext context = ((HttpApplication)sender).Context;
Page page = HttpContext.Current.CurrentHandler as Page;
if (page != null)
{
page.PreRenderComplete += OnPreRenderComplete;
}
}
void OnPreRenderComplete(object sender, EventArgs e)
{
Page page = (Page) sender;
// script injection here
}
注意:很少有人仍在使用它们,但 Server.Execute 和 Server.Transfer 不会执行任何管道事件< / em>的。因此,使用 IHttpModule 永远无法捕获此类子请求。