[JavaScript] (Day-28) - jQuery

作者: 已重置2020 | 来源:发表于2017-07-22 16:01 被阅读192次
    Study now, love later. 先好好学习,晚点再恋爱吧。

    用JavaScript写 AJAX 前面已经介绍过了,主要是用JavaScript执行异步网络请求
    用jQuery的相关对象来处理AJAX,不但不需要考虑浏览器问题,代码也能大大简化


    ajax

    jQuery在全局对象jQuery(也就是$)绑定了ajax()函数,可以处理AJAX请求。ajax(url, settings)函数需要接收一个URL和一个可选的settings对象

    • async:是否异步执行AJAX请求,默认为true,千万不要指定为false

    • method:发送的Method,缺省为'GET',可指定为'POST''PUT'等;

    • contentType:发送POST请求的格式,默认值为'application/x-www-form-urlencoded; charset=UTF-8',也可以指定为text/plain、application/json

    • data:发送的数据,可以是字符串、数组或object。如果是GET请求,data将被转换成query附加到URL上,如果是POST请求,根据contentTypedata序列化成合适的格式;

    • headers:发送的额外的HTTP头,必须是一个object

    • dataType:接收的数据格式,可以指定为'html'、'xml'、'json'、'text'等,缺省情况下根据响应的Content-Type猜测。

    具体实例:

    var jqxhr = $.ajax('https://httpbin.org/get', {
        dataType: 'json'
    }).done(function (data) {
        ajaxLog('成功, 收到的数据: ' + JSON.stringify(data));
    }).fail(function (xhr, status) {
        ajaxLog('失败: ' + xhr.status + ', 原因: ' + status);
    }).always(function () {
        ajaxLog('请求完成: 无论成功或失败都会调用');
    });
    

    请求结果

    成功, 收到的数据: {"args":{},"headers":{"Accept":"application/json, text/javascript, */*; q=0.01","Accept-Encoding":"gzip, deflate, br","Accept-Language":"zh-CN,zh;q=0.8,en;q=0.6","Connection":"close","Host":"httpbin.org","User-Agent":"Mozilla/5.0 (Macintosh; Intel Mac OS X 10_12_3) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/59.0.3071.115 Safari/537.36"},"origin":"114.242.250.124","url":"https://httpbin.org/get"}
    请求完成: 无论成功或失败都会调用
    

    get

    由于 GET 请求最常见,所以 jQuery 提供了get()方法

    var jqxhr = $.get('/path/to/resource', {
        username: 'mazy',
        password: 123456
    });
    

    第二个参数如果是object,jQuery自动把它变成query string然后加到 URL 后面

    实际的URL是:

    /path/to/resource?username=mazy&password=123456
    
    

    post

    post()get()类似,但是传入的第二个参数默认被序列化为application/x-www-form-urlencoded

    var jqxhr = $.post('/path/to/resource', {
        username: 'mazy',
        password: 123456
    });
    

    实际构造的数据username=mazy&password=123456作为 POST 的body被发送。


    getJSON

    由于 JSON 用得越来越普遍,所以 jQuery 也提供了getJSON()方法来快速通过 GET 获取一个 JSON 对象

    var jqxhr = $.getJSON('/path/to/resource', {
        username: 'mazy',
        password: 123456
    }).done(function (data) {
        // data已经被解析为JSON对象了
    });
    
    

    相关文章

      网友评论

        本文标题:[JavaScript] (Day-28) - jQuery

        本文链接:https://www.haomeiwen.com/subject/jieukxtx.html