如何在一定次数的迭代后停止setInterval()

时间:2013-03-09 19:46:47

标签: actionscript-3 flash adobe

我尝试过以下代码及其工作方式,但是当它达到130时我该如何停止?

var textValue:Number = 67.1;
var addValue:Number = .1;

my_txt.text = textValue.toString();

function counter(){
    textValue += addValue;
    my_txt.text = textValue.toString();
}

setInterval(counter, 10);

3 个答案:

答案 0 :(得分:4)

setInterval返回唯一ID作为unsigned int(uint)。您可以使用带有此ID的clearInterval来停止间隔。代码:

var textValue:Number = 67.1;
var addValue:Number = .1;
var myInterval:uint;
function counter(){
    textValue += addValue;
    my_txt.text = textValue.toString();
    if( textValue >= 130 ) {
        clearInterval(myInterval);
    }
}
myInterval = setInterval( counter, 10 );

答案 1 :(得分:2)

您可以使用clearInterval停止间隔。试试这个:

var textValue:Number = 67.1;
var addValue:Number = .1;

my_txt.text = textValue.toString();

function counter(){
    textValue += addValue;
    my_txt.text = textValue.toString();
    //check for end value
    if (textValue>=130)
    {
        //clear the interval
        clearInterval(intervalID);
    }
}

//store the interval id for later
var intervalID:uint = setInterval(counter, 10);

答案 2 :(得分:0)

由于您似乎正在使用动作脚本3,我建议不要使用间隔。 Timer对象可能更好,因为它可以提供更好的控制,例如能够设置它在停止之前触发的次数,并且能够根据需要轻松启动,停止和重新启动计时器。

使用Timer对象并为每个tick添加事件侦听器的示例

import flash.utils.Timer;
import flash.events.TimerEvent;

// each tick delay is set to 1000ms and it'll repeat 12 times
var timer:Timer = new Timer(1000, 12);

function timerTick(inputEvent:TimerEvent):void {
    trace("timer ticked");

    // some timer properties that can be accessed (at any time)
    trace(timer.delay); // the tick delay, editable during a tick
    trace(timer.repeatCount); // repeat count, editable during a tick
    trace(timer.currentCount); // current timer tick count;
    trace(timer.running); // a boolean to show if it is running or not
}
timer.addEventListener(TimerEvent.TIMER, timerTick, false, 0, true);

控制计时器:

timer.start(); // start the timer
timer.stop(); // stop the timer
timer.reset(); // resets the timer

它抛出两个事件:

TimerEvent.TIMER // occurs when one 'tick' of the timer has gone (1000 ms in the example)
TimerEvent.TIMER_COMPLETE // occurs when all ticks of the timer have gone (when each tick has happened 11 times in the example)

API文档:http://help.adobe.com/en_US/FlashPlatform/reference/actionscript/3/flash/utils/Timer.html

相关问题