>  기사  >  백엔드 개발  >  AJAX 비새로고침 로그인 기능 구현 방법

AJAX 비새로고침 로그인 기능 구현 방법

迷茫
迷茫원래의
2017-01-24 13:30:441578검색

로그인 버튼을 클릭하면 로그인 창이 팝업됩니다. 올바른 사용자 이름과 비밀번호를 입력하고 로그인을 클릭하면 로그인 창이 닫히고 현재 사용자 이름으로 상태가 변경됩니다. 이 글에서는 AJAX 방법을 주로 소개합니다. 새로고침 없는 로그인 기능을 구현했습니다. 다음

로그인 버튼을 클릭하면 올바른 사용자 이름과 비밀번호를 입력하고 로그인을 클릭하면 로그인 창이 나타납니다. 로그인 창이 닫히고 상태가 현재 사용자 이름으로 변경됩니다.

1단계:

먼저 팝업 창은 jquery-ui의 컨트롤을 사용합니다.

압축 해제된 jquery-UI에서 development-bundle->demos를 열고 index.html을 찾고, 대화 상자에서 모델 대화 상자를 선택하고, 소스 코드를 보려면 마우스 오른쪽 버튼을 클릭하세요. 컨트롤 사용 방법을 관찰하고 키 코드를 찾으세요. $("#dialog-modal").dialog({height: 140,modal: true}) 이것은 사용됩니다. 표시되는 경우 모델 메시지에서 소스 코드를 엽니다. 그리고 닫기를 위한 키 코드를 찾습니다: $(this).dialog('close'); 이 두 줄의 코드를 사용하면 창 표시 및 닫기를 제어할 수 있으며 다음 단계로 진행할 수 있습니다. jquery-ui 개발 패키지의 css 폴더와 js 폴더를 프로젝트에 복사합니다.

2단계:

AJAX 요청을 처리하기 위한 일반 핸들러의 코드를 여기에 게시합니다. 실제로 작성하기 전에 사용하지만, 여기서는 이해를 돕기 위해 단계별로 자세히 나열하는 것이 불가능합니다. 먼저 일반 처리 프로그램 코드를 게시하겠습니다:

1.IsLogin .ashx, use 사용자가 로그인했는지 확인하기 위해 로그인 시 사용자 이름이 반환됩니다. 여기서 주의할 점은 일반 처리 프로그램에서 세션을 사용하려면 System.Web.SessionState를 사용하는 방법이 도입되어야 하며 IRequiresSessionState 인터페이스가 있어야 합니다.

using System;
using System.Collections.Generic;
using System.Linq;
using System.Web;
using System.Web.SessionState;
namespace AJAX无刷新登录.AJAX
{
 /// <summary>
 /// IsLogin 的摘要说明
 /// </summary>
 public class IsLogin : IHttpHandler,IRequiresSessionState
 {
  public void ProcessRequest(HttpContext context)
  {
   context.Response.ContentType = "text/plain";
   if (context.Session["userName"] != null)
   {
    string userName = context.Session["userName"].ToString();
    context.Response.Write("yes|"+userName);
   }
   else
   {
    context.Response.Write("no");
   }
  }
  public bool IsReusable
  {
   get
   {
    return false;
   }
  }
 }
}

2.CheckLogin.ashx를 구현했습니다. 사용자가 입력한 사용자 이름과 비밀번호가 일치하는지 확인하는 데 사용됩니다. 맞으면 yes를 반환하고, 틀리면 no를 반환합니다. 간단하게 여기에는 데이터베이스가 연결되어 있지 않습니다.

using System;
using System.Collections.Generic;
using System.Linq;
using System.Web;
using System.Web.SessionState;
namespace AJAX无刷新登录.AJAX
{
 /// <summary>
 /// CheckLogin 的摘要说明
 /// </summary>
 public class CheckLogin : IHttpHandler,IRequiresSessionState
 {
  public void ProcessRequest(HttpContext context)
  {
   context.Response.ContentType = "text/plain";
   string userName = context.Request["userName"];
   string password=context.Request["password"];
   if (userName=="admin"&&password=="admin")
   {
    context.Session["userName"] = "admin";
    context.Response.Write("ok");
   }
   else
   {
    context.Response.Write("no");
   }
  }
  public bool IsReusable
  {
   get
   {
    return false;
   }
  }
 }
}

