0

我无法使用 sigtimedwait() 在 FreeBSD 上捕获 SIGCHLD 信号。以下源代码在 Debian GNU/Linux 7 上运行良好,但给了我一个在 FreeBSD 9.1 上暂时不可用的资源:

#include <stdio.h>
#include <signal.h>
#include <errno.h>
#include <stdlib.h>
#include <time.h>

int main() {
        sigset_t set;
        pid_t pid;

        printf("SIGCHLD is %i\n", SIGCHLD);

        sigemptyset(&set);
        sigaddset(&set, SIGCHLD);
        sigprocmask(SIG_BLOCK, &set, NULL);

        pid = fork();

        if(pid == -1) {
                printf("fork failed: %s\n", strerror(errno));
                exit(1);
        } else if(pid) {
                sigset_t set2;
                siginfo_t siginfo;
                struct timespec timeout = {3, 0};
                int signal;

                sigemptyset(&set2);
                sigaddset(&set2, SIGCHLD);

                signal = sigtimedwait(&set2, &siginfo, &timeout);

                if(signal == -1) {
                        printf("sigtimedwait failed: %s\n", strerror(errno));
                        exit(2);
                } else {
                        printf("received signal %i from %i with status %i\n", signal, siginfo.si_pid, siginfo.si_status);
                }
        } else {
                sleep(1);
                exit(123);
        }

        return 0;
}

Linux 上的输出:

SIGCHLD is 17
received signal 17 from 27600 with status 123

FreeBSD 上的输出:

SIGCHLD is 20
sigtimedwait failed: Resource temporarily unavailable

在 BSD 上使用 signal() 可以正常工作,但这不是我想要的。我错过了什么?

4

1 回答 1

0

我认为这是 FreeBSD 中的内核/库错误。看起来 sigtimedwait 没有报告信号,因为它默认被忽略。所以你可以做两件事

  1. 为 SIGCHLD 事件安装信号处理程序。即使由于您阻塞了信号而从未调用过它,它也可以解决该错误。

  2. 将 kqueue 与 EVFILT_SIGNAL 一起使用,这在这种情况下肯定有效,但不可移植(所以你需要一个 ifdef)

对于 2,这是等效的代码

     int kq = kqueue();
     struct kevent ke;
     EV_SET(&ke, SIGCHLD, EVFILT_SIGNAL, EV_ADD, 0, 0, NULL);
     kevent(kq, &ke, 1, NULL, 0, NULL);
     if (kevent(kq, NULL, 0, &ke, 1, &timeout) == 1) {
          signal = ke.ident;
     }
     else {
         // Catches errors in the add, timeout, and kevent wait
         signal = -1;
     }
     close(kq);
     // note that siginfo is not populated, there is no way to populate it using kqueue.
于 2013-06-09T17:57:00.253 回答