原生JS实现Ajax
一般来说,大家可能都会习惯用jquery提供的ajax方法,但是用原生的js怎么去实现ajax方法呢?
jquery提供的ajax方法:
$.ajax({ url: , type: '', datatype: '', data: { }, success: function(){ }, error: function(){ } })
原生js实现ajax方法:
var ajax={ get: function(url, fn) { // xmlhttprequest对象用于在后台与服务器交换数据 var xhr = new xmlhttprequest(); xhr.open('get', url, true); xhr.onreadystatechange = function() { // readystate == 4说明请求已完成 if (xhr.readystate == 4 && xhr.status == 200 || xhr.status == 304) { // 从服务器获得数据 fn.call(this, xhr.responsetext); } }; xhr.send(); }, // datat应为'a=a1&b=b1'这种字符串格式,在jq里如果data为对象会自动将对象转成这种字符串格式 post: function (url, data, fn) { var xhr = new xmlhttprequest(); xhr.open("post", url, true); // 添加http头,发送信息至服务器时内容编码类型 xhr.setrequestheader("content-type", "application/x-www-form-urlencoded"); xhr.onreadystatechange = function() { if (xhr.readystate == 4 && (xhr.status == 200 || xhr.status == 304)) { fn.call(this, xhr.responsetext); } }; xhr.send(data); } }
注释:
1. open(method, url, async) 方法需要三个参数:
method:发送请求所使用的方法(get或post);与post相比,get更简单也更快,并且在大部分情况下都能用;然而,在以下情况中,请使用post请求:
- 无法使用缓存文件(更新服务器上的文件或数据库)
- 向服务器发送大量数据(post 没有数据量限制)
- 发送包含未知字符的用户输入时,post 比 get 更稳定也更可靠
url:规定服务器端脚本的 url(该文件可以是任何类型的文件,比如 .txt 和 .xml,或者服务器脚本文件,比如 .asp 和 .php (在传回响应之前,能够在服务器上执行任务));
async:规定应当对请求进行异步(true)或同步(false)处理;true是在等待服务器响应时执行其他脚本,当响应就绪后对响应进行处理;false是等待服务器响应再执行。
2. send() 方法可将请求送往服务器。
3. onreadystatechange:存有处理服务器响应的函数,每当 readystate 改变时,onreadystatechange 函数就会被执行。
4. readystate:存有服务器响应的状态信息。
- 0: 请求未初始化(代理被创建,但尚未调用 open() 方法)
- 1: 服务器连接已建立(
open
方法已经被调用) - 2: 请求已接收(
send
方法已经被调用,并且头部和状态已经可获得) - 3: 请求处理中(下载中,
responsetext
属性已经包含部分数据) - 4: 请求已完成,且响应已就绪(下载操作已完成)
5. responsetext:获得字符串形式的响应数据。
6. setrequestheader():post传数据时,用来添加 http 头,然后send(data),注意data格式;get发送信息时直接加参数到url上就可以,比如url?a=a1&b=b1。
ps:fetch polyfill 的基本原理是探测是否存在window.fetch方法,如果没有则用 xhr 实现
上一篇: ASP强制刷新网页和判断文件地址实例代码
下一篇: 腌制鱼需要放什么调料