欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

ajax 同步和异步XMLHTTP代码分析

程序员文章站 2022-06-24 16:08:59
在网页脚本编程中,绝大多数情况应该使用异步模式;同步模式将会挂起当前的脚本引擎,所以当你使用同步模式时,你应该明白自己要什么。而在c++开发中,同步模式应该是主流,如果一定...
在网页脚本编程中,绝大多数情况应该使用异步模式;同步模式将会挂起当前的脚本引擎,所以当你使用同步模式时,你应该明白自己要什么。而在c++开发中,同步模式应该是主流,如果一定要使用异步模式加回调,可以参考using ixmlhttprequest onreadystatechange from c++一文。

下面是采用异步模式获取远程主机上rss文件的代码,关键的地方是设置一个回调函数给ixmlhttprequest::onreadystatechange。为了防止脚本过早退到控制台,使用了asyncdone变量检测当前状态。当然,如果在网页中使用xmlhttp,则不用这么麻烦——只要ie网页不关闭,回调函数不会退出。
复制代码 代码如下:

var xmlhttp = new activexobject("msxml2.xmlhttp.6.0");
var url = "//www.jb51.net/rss.xml";

var asyncdone = false;

try {
xmlhttp.open("get", url, true);
xmlhttp.onreadystatechange = onreadystatechange;
xmlhttp.send(null);

// loop so that the program from quiting
while (!asyncdone) {
wscript.sleep(100);
}

wscript.echo(xmlhttp.responsetext);
} catch (e) {
wscript.echo(e);
}

function onreadystatechange() {
wscript.echo("readystate: " + xmlhttp.readystate);
if (xmlhttp.readystate == 4) {
asyncdone = true;
}
}

同步模式获取远程主机资源的代码要简单许多:

复制代码 代码如下:

var xmlhttp = new activexobject("msxml2.xmlhttp.6.0");
var url = "//www.jb51.net/rss.xml";

try {
xmlhttp.open("get", url, false);
xmlhttp.send(null);
wscript.echo(xmlhttp.responsetext);
} catch (e) {
wscript.echo(e);
}

不过,如果在ie中使用同步模式,由于没有了回调的机制而且ie又不支持脚本开线程,脚本会被挂起直到xmlhttp返回。注意,ie界面本身会被挂起。

同步还是异步,具体问题还要具体分析。