3.LoginOut.ashx, 사용자 로그아웃을 제어하는 ​​데 사용되며 세션을 비어 있음으로 설정합니다.

using System;
using System.Collections.Generic;
using System.Linq;
using System.Web;
using System.Web.SessionState;
namespace AJAX无刷新登录.AJAX
{
 /// <summary>
 /// LoginOut 的摘要说明
 /// </summary>
 public class LoginOut : IHttpHandler,IRequiresSessionState
 {
  public void ProcessRequest(HttpContext context)
  {
   context.Response.ContentType = "text/plain";
   context.Session["userName"] = null;
  }
  public bool IsReusable
  {
   get
   {
    return false;
   }
  }
 }
}

일반 처리 프로그램이 끝났습니다. 기본 인터페이스는 아래에 게시되어 있습니다:

<!DOCTYPE html>
 
<html xmlns="http://www.w3.org/1999/xhtml">
<head runat="server">
 <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
 <title></title>
 <link href="JQueryUI/css/ui-lightness/jquery-ui-1.8.2.custom.css" rel="stylesheet" />
 <script src="JQueryUI/jquery-1.4.2.min.js"></script>
 <script src="JQueryUI/jquery-ui-1.8.2.custom.min.js"></script>
 <script type="text/javascript">
  //判断是否登录,登录则显示登录名,隐藏登录按钮,显示注销按钮
  //否则相反
  var isLogin = function () {
   $.post("/AJAX/IsLogin.ashx", function (data) {
    var strs = data.split(&#39;|&#39;);
    if (strs[0] == "yes") {
     $("#divShowLogin").hide();
     $("#divShowLoginOut").show();
     $("#spanName").text(strs[1]);
    } else {
     $("#divShowLogin").show();
     $("#divShowLoginOut").hide();
     $("#spanState").text("未登录");
    }
   });
  }
 
  $(function () {
   isLogin();
   //点击登录弹出登录窗口
   $("#btnShowLogin").click(function () {
    //模态窗口,设定长宽
    $("#divLogin").dialog({
     height: 160,
     width: 300,
     modal: true
    });
   });
 
   //点击取消则关闭弹出框
   $("#btnCancel").click(function () {
    $("#divLogin").dialog(&#39;close&#39;);
   });
 
   //点击登录发送post请求在一般处理程序CheckLogin.ashx中验证登录,
   //根据回调函数结果判断是否登录成功
   $("#btnLogin").click(function () {
    var userName = $("#txtUserName").val();
    var password = $("#txtPwd").val();
    $.post("/AJAX/CheckLogin.ashx", { "userName": userName, "password": password }, function (data) {
     if (data == "ok") {
      $("#divLogin").dialog(&#39;close&#39;);
      isLogin();
     }
     else {
      alert("用户名或密码错误");
     }
    });
   });
 
   //点击注销发送post请求,在一般处理程序中设置session为null,并调用isLogin函数刷新状态
   $("#btnExit").click(function () {
    $.post("/AJAX/LoginOut.ashx", function () {
     isLogin();
    });
 
   });
 
  });
 </script>
</head>
<body>
 <form id="form1" runat="server">
  <div id="divShowLogin" style="display: none">
   <span id="spanState"></span>
   <input type="button" value="登录" id="btnShowLogin" />
  </div>
  <div id="divShowLoginOut" style="display: none">
   <span id="spanName"></span>
   <input type="button" value="注销" id="btnExit" />
  </div>
  <div id="divLogin" title="登录窗口" style="display: none">
   <table style="text-align: left" id="tbLoin">
    <tr>
     <td>用户名:</td>
     <td>
      <input type="text" id="txtUserName" /></td>
    </tr>
    <tr>
     <td>密码:</td>
     <td>
      <input type="password" id="txtPwd" /></td>
    </tr>
    <tr>
     <td>
      <input type="button" value="登录" id="btnLogin" /></td>
     <td style="text-align: left">
      <input type="button" value="取消" id="btnCancel" /></td>
    </tr>
   </table>
  </div>
 </form>
</body>
</html>
성명:
본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.