epoll 能监听普通文件吗?

1,395 阅读1分钟

epoll是Linux系统中常用的多路复用I / O组件,一般用于监听是否能够进行I / O操作。那么,能监听普通文件吗?socket``epoll

我们先通过下面的例子来验证一下,epoll能不能监听普通文件:

 1#include <stdio.h>
 2#include <sys/epoll.h>
 3#include <fcntl.h>
 4
 5int main()
 6{
 7   int epfd, fd;
 8   struct epoll_event ev, events[2];
 9   int result;
10
11   epfd = epoll_create(10);
12   if (epfd < 0) {
13       perror("epoll_create()");
14       return -1;
15  }
16
17   fd = open("./test.txt", O_RDONLY | O_CREAT);
18   if (fd < 0) {
19       perror("open()");
20       return -1;
21  }
22
23   ev.events = EPOLLIN;
24
25   result = epoll_ctl(epfd, EPOLL_CTL_ADD, fd, &ev);
26   if (result < 0) {
27       perror("epoll_ctl()");
28       return -1;
29  }
30
31   epoll_wait(epfd, events, 2, -1);
32
33   return 0;
34}

编译和运行,结果如下:

[vagrant@localhost epoll]gcc epoll.c -o epoll
[vagrant@localhost epoll]./epoll
epoll_ctl(): Operation not permitted

可以看到上面的运行结果报的错误,这说明epoll是不能监听普通文件的,为什么呢?Operation not permitted

寻根究底

我们应该对追寻真相承认热衷的态度,所以必须找出epoll不能监听普通文件的原因。

因为在上面的示例中,是函数报的错,所以我们首先应该从的二进制入手,如下:epoll_ctl``epoll_ctl

 1SYSCALL_DEFINE4(epoll_ctl, int, epfd, int, op, int, fd,
 2               struct epoll_event __user *, event)
 3{
 4   int error;
 5   struct file *file, *tfile;
 6
 7  ...
 8
 9   error = -EBADF;
10   file = fget(epfd);  // epoll 句柄对应的文件对象
11   if (!file)
12       goto error_return;
13
14   tfile = fget(fd);   // 被监听的文件句柄对应的文件对象
15   if (!tfile)
16       goto error_fput;
17
18   error = -EPERM; // Operation not permitted 错误号
19   if (!tfile->f_op || !tfile->f_op->poll)
20       goto error_tgt_fput;
21
22  ...
23
24error_tgt_fput:
25   fput(tfile);
26error_fput:
27   fput(file);
28error_return:
29
30   return error;
31}

从上面的代码可以修剪,当被监听的文件没有提供接口时,就会返回的错误,这个错误就是的错误号。poll``EPERM``Operation not permitted

所以,出现的原因就是:被监听的文件没有提供接口。Operation not permitted``poll

由于我们的文件系统是,所以我们来看看文件系统中的文件是否提供了接口(位于文件**/fs/ext4/file.c**中):ext4``ext4``poll

 1const struct file_operations ext4_file_operations = {
 2  .llseek         = generic_file_llseek,
 3  .read           = do_sync_read,
 4  .write          = do_sync_write,
 5  .aio_read       = generic_file_aio_read,
 6  .aio_write      = ext4_file_write,
 7  .unlocked_ioctl = ext4_ioctl,
 8  .mmap           = ext4_file_mmap,
 9  .open           = ext4_file_open,
10  .release        = ext4_release_file,
11  .fsync          = ext4_sync_file,
12  .splice_read    = generic_file_splice_read,
13  .splice_write   = generic_file_splice_write,
14};

ext4文件的文件操作函数集被设置为(也说就是:),从上面代码可以看出,并没有提供接口所以,当调用。把文件添加到epoll的中进行监听时,报道查看就会的错误。ext4_file_operations``file->f_op = ext4_file_operations``ext4_file_operations``poll``epoll_ctl``Operation not permitted

从上面的分析可知,当文件系统提供接口时,就可以把文件添加到epoll中进行监听。poll