1

我想设置一个用于输入按键的定时器和一个用于关闭背光的定时器,但它使用我设置的第一个定时器,我不能设置多个定时器,而第二个定时器不起作用。

我使用下面的代码

int timer1, timer2;
long events;
timer1 = set_timer(8000, EVT_TIMER);
timer2 = set_timer(5000, EVT_TIMER);
while(1){
events = wait_event();
if(events & EVT_KBD){
clr_timer(timer1);
break;
}
else if (events & EVT_TIMER)
{
printf("TIME_OUT");
break;
}

while(1){
events = wait_event();
if(events & EVT_KBD){
clr_timer(timer2);
break;
}
else if (events & EVT_TIMER)
{
printf("TIME_OUT2");
break;
}
}
4

2 回答 2

1

另一种方法是将您的计时器保存在您自己的数据结构中(例如按计时器到期时间排序的排序列表),并且只使用一个系统计时器来让第一个计时器到期(即排序列表中的第一个)。

当您收到EVT_TIMER系统事件时,您会触发所有过期时间已过的计时器(将它们从排序列表中删除)。

如果列表中还有任何计时器,您将启动一个新的系统计时器,以使新的第一个计时器到期。

有(至少)两件事需要注意:

  • 添加新计时器时,您必须检查它是否不是第一个到期的计时器。如果是这样,您必须取消现有的系统计时器clr_timer()并设置一个新的系统计时器以使新的第一个计时器到期(新添加的计时器现在在排序列表中的第一个)。将新计时器添加到空列表时跳过clr_timer()呼叫(因为现在应该没有系统计时器处于活动状态)

  • 如果您使用read_ticks()调用来计算计时器到期时间(或其他任何时间),请确保处理它的值溢出回零的情况(每 49.7 天发生一次)

于 2016-08-25T23:20:58.843 回答
1

如果要将它们捕获为不同的事件,则需要使用不同的事件掩码 (EVT_TIMER)。棘手的是您需要小心使用哪个,因为它可能会触发其他操作。这些事件定义在svc.h (注意掩码是 along并且 along被定义为 32 位,所以在使用所有标准事件之后你真的没有任何东西)。

好消息是它会set_timer返回一个 ID(这就是您的代码中的内容)timer1timer2然后,您可以使用SVC_TICKSAPI 确定哪个计时器已过期。我写了一个名为“timeRemains”的包装器来帮助我。

//First, define "timeRemains"
char timeRemains(long* timer)
{
    return SVC_TICKS(0, timer);
}

//Here's what your code may look like:
if(!timeRemains(&timer1))
{
    //timer1 has expired.  Do whatever you wanted to do when that happens.
    //NOTE: you don't know the state of timer2--it may also have expired, 
    //      so you will need to deal with that
}

if(!timeRemains(&timer2))
{
    //timer2 has expired.  Do whatever you wanted to do when that happens.
    //NOTE: even though we are PRETTY sure that timer1 has not yet expired,
    // you can't just forget about it. If you are going to exit this polling loop, 
    // be sure to clear it first.
}
于 2016-06-29T16:55:32.813 回答