Js原生ajax的使用
1.首先创建一个XMLHttpRequest()对象
var xhr = XMLHttpRequest()
2.然后配置open()方法
open()有三个属性配置
比如
xhr.open("get","http://local host/add.php",true)
第一个参数代表"get"或者"post",请求
第二个地址为要请求的地址
第三个参数true代表是异步请求
3.发送
xhr.send()
//发送请求
如果是get请求send()不加参数,参数拼接到url 后面
如果是post请求,将传递的参数当到send()方法内发送
比如,发送一个id=10的数据
xhr.send("id=10")
4.监听状态
通过xhr.onreadystatechange来监听服务器状态
当xhr.readyState = 4 && xhr.status = 200的时候,说明服务器响应成功
xhr.onreadystatechange = function(){
if( xhr.readyState = 4 && xhr.status = 200){
//这时候说明数据请求成功,成功的数据会存放在xhr.responseText属性中
var data = xhr.responseText.
console.log(data)//这里就是从后台请求的数据,然后通过js将对应的数据渲染到页面上
/*在这里通常都是拼接字符串的操作,
所以当我们拼接字符串的时候可以将整个字符串放到一个数组里
然后通过数组的join()方法将数组拼接成字符串可以简化字符串拼接的错误)*/
}
}
如果需要跨域,就需要设置头部信息
xhr.setRequestHeader("Content-Type","application/x-www-form-urlencoded")
原生js封装的ajax请求,需要的自行带走(解决ie兼容性问题)
function ajax(options) {
options = options || {};
options.type = (options.type || "GET").toUpperCase();
options.dataType = options.dataType || "json";
options.async = options.async==false?false:true;
var params = formatParams(options.data);
//创建 - 非IE6 - 第一步
if (window.XMLHttpRequest) {
var xhr = new XMLHttpRequest();
} else { //IE6及其以下版本浏览器
var xhr = new ActiveXObject('Microsoft.XMLHTTP');
}
//接收 - 第三步
xhr.onreadystatechange = function () {
if (xhr.readyState == 4) {
var status = xhr.status;
if (status >= 200 && status < 300) {
options.success && options.success(xhr.responseText, xhr.responseXML);
} else {
options.fail && options.fail(status);
}
}
}
//连接 和 发送 - 第二步
if (options.type == "GET") {
xhr.open("GET", options.url + "?" + params, options.async);
xhr.send(null);
} else if (options.type == "POST") {
xhr.open("POST", options.url, options.async);
//设置表单提交时的内容类型
xhr.setRequestHeader("Content-Type", "application/x-www-form-urlencoded");
xhr.send(params);
}
}
//格式化参数
function formatParams(data) {
var arr = [];
for (var name in data) {
arr.push(encodeURIComponent(name) + "=" + encodeURIComponent(data[name]));
}
arr.push(("v=" + Math.random()).replace(".",""));
return arr.join("&");
}
网友评论