我想知道如何使用香草JS处理多个xhr请求。我想打开多个HTML模板,并在所有模板都准备好后加载页面。当我使用几个xhr.open()
请求时,它只会返回1个模板:
var xhr = new XMLHttpRequest();
xhr.onload = function() {
if(xhr.status === 200){
storage.append(xhr.responseText);
}
}
function getAsync(url) {
xhr.open('get', url);
xhr.send();
}
getAsync('localhost:3000/template1.html');
getAsync('localhost:3000/template2.html');
我了解到.open()
在time上只能工作1。
那么是否可以异步加载所有团队模板,或者我应该在同步问题中一个接一个地加载?另外,我想知道是否应该创建多个xhr = new XMLHttpRequest()
对象,以便可以运行多个.open()
?
谢谢
答案 0 :(得分:1)
您正在使用一个变量来定义xhr
请求,并使用该变量两次,因此第二次覆盖该变量。您需要创建一个循环并使用let xhr;
而不是var xhr
,因为let
具有块范围,因此循环中的每个实例都将被独立定义。
即像
// Create iterable list of URLS
let urls = ['localhost:3000/template1.html', 'localhost:3000/template2.html'];
// Loop through URLs and perform request
for(let i=0; i<urls.length; i++) {
let xhr = new XMLHttpRequest();
xhr.onload = function() {
if(xhr.status === 200){
storage.append(xhr.responseText);
}
}
xhr.open('get', urls[i]);
xhr.send();
}