本文摘自:https://www.jb51.net/article/73936.htm
在Jquery中ajax
方法中async
用于控制同步和异步,当async
值为true
时是异步请求,当async
值为fase
时是同步请求。ajax
中async
这个属性,用于控制请求数据的方式,默认是true
,即默认以异步的方式请求数据。
jquery
中ajax
方法有个属性async
用于控制同步和异步,默认是true
,即ajax
请求默认是异步请求,有时项目中会用到AJAX同步。这个同步的意思是当JS代码加载到当前AJAX的时候会把页面里所有的代码停止加载,页面出现假死状态,当这个AJAX执行完毕后才会继续运行其他代码页面假死状态解除。而异步则这个AJAX代码运行中的时候其他代码一样可以运行。
ajax
中async
这个属性,用于控制请求数据的方式,默认是true
,即默认以异步的方式请求数据。
当ajax
发送请求后,在等待server端返回的这个过程中,前台会继续 执行ajax块后面的脚本,直到server
端返回正确的结果才会去执行success
,也就是说这时候执行的是两个线程,ajax
块发出请求后一个线程 和ajax
块后面的脚本(另一个线程)
例如:
$.ajax({
type:"POST",
url:"Venue.aspx?act=init",
dataType:"html",
success:function(result){ //function1()
f1();
f2();
}
failure:function (result) {
alert('Failed');
},
}
function2();
在上例中,当ajax
块发出请求后,他将停留function1()
,等待server端的返回,但同时(在这个等待过程中),前台会去执行function2()
。
当执行当前AJAX的时候会停止执行后面的JS代码,直到AJAX执行完毕后时,才能继续执行后面的JS代码。
例如:
$.ajax({
type:"POST",
url:"Venue.aspx?act=init",
dataType:"html",
async: false,
success:function(result){ //function1()
f1();
f2();
}
failure:function (result) {
alert('Failed');
},
}
function2();
当把asyn
设为false
时,这时ajax
的请求时同步的,也就是说,这个时候ajax
块发出请求后,他会等待在function1()
这个地方,不会去执行function2()
,直到function1()
部分执行完毕。
var returnValue = null;
xmlhttp = createXmlHttp();
xmlhttp.onreadystatechange = function() {
if(xmlhttp.readyState == 4 && xmlhttp.status == 200) {
if (xmlhttp.responseText == "true") {
returnValue = "true";
}
else {
returnValue = "false";
}
}
};
xmlhttp.open("Post",url,true); //异步传输
xmlhttp.setRequestHeader("If-Modified-Since","0"); //不缓存Ajax
xmlhttp.send(sendStr);
return returnValue;
在异步时才可以用xmlHttpReq.onreadystatechange
状态值!下面是异步和同步的不同调用方式:
xmlHttpReq.open("GET",url,true);//异步方式
xmlHttpReq.onreadystatechange = showResult; //showResult是回调函数名
xmlHttpReq.send(null);
function showResult(){
if(xmlHttpReq.readyState == 4){
if(xmlHttpReq.status == 200){
······
}
}
}
xmlHttpReq.open("GET",url,false);//同步方式
xmlHttpReq.send(null);
showResult(); //showResult虽然是回调函数名但是具体用法不一样~
function showResult(){
//if(xmlHttpReq.readyState == 4){ 这里就不用了,直接dosomething吧~
//if(xmlHttpReq.status == 200){
······//dosomething
//}
//}
}
xmlhttp.open("Post",url,true);
如果是同步(false),返回值是true
或false
,因为执行完send后,开始执行onreadystatechange
,程序会等到onreadystatechange
都执行完,取得responseText
后才会继续执行下一条语句,所以returnValue
一定有值。
如果是异步(true),返回值一定是null,因为程序执行完send
后不等xmlhttp
的响应,而继续执行下一条语句,所以returnValue
还没有来的及变化就已经返回null了。
所有如果想获得xmlhttp返回值必须用同步,异步无法得到返回值。
同步异步使用xmlhttp
池时都要注意:取得xmlhttp
时只能新建xmlhttp
,不能从池中取出已用过的xmlhttp
,因为被使用过的xmlhttp
的readyState
为4
,所以同步异步都会send但不执行onreadystatechange
。
“The first 90% of the code accounts for the first 90% of the development time. The remaining 10% of the code accounts for the other 90% of the development time.” – Tom Cargill
标 题:ajax中的async属性值之同步和异步及同步和异步区别