我打算用epoll检查timerfd并启动一些操作。
代码是blow:

#include <time.h>
#include <stdio.h>
#include <stdlib.h>
#include <sys/timerfd.h>
#include <stdint.h>
#include <unistd.h>
#include <sys/epoll.h>

int main(int argc, char const *argv[])
{
    struct timespec now;
    clock_gettime(CLOCK_MONOTONIC, &now);
    int timerfd;
    timerfd = timerfd_create(CLOCK_MONOTONIC, 0);
    struct itimerspec new_value;
    new_value.it_value.tv_sec = 1;
    new_value.it_interval.tv_sec = 1;
    timerfd_settime(timerfd, 0, &new_value, NULL);
    // uint64_t buff;
    // while(true) {
    //  read(timerfd, &buff, sizeof(uint64_t));
    //  printf("%s\n", "ding");
    // }

    // code above works fine.

    struct epoll_event ev, events[10];
    int epollfd;
    epollfd = epoll_create1(0);
    if (epollfd == -1) {
       perror("epoll_create1");
       exit(EXIT_FAILURE);
    }
    ev.events = EPOLLIN;
    ev.data.fd = timerfd;

    if (epoll_ctl(epollfd, EPOLL_CTL_ADD, timerfd, &ev) == -1) {
        perror("epoll_ctl: timerfd");
        exit(EXIT_FAILURE);
    }
    int num;
    printf("start\n");
    while(true) {
        num = epoll_wait(epollfd, events, 10, -1);
        printf("%d\n", num);
        uint64_t buff;
        read(timerfd, &buff, sizeof(uint64_t));
        printf("%s\n", "ding");
    }
    return 0;
}

单独使用timerfd时,效果很好。每秒钟都会打印“叮”。但是,当添加epoll来观察timerfd时,progrom将阻塞epoll_wait。
我试过用Epollet,但没什么变化。这个密码怎么了?

最佳答案

itimerspec没有正确初始化,因此根据它包含的特定垃圾值,timerfd_settime()可能会失败。要检测到这一点,请执行错误检查:

if (timerfd_settime(timerfd, 0, &new_value, NULL) != 0) {
      perror("settime");
      exit(-1);
}

另一种调试方法是在strace程序下运行程序,您将看到哪个(如果有的话)系统调用失败。
相关结构如下所示:
struct timespec {
   time_t tv_sec;
   long   tv_nsec;
 };

struct itimerspec {
   struct timespec it_interval;
   struct timespec it_value;
};

您必须完全初始化这两个成员,并且您的程序将可靠地工作:
new_value.it_value.tv_sec = 1;
new_value.it_value.tv_nsec = 0;
new_value.it_interval.tv_sec = 1;
new_value.it_interval.tv_nsec = 0;

10-06 01:40