我试图取消requestAnimationFrame
循环,但我不能这样做,因为每次调用requestAnimationFrame
时,都会返回一个新的计时器ID,但我只能访问第一次调用requestAnimationFrame
的返回值。
具体来说,我的代码是这样的,我认为这并不完全罕见:
function animate(elem) {
var step = function (timestamp) {
//Do some stuff here.
if (progressedTime < totalTime) {
return requestAnimationFrame(step); //This return value seems useless.
}
};
return requestAnimationFrame(step);
}
//Elsewhere in the code, not in the global namespace.
var timerId = animate(elem);
//A second or two later, before the animation is over.
cancelAnimationFrame(timerId); //Doesn't work!
因为对requestAnimationFrame
的所有后续调用都在step
函数内,所以在我想调用cancelAnimationFrame
的事件中,我无法访问返回的计时器ID。
看看Mozilla(显然其他人也这么做)的方式,看起来他们在代码中声明了一个全局变量(Mozilla代码中的myReq
),然后将每次调用requestAnimationFrame
的返回值赋给该变量,以便它可以随时用于cancelAnimationFrame
。
有没有办法做到这一点,而不声明一个全局变量?
谢谢你。
不需要是全局变量;它只需要具有animate
和cancel
都可以访问的作用域。也就是说,你可以封装它。例如,像这样:
var Animation = function(elem) {
var timerID;
var step = function() {
// ...
timerID = requestAnimationFrame(step);
};
return {
start: function() {
timerID = requestAnimationFrame(step);
}
cancel: function() {
cancelAnimationFrame(timerID);
}
};
})();
var animation = new Animation(elem);
animation.start();
animation.cancel();
timerID; // error, not global.
编辑:你不需要每次都写代码——这就是为什么我们在做编程,毕竟,抽象重复的东西,所以我们不需要自己做。:)
var Animation = function(step) {
var timerID;
var innerStep = function(timestamp) {
step(timestamp);
timerID = requestAnimationFrame(innerStep);
};
return {
start: function() {
timerID = requestAnimationFrame(innerStep);
}
cancel: function() {
cancelAnimationFrame(timerID);
}
};
})();
var animation1 = new Animation(function(timestamp) {
// do something with elem1
});
var animation2 = new Animation(function(timestamp) {
// do something with elem2
});