queue_delayed_work源码
时间: 2023-09-12 19:11:36 浏览: 99
延迟等待源码
4星 · 用户满意度95%
`queue_delayed_work()` 是 Linux 内核中的一个函数,它的作用是将一个 `work_struct` 结构体中表示的工作延迟一段时间后放入工作队列中,以便稍后执行。
以下是 `queue_delayed_work()` 函数的源码:
```c
int queue_delayed_work(struct workqueue_struct *wq, struct delayed_work *work,
unsigned long delay)
{
unsigned long flags;
int ret = 0;
spin_lock_irqsave(&wq->lock, flags);
if (work_pending(&work->work)) {
/*
* We always return 0 if the work item was already on a
* queue. The idea is that the caller can still rely on
* the work_struct being on a workqueue queue if they
* use flush_workqueue().
*/
ret = 0;
goto out_unlock;
}
/* initialize the delay */
work->timer.expires = jiffies + delay;
/* initialize the function to be called when the timer expires */
work->timer.function = delayed_work_timer_fn;
/* initialize the private data of the timer */
work->timer.data = work;
/* add the timer to the timer list */
add_timer_on(&work->timer, wq->rt);
__queue_work(wq, &work->work, &work->entry);
out_unlock:
spin_unlock_irqrestore(&wq->lock, flags);
return ret;
}
```
该函数的参数包括:
- `wq`:指向工作队列对象的指针;
- `work`:指向 `delayed_work` 结构体的指针;
- `delay`:表示要延迟的时间。
该函数的主要步骤包括:
1. 锁定工作队列的自旋锁;
2. 检查工作是否已经在队列中,如果是则返回 0;
3. 初始化 `delay` 并将工作添加到工作队列中;
4. 解锁工作队列的自旋锁并返回执行结果。
在添加工作到队列之前,`queue_delayed_work()` 函数会先初始化一个定时器,并将其添加到定时器列表中。当定时器到期时,内核会调用 `delayed_work_timer_fn()` 函数,该函数会将 `delayed_work` 结构体中的工作添加到工作队列中以便稍后执行。
阅读全文