1.概览
推迟调用和延时的执行模型还是有些相似的,他们都是推迟某一些任务的执行,例如使用msleep时,其后面的代码也会在其返回后才能进行。但在我看来,他们的本质区别在于,推迟的这部分任务是交给第三方做还是自己亲力亲为的完成,因为使用延时方法推迟任务时,当前调用进程也就是什么也不做了,但对于推迟调用的方式是将任务抛出来,自己该干嘛还是干嘛。tasklets对于设备驱动开发者很少使用,故略过。
2. Timer–定时器
定时器的概念也很好理解,为任务设置一个具体时间点让其被执行。在内核中也同样,只是这个时间更加偏爱使用jiffies。
2.1 timer_list
结构体timer_list在kernel中则代表一个定时器,下面是其定义
//include\linux\timer.h
struct timer_list {
struct hlist_node entry;
unsigned long expires;
void (*function)(struct timer_list *);
...
};
参数说明如下
entry:
内核使用全局双向链表来管理timer。
expires:
超期时间,相对于设置时的jiffies而言,例如项延迟一秒的伪代码如下
timer_list->expires = jiffies + HZ
function:
对应超时所需要处理的任务,注意在回调这个任务的上下文为原子上下文,这意味着里面不能使用任何会造成休眠相关的代码。其中入参就是本timer_list。可以配合container_of来获取timer所在数据结构的数据指针。
2.2 add_timer
该函数用于将初始化完成的timer_list挂到全局定时器中去,只有在此调用过后该timer才会被处理。其定义如下
/**
* add_timer - start a timer
* @timer: the timer to be added
*
* The kernel will do a ->function(@timer) callback from the
* timer interrupt at the ->expires point in the future. The
* current time is 'jiffies'.
*
* The timer's ->expires, ->function fields must be set prior calling this
* function.
*
* Timers with an ->expires field in the past will be executed in the next
* timer tick.
*/
//kernel\time\timer.c
void add_timer(struct timer_list *timer)
{
BUG_ON(timer_pending(timer));
mod_timer(timer, timer->expires);
}
入参也就是上面初始化后的timer_list的指针,没什么好说的。
2.3 mod_timer
此函数用于修改已存在的timer_list的超期时间。定义如下
/**
* mod_timer - modify a timer's timeout
* @timer: the timer to be modified
* @expires: new timeout in jiffies
*
* mod_timer() is a more efficient way to update the expire field of an
* active timer (if the timer is inactive it will be activated)
*
* mod_timer(timer, expires) is equivalent to:
*
* del_timer(timer); timer->expires = expires; add_timer(timer);
*
* Note that if there are multiple unserialized concurrent users of the
* same timer, then mod_timer() is the only safe way to modify the timeout,
* since add_timer() cannot modify an already running timer.
*
* The function returns whether it has modified a pending timer or not.
* (ie. mod_timer() of an inactive timer returns 0, mod_timer() of an
* active timer returns 1.)
*/
//kernel\time\timer.c
int mod_timer(struct timer_list *timer, unsigned long expires)
{
return __mod_timer(timer, expires, 0);
}
如果被修改的timer_list还没有超期,那么就相当于修改了timer_list->expiresd的值。但如果timer_list已经被处理过,那么其作用流程相当于
a.del_timer(timer);
b.timer->expires = expires;
c.add_timer(timer);
可见被处理过的timer_list会被在此放到带处理队列以期下次执行。
2.4 del_timer
当设置了一个timer_list并已经调用add_timer注册后,此时又想删除时就调用该接口。接口定义如下
/**
* del_timer - deactivate a timer.
* @timer: the timer to be deactivated
*
* del_timer() deactivates a timer - this works on both active and inactive
* timers.
*
* The function returns whether it has deactivated a pending timer or not.
* (ie. del_timer() of an inactive timer returns 0, del_timer() of an
* active timer returns 1