我对自制脚本有一点问题,首先我会给你脚本

    var heighti = $(window).height();
var imageLoading = new Array();
$('.fullHeight').css({'height' : heighti});
    var now,hour,minute,second,dateNow = new Array(),countImg=0,i=0,countDateNow = 0;countImg=0,countThis=0,countDateNowAj=0;
        /* GET THIS HOUR */
        now = new Date();
        hour      = now.getHours();
        minute    = now.getMinutes();
        second    = now.getSeconds();
    function date(){
        //Function to get date
}
function loadImage(){
    countThis = 0;
    while(countThis < 6){
    date();
    var imgOn = 'uploads/original/'+dateNow[countDateNowAj]+'.jpg';
    console.log(imgOn);
    var img = $("<img />").attr('src', imgOn)
                  .load(function(){
                    imageLoading[i] = imgOn ;
                    i++;
                  })
                  .error(function(){
                  console.log('This is the image now : '+imgOn);
                    imageLoading[i] = 'images/noimage.jpg';
                    i++;
                  });
        countThis++;
        countDateNowAj++;
    }
}


setInterval("dateImg()",1000);
setTimeout("loadImage()",0);
setInterval("loadImage()",5000);


所以这就是我的功能,一切正常,但是当我想执行imageLoading[i] = imgOn;时,脚本始终取最后一个值。

这是我在说的日志:http://minus.com/mpWvBsXkQ

首先我检查时间
在我检查了要检查的图像之后
最后,我检查imageLoading[i] = imgOn;的名称

而且我总是得到最后一次而不是每一秒。

希望您能理解我的查询。

最佳答案

在装入和错误处理程序函数中,您正在异步使用外部作用域中的变量(在这种情况下,作用域将是loadImage函数),但它们将作为循环的一部分进行同步更改。如果要使它们保持恒定直到实际调用处理程序,则需要使用闭包:

function loadImage(){
   function imageLoader(i, imgOn) {
      console.log(imgOn);
      var img = $("<img />").attr('src', imgOn)
         .load(function(){
            imageLoading[i] = imgOn ;
         })
         .error(function(){
            console.log('This is the image now : '+imgOn);
            imageLoading[i] = 'images/noimage.jpg';
         });
   }

   for(countThis = 0; countThis < 6; countThis++, countDateNowAj++) {
      date();
      imageLoader(i++, 'uploads/original/'+dateNow[countDateNowAj]+'.jpg');
   }
}


在这种情况下,imageLoader内部函数将成为加载和错误处理程序在其中运行的范围,因此i和imgOn的值与您期望的一样,而不是始终是循环完成运行时所拥有的最后一个值。

09-25 20:30