url重写就是把一些类似article.aspx?id=28的路径
重写成 article/28/这样的路径
当用户访问article/28/的时候
我们通过asp.net把这个请求重定向到article.aspx?id=28路径
有两种方法可以做这件事情
一:基于HttpModule的方案
这个方案有有缺点,具体缺点以后再谈
我曾写过一篇文章《不用组件的url重写(适用于较大型项目) 》
就是按这个模式写的
二:基于HttpHandler的方案
我们这个例子就是按这个方案做的
我们接下来就按这种方式做这个例子
三:基于HttpHandlerFactory的方案
顾名思义这是一个工厂,可以根据不同的文件来处理请求
先看webconfig,和上一节讲的webconfig一样
<?
xml version="1.0"
?>
<
configuration
>
<
system.web
>
<
compilation
debug
="true"
></
compilation
>
<
httpHandlers
>
<
add
verb
="*"
path
="*.jsp"
type
="xland.MyHandler"
/>
</
httpHandlers
>
</
system.web
>
</
configuration
>
verb是指允许的动作“GET”、“POST”、“PUT”中的一种或几种,星号“*”表示全部允许
path允许访问jsp扩展名的文件
type指定HttpHandler处理方法
下面看MyHandler方法
using
System;
using
System.Collections.Generic;
using
System.Web;
//
引用web命名空间
using
System.Text;
namespace
xland
{
public
class
MyHandler:IHttpHandler
//
继承IHttpHandler
{
public
void
ProcessRequest(HttpContext context)
//
实现接口方法
{
string
path
=
context.Request.Url.PathAndQuery;
int
startnum
=
path.LastIndexOf(
'
/
'
)
+
1
;
string
name
=
path.Substring(startnum);
string
[] parames
=
name.Split(
'
-
'
);
string
truename
=
"
/
"
+
parames[
0
]
+
"
.aspx
"
+
"
?id=
"
+
parames[
1
].Replace(
"
.jsp
"
,
""
);
context.Server.Execute(truename);
}
public
bool
IsReusable
//
实现接口方法
{
get
{
return
false
; }
}
}
}
我的意图就是把article-49.jsp这样的用户请求
转换成article.aspx?id=49这样的请求
最后一句是执行指定的页面处理程序
下面看article.aspx
using
System;
using
System.Collections;
using
System.Configuration;
using
System.Data;
using
System.Linq;
using
System.Web;
using
System.Web.Security;
using
System.Web.UI;
using
System.Web.UI.HtmlControls;
using
System.Web.UI.WebControls;
using
System.Web.UI.WebControls.WebParts;
using
System.Xml.Linq;
namespace
_1
{
public
partial
class
article : System.Web.UI.Page
{
protected
void
Page_Load(
object
sender, EventArgs e)
{
Response.Write(
"
接收到的id为
"
+
Request[
"
id
"
]);
}
protected
void
Button1_Click(
object
sender, EventArgs e)
{
Response.Write(
"
回传成功
"
);
}
}
}
我在页面里做了按钮的postback事件,在这里是可以成功执行的
<
httpHandlers
>
<
add
verb
="*"
path
="*.jsp"
type
="xland.MyHandler"
/>
</
httpHandlers
>
上面的代码是处理所有的.jsp扩展名的文件
你可以写成
<
httpHandlers
>
<
add
verb
="*"
path
="*123.jsp"
type
="System.Web.UI.PageHandlerFactory"
validate
="true"
/>
<
add
verb
="*"
path
="*.jsp"
type
="xland.MyHandler"
/>
</
httpHandlers
>
把一类文件交还给asp.net处理
然后通过注册IhttpHandlerFactory处理你想处理的那部分