1

刚从画布和 javascript 开始,我无法理解为什么这个片段中的 setTimeout 不起作用。我最初认为它会触发每一帧,因为它包含在循环中。我也尝试在动画功能中移动它,但无济于事。

$(document).ready(function(){
var canvas = $('#myCanvas');
var context = canvas.get(0).getContext('2d');   

var Shape = function(x1,y1,x2,y2){
    this.x1 = x1
    this.y1 = y1
    this.x2 = x2
    this.y2 = y2
}

var shapes = new Array();

shapes.push(new Shape(0,0,50,50));
shapes.push(new Shape(50,50,50,50));
shapes.push(new Shape(0,100,50,50));
shapes.push(new Shape(50,150,50,50));
shapes.push(new Shape(0,200,50,50));

function animate(){
    for (i=0;i<shapes.length;i++){
        context.clearRect(0,0,500,500);
        context.fillRect(shapes[i].x1,shapes[i].y1,shapes[i].x2,shapes[i].y2);
        setTimeout(animate, 500);
    };
};
animate();
});
4

2 回答 2

2

你的animate().

  • 不要setTimeout循环执行。这将冻结您的浏览器。
  • for 循环中的代码绘制矩形并立即将其擦除。这就是为什么你看不到你的动画。

考虑像这样更改您的代码。

  var i = 0;
  function animate(){
      context.clearRect(0,0,500,500);
      context.fillRect(shapes[i].x1,shapes[i].y1,shapes[i].x2,shapes[i].y2);
      i++;
      if (i == shapes.length) i = 0;
      setTimeout(animate, 500);
  };
  animate();
于 2012-09-29T07:44:32.920 回答
0

setTimeout 在循环中创建问题,因为您正在专心地覆盖 timeOutId。你必须改变你的逻辑。将 setTimeout 置于循环之外。

于 2012-09-29T09:49:26.687 回答