几种判断asp.net中session过期方法的比较
方法一:最麻烦也是最容易想到的方法,在每个页面的page_load()方法里面判断:
protected void page_load(object sender, eventargs e)
{
if (!ispostback)
{
if (session["username"] != null)
{
//登陆成功的情况
page.clientscript.registerclientscriptblock(this.gettype(), "", "<script>alert('登录成功!')</script>");
}
else
{
//过期,重新登录
response.redirect("loginform.aspx");
}
}
}
缺点:代码冗余,重复写判断session代码。
方法二:重写httpmodule中的init()方法,然后判断session过期情况。
1.新建一个继承ihttpmodule接口的类module ,让module类实现ihttpmodule接口成员。
2.在init()方法中对context进行注册acquirerequeststate事件。
3.在acquirerequeststate方法中实现判断session代码。
using system;
using system.data;
using system.configuration;
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 judgesessionouttime
{
//1.继承ihttpmodule类,实现接口成员
public class module:ihttpmodule
{
#region ihttpmodule 成员
public void dispose()
{
throw new notimplementedexception();
}
//2.在init()方法中对context进行注册acquirerequeststate事件。
public void init(httpapplication context)
{
context.acquirerequeststate+=new eventhandler(context_acquirerequeststate);
}
//3.完善acquirerequeststate方法,然后判断session过期
public void context_acquirerequeststate(object sender, eventargs e)
{
httpapplication app = (httpapplication)sender;
if (app.context.session["username"] == null)
{
app.response.write("<script>alert('session到期!');</script>");
}
}
#endregion
}
}
4.配置web.config文件,在<system.web>中添加以下代码
<httpmodules>
<!--重写ihttpmodule类,需要配置的信息-->
<add name="demo" type="judgesessionouttime.module"/>
<!--type后面是命名空间.类名-->
</httpmodules>
优点:效率高,代码无冗余,一次配置,全程受用。
原理:实现ihttpmodule接口的类module是在执行页面之前就会执行。即:在page_load()事件执行之前,就会执行module,然后执行判断session方法,未过期,继续执行,过期,就会执行相应操作,就不用执行page_load()页面的方法了。
感悟:说实话,对于这点,在做网站登录,然后判断用户名方面,我觉得不太适合,因为,一旦程序开始加载,就会执行module类方法,那时候session还是空,所以无论怎样,都不会放下走,一直停在登录界面(个人见解,欢迎各位拍砖!)
方式三:重写继承page的oninit()虚方法,在需要的界面上,继承这个类。
1.新建继承page类的类judgesession,实现接口成员。
2.重写oninit()方法,判断session情况。
3.在需要判断session过期情况的页面上,继承该judgesession类,而不是page类,从而实现效果。
//judgesession 类
using system;
using system.data;
using system.configuration;
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 judgesessionouttime
{
public class judgesession : system.web.ui.page
{
protected override void oninit(eventargs e)
{
if (session["username"] == null)
{
response.write("session过期!");
}
else
{
response.write("session没有过期,用户名:"+session["username"].tostring());
}
}
}
}
优点:方法灵活,代码重用率高。在需要判断session的页面继承judgesession类,不需要的页面,继承page类即可。
下一篇: Android开发中下拉刷新如何实现