Ajax入门

AJAX:即“Asynchronous Javascript And XML”(异步的JavaScript和XML),是指一种创建交互式网页应用的网页开发技术,尤其是在一种在无需重新加载整个网页的情况下,能够更新部分网页的技术。
传统Web开发
World Wide Web(简称Web):是随着Internet的普及使用而发展起来的一门技术,其开发模式是一种请求→刷新→响应的模式,每个请求由单独的一个页面来显示,发送一个请求就会重新获取这个页面。
!

验证用户名是否注册

index.jsp

<%@ page contentType="text/html;charset=UTF-8" language="java" %>
<html>
  <head>
        <title>$Title$</title>
        <script src="js/jq.js" type="text/javascript" charset="utf-8"></script>
      <script>
          $(function () {
              $('input[name=username]').blur(function () {
                  // 检查用户名是否可以被注册,如果不可以,响应失败信息,否则响应成功信息
                  // 发送ajax请求
                  if($('input[name=username]').val() != null && $('input[name=username]').val().trim() != ''){
                      $.ajax({
                          /*url指定接收请求的地址*/
                          url : "${pageContext.request.contextPath}/checkUsername",
                          /*data填写发送的数据*/
                          data : {
                              "name" :  $('input[name=username]').val()
                          },
                          // type指定请求类型
                          type : "get",
                          // dataType指定响应信息格式
                          dataType : "json",
                          // 指定成功的回调函数,res是响应回来的信息
                          success : function (res) {
                              if(res == 0){
                                  $('#msg').html("注册失败").css('color','red');
                                  $('button').attr('disabled','disabled');
                              }else{
                                  $('#msg').html("注册成功").css('color','green');
                                  $('button').removeAttr('disabled');
                              }
                          },
                          // 指定失败的回调函数
                          error : function(){
                              alert("服务响应失败");
                          },
                          // 异步请求
                          async : true
                      })
                  }

              })
          })
      </script>
  </head>
  <body>
    <h1>Reg Page</h1>
    <form action="${pageContext.request.contextPath}/reg" method="post">
        <input type="text" name="username" placeholder="用户名"><span id="msg"></span><br><br>
        <input type="password" name="password" placeholder="密码">
        <button>注册</button>
    </form>

CheckUsernameServlet.java

import javax.servlet.ServletException;
import javax.servlet.annotation.WebServlet;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import java.io.IOException;

@WebServlet(name = "CheckUsernameServlet",urlPatterns = "/checkUsername")
public class CheckUsernameServlet extends HttpServlet {
    protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {

    }

    protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
        // 获取请求参数
        String name = request.getParameter("name");
        // 调dao查询该用户名是否存在
        if("mike".equals(name)){
            // 失败
            response.getWriter().println(0);
        }else{
            response.getWriter().println(1);
        }
    }
}

根据id查询用户和查询全部用户,响应ajax只能响应字符串给res

把对象序列化成字符串,需要使用jackson或fastjson,可以自己到maven库下载
serch.jsp

<%@ page contentType="text/html;charset=UTF-8" language="java" %>
<html>
<head>
    <title>Title</title>
    <script src="js/jq.js" type="text/javascript" charset="utf-8"></script>
    <script>
        $(function () {
            $('#serch1').click(function () {
                $.ajax({
                    url : "${pageContext.request.contextPath}/serchById",
                    data:{
                        "userid" : $('#userid').val()
                    },
                    type : 'get',
                    dataType : 'json',// 解析json字符串
                    success : function (res) {
                        $('#box').html(res.id+","+res.name+","+res.sex+","+res.age)
                    },
                    error : function () {
                        alert("响应失败")
                    },
                    async : true
                })
            })

            $('#serch2').click(function () {
                $.ajax({
                    url : "${pageContext.request.contextPath}/serchAll",
                    data:{},
                    type : 'get',
                    dataType : 'json',// 解析json字符串
                    success : function (res) {
                        $('#box').html('');
                        for(i in res){
                            $('#box').append(res[i].name+","+res[i].age+"<br>")
                        }
                    },
                    error : function () {
                        alert("响应失败")
                    },
                    async : true
                })
            })

        })
    </script>
</head>
<body>
    <h1>Serch Page</h1>
    <p>
        <input type="text" id="userid">
        <button type="button" id="serch1">查询</button>
        <button type="button" id="serch2">查询全部</button>
    </p>
    <div id="box"></div>
</body>
</html>

SerchByIdServlet.java

import com.alibaba.fastjson.JSON;
import com.neuedu.pojo.Userinfo;

import javax.servlet.ServletException;
import javax.servlet.annotation.WebServlet;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import java.io.IOException;

@WebServlet(name = "SerchByIdServlet",urlPatterns = "/serchById")
public class SerchByIdServlet extends HttpServlet {
    protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {

    }

    protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
        // 获取请求参数
        String userid = request.getParameter("userid");
        // 调dao层查询该id员工所有信息
        Userinfo userinfo = new Userinfo();
        userinfo.setId(Integer.parseInt(userid));
        userinfo.setAge(30);
        userinfo.setName("leo");
        userinfo.setSex("男");
        // 响应ajax请求
        //  JSON.toJSONString会把对象序列化成json字符串
        String str = JSON.toJSONString(userinfo);
        System.out.println(str);
        response.getWriter().println(str);
    }
}

SerchAllServlet.java

import com.alibaba.fastjson.JSON;
import com.neuedu.pojo.Userinfo;

import javax.servlet.ServletException;
import javax.servlet.annotation.WebServlet;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import java.io.IOException;
import java.util.ArrayList;
import java.util.List;

@WebServlet(name = "SerchAllServlet",urlPatterns = "/serchAll")
public class SerchAllServlet extends HttpServlet {
    protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {

    }

    protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
        Userinfo userinfo1 = new Userinfo();
        userinfo1.setId(1001);
        userinfo1.setName("tom");
        userinfo1.setSex("man");
        userinfo1.setAge(30);
        Userinfo userinfo2 = new Userinfo();
        userinfo2.setId(1002);
        userinfo2.setName("lucy");
        userinfo2.setSex("girl");
        userinfo2.setAge(33);
        Userinfo userinfo3 = new Userinfo();
        userinfo3.setId(1003);
        userinfo3.setName("lilei");
        userinfo3.setSex("man");
        userinfo3.setAge(20);

        List<Userinfo> list = new ArrayList<>();
        list.add(userinfo1);
        list.add(userinfo2);
        list.add(userinfo3);
        String str = JSON.toJSONString(list);
        System.out.println(str);
        response.getWriter().println(str);
    }
}

ajax简化写法

        <script>
            $(function () {
                $('#reg').click(function () {
                    $.post(
                            "${pageContext.request.contextPath}/user/reg",
                            {
                                "username": $('input[name=username]').val(),
                                "password":$('input[name=password]').val()
                            },
                            function success(res) {
                                if(res == 0){
                                    $('#msg').html("注册失败").css('color','red');
                                }else{
                                    window.location.href = "${ pageContext.request.contextPath }/gologin";
                                }
                            },
                            "json"
                    );
                })
            })
        </script>
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 203,098评论 5 476
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 85,213评论 2 380
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 149,960评论 0 336
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 54,519评论 1 273
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 63,512评论 5 364
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 48,533评论 1 281
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 37,914评论 3 395
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,574评论 0 256
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 40,804评论 1 296
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,563评论 2 319
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 37,644评论 1 329
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,350评论 4 318
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 38,933评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 29,908评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,146评论 1 259
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 42,847评论 2 349
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,361评论 2 342

推荐阅读更多精彩内容

  • 前言 总括: 本文讲解了ajax的历史,工作原理以及优缺点,对XMLHttpRequest对象进行了详细的讲解,并...
    秦至阅读 922评论 0 19
  • 什么是Ajax Ajax(Asynchronous JavaScript and XML) 异步JavaScrip...
    Java3y阅读 561评论 1 12
  • 第一部分 HTML&CSS整理答案 1. 什么是HTML5? 答:HTML5是最新的HTML标准。 注意:讲述HT...
    kismetajun阅读 27,400评论 1 45
  • 一. Java基础部分.................................................
    wy_sure阅读 3,785评论 0 11
  • 什么是Ajax?Ajax(Asynchronous Javascrpt And Xml)是一种运用于浏览器的技术,...
    卓三阳阅读 496评论 0 0