在web开发时,有的系统要求同一个用户在同一时间只能登陆一次,也就是若是一个用户已经登陆了,在退出以前若是再次登陆的话须要报错。javascript
常见的处理方法是,在用户登陆时,判断此用户是否已经在Application中存在,若是存在就报错,不存在的话就加到Application中(Application是全部Session共有的,整个web应用程序惟一的一个对象): java
string strUserId = txtUser.Text;
ArrayList list = Application.Get("GLOBAL_USER_LIST") as ArrayList;
if (list == null)
{
list = new ArrayList();
}
for (int i = 0; i < list.Count; i++)
{
if (strUserId == (list[i] as string))
{
//已经登陆了,提示错误信息
lblError.Text = "此用户已经登陆";
return;
}
}
list.Add(strUserId);
Application.Add("GLOBAL_USER_LIST", list);
固然这里使用Cache等保存也能够。 web
接下来就是要在用户退出的时候将此用户从Application中去除,咱们能够在Global.asax的Session_End事件中处理:c#
void Session_End(object sender, EventArgs e)
{
// 在会话结束时运行的代码。
// 注意: 只有在 Web.config 文件中的 sessionstate 模式设置为
// InProc 时,才会引起 Session_End 事件。若是会话模式设置为 StateServer
// 或 SQLServer,则不会引起该事件。
string strUserId = Session["SESSION_USER"] as string;
ArrayList list = Application.Get("GLOBAL_USER_LIST") as ArrayList;
if (strUserId != null && list != null)
{
list.Remove(strUserId);
Application.Add("GLOBAL_USER_LIST", list);
}
}
这些都没有问题,有问题的就是当用户直接点浏览器右上角的关闭按钮时就有问题了。由于直接关闭的话,并不会当即触发Session过时事件,也就是关闭浏览器后再来登陆就登不进去了。浏览器
这里有两种处理方式: session
一、使用Javascript方式ide
在每个页面中加入一段javascript代码: 测试
function window.onbeforeunload()
{
if (event.clientX>document.body.clientWidth && event.clientY<0||event.altKey){
window.open("logout.aspx");
}
}
因为onbeforeunload方法在浏览器关闭、刷新、页面调转等状况下都会被执行,因此须要判断是点击了关闭按钮或是按下Alt+F4时才执行真正的关闭操做。 spa
而后在logout.aspx的Page_Load中写和Session_End相同的方法,同时在logout.aspx中加入事件:onload="javascript:window.close()" orm
可是这样仍是有问题,javascript在不一样的浏览器中可能有不一样的行为,还有就是当经过文件->关闭时没有判断到。
二、使用xmlhttp方法(这种方法测试下来没有问题)
在每一个页面中加入以下的javascript(这些javascript也能够写在共通里,每一个页面引入就能够了)
var x=0; function myRefresh() { var httpRequest = new ActiveXObject("microsoft.xmlhttp"); httpRequest.open("GET", "test.aspx", false); httpRequest.send(null); x++; if(x<60) //60次,也就是Session真正的过时时间是30分钟 { setTimeout("myRefresh()",30*1000); //30秒 } } myRefresh();