0

我试图每秒从 Mytimer 类调度事件并从 Main 类捕获事件。我已经将变量“sus”声明为整数 = 10。到目前为止我什么都没有,没有输出,什么都没有。请帮忙!

这是 Mytimer.as

    private function onUpdateTime(event:Event):void
    {

        nCount--;
        dispatchEvent(new Event("tickTack", true));
        //Stop timer when it reaches 0
        if (nCount == 0)
        {
            _timer.reset();
            _timer.stop();
            _timer.removeEventListener(TimerEvent.TIMER, onUpdateTime);
            //Do something
        }
    }    

在 Main.as 我有:

    public function Main()
    {
        // constructor code
        _timer = new MyTimer  ;
        stage.addEventListener("tickTack", ontickTack);
    }

    function ontickTack(e:Event)
    {
        sus--;
        trace(sus);
    }    
4

1 回答 1

2

在您的Main.as中,您已将侦听器添加到舞台,而不是您的计时器。这一行:

stage.addEventListener("tickTack", ontickTack);

应该是这样的:

_timer.addEventListener("tickTack", ontickTack);

但是 ActionScript 已经有一个Timer类,看起来它具有您需要的所有功能。无需重新发明轮子。查看Timer 类的文档

在您的主要内容中,您可以说:

var count:int = 10; // the number of times the timer will repeat.
_timer = new Timer(1000, count); // Creates timer of one second, with repeat.
_timer.addEventListener(TimerEvent.TIMER, handleTimerTimer);
_timer.addEventListener(TimerEvent.TIMER_COMPLETE, handleTimerTimerComplete);

然后只需添加您的处理程序方法。您不需要同时使用两者。通常 TIMER 事件就足够了。像这样的东西:

private function handleTimerTimerComplete(e:TimerEvent):void 
{
    // Fires each time the timer reaches the interval.
}

private function handleTimerTimer(e:TimerEvent):void 
{
    // Fired when all repeat have finished.
}
于 2013-04-15T07:28:05.470 回答