所有的系统调用,基于都可以在它的名字前加上“ sys_ ”前缀,这就是它在内核中对应的函数。比如系统调用 open 、 read 、 write 、 poll ,与之对应的内核函数为: sys_open 、 sys_read 、 sys_write 、 sys_poll 。
一、内核框架:
对于系统调用 poll 或 select ,它们对应的内核函数都是 sys_poll 。分析 sys_poll ,即可理解 poll 机制。
1.
sys_poll 函数位于 fs/select.c 文件中,代码如下:
asmlinkage long sys_poll(struct pollfd __user *ufds, unsigned int nfds,
long timeout_msecs)
{
s64 timeout_jiffies;
if (timeout_msecs > 0) {
#if HZ > 1000
/* We can only overflow if HZ > 1000 */
if (timeout_msecs / 1000 > (s64)0x7fffffffffffffffULL / (s64)HZ)
timeout_jiffies = -1;
else
#endif
timeout_jiffies = msecs_to_jiffies(timeout_msecs);
} else {
/* Infinite (< 0) or no (0) timeout */
timeout_jiffies = timeout_msecs;
}
return do_sys_poll (ufds, nfds, &timeout_jiffies);
}
它对超时参数稍作处理后,直接调用 do_sys_poll 。
2.
do_sys_poll 函数也位于位于 fs/select.c 文件中,我们忽略其他代码:
int do_sys_poll(struct pollfd __user *ufds, unsigned int nfds, s64 *timeout)
{
……
poll_initwait(&table);
……
fdcount = do_poll(nfds, head, &table, timeout);
……
}
poll_initwait 函数非常简单,它初始化一个 poll_wqueues 变量 table :
poll_initwait > init_poll_funcptr(&pwq->pt, __pollwait); > pt->qproc = qproc;
即 table->pt->qproc = __pollwait , __pollwait 将在驱动的 poll 函数里用到。
3.
do_sys_poll 函数位于 fs/select.c 文件中,代码如下:
static int do_poll(unsigned int nfds,
struct poll_list *list,
struct poll_wqueues *wait, s64 *timeout)
{
01 ……
02
for (;;) {
03 ……
04
if (do_pollfd(pfd, pt)) {
05
count++;
06
pt = NULL;
07
}
08 ……
09
if (count || !*timeout || signal_pending(current))
10
break;
11
count = wait->error;
12
if (count)
13
break;
14
15
if (*timeout < 0) {
16
/* Wait indefinitely */
17
__timeout = MAX_SCHEDULE_TIMEOUT;
18
} else if (unlikely(*timeout >= (s64)MAX_SCHEDULE_TIMEOUT-1)) {
19
/*
20
* Wait for longer than MAX_SCHEDULE_TIMEOUT. Do it in
21
* a loop
22
*/
23
__timeout = MAX_SCHEDULE_TIMEOUT - 1;
24
*timeout -= __timeout;
25
} else {
26
__timeout = *timeout;
27
*timeout = 0;
28
}
29
30
__timeout = schedule_timeout(__timeout);
31
if (*timeout >= 0)
32
*timeout += __timeout;
33
}
34
__set_current_state(TASK_RUNNING);
35
return count;
36 }
分析其中的代码,可以发现,它的作用如下:
①
从 02 行可以知道,这是个循环,它退出的条件为:
a.
09 行的 3 个条件之一 (count 非 0 ,超时、有信号等待处理 )
count 顺 0 表示 04 行的 do_pollfd 至少有一个成功。
b.
11 、 12 行:发生错误
②
重点在 do_pollfd 函数,后面再分析
③
第 30 行,让本进程休眠一段时间,注意:应用程序执行 poll 调用后,如果①②的条件不满足,进程就会进入休眠。那么,谁唤醒呢?除了休眠到指定时间被系统唤醒外,还可以被驱动程序唤醒 ──记住这点,这就是为什么驱动的 poll 里要调用 poll_wait 的原因,后面分析。
4.
do_pollfd 函数位于 fs/select.c 文件中,代码如下:
static inline unsigned int do_pollfd(struct pollfd *pollfd, poll_table *pwait)
{
……
if (file->f_op && file->f_op->poll)
mask = file->f_op->poll(file, pwait);
……
}
可见,它就是调用我们的驱动程序里注册的 poll 函数。