2

我有一个相当简单的任务来替换页面上的特定文本。假设有 10 个 DIV,每个 DIV 都包含特定信息。我想根据数据库检查此信息,并将文本替换为数据库中的结果。

我将 GM_xmlhttpRequest 放在一个循环中,该循环应该检查此信息并为 10 个 DIV 中的每一个替换它。不幸的是,这不起作用,最后一个 DIV 包含 10 个完全相同的信息。也就是说,当 i=10 时,GM_xmlhttpRequest 被执行了 10 次。

下面是一个简化的代码:

var i=1;
while (i<=10) {
  var id = 'div-' + i; //This sets the name of the DIV
  var ShowContent = document.getElementById(id);
  GoToURL = "http://domain.com/?=" + id; //This specifies a URL that changes on every loop
  GM_xmlhttpRequest({
    method: "GET",
    url: GoToURL,
    onload: function(response) {
      ShowContent.innerHTML = response; //This should replace the information for each DIV
      alert(i); //TEST: this shows always 11 (even not 10!). Why?
    }
  });
  i++;
)
4

1 回答 1

3

Ajax 是异步的,所以当响应被传递时,你的循环已经结束(所以i=11)。

但是您可以使用闭包来处理'i'响应函数:

 var i=1;
 while (i<=10) {
   (function(i){
     var id = 'div-' + i; //This sets the name of the DIV
     var ShowContent = document.getElementById(id);
     GoToURL = "http://domain.com/?=" + id; //This specifies a URL       
     GM_xmlhttpRequest({
         method: "GET",
         url: GoToURL,
         onload: function(response) {
            ShowContent.innerHTML = response; //This should replace the information for each DIV
            alert(i); 
         }
     });
   })(i);
  i++;
}
于 2012-04-15T10:28:31.747 回答