我正试图使用SIGUSR1和sigqueue将孩子的pid发送给他的父亲。但信号从来没有发出,或者看起来没有发出。

#include <stdio.h>
#include <unistd.h>
#include <signal.h>
#include <sys/types.h>
#include <stdlib.h>

void handler(int signum, siginfo_t *info, void *extra)
{
    void *ptr_val = info->si_value.sival_ptr;
    int int_val = info->si_value.sival_int;
    printf("Child: Father, I am %d!\n",int_val);
}

int main()
{
    int pid;

    printf("Father: I am %d\n",getpid());

    if ( (pid=fork()) <0 )
    {
        perror("fork");
        exit(EXIT_FAILURE);
    }
    else
        if ( pid==0 )
        {
            printf("Child: I am My father is %d.\n",getppid());
            sigqueue(getppid(),SIGUSR1,(const union sigval) getpid());
        }
        else
        {
            struct sigaction action;
            sigset_t mask;
            sigemptyset(&mask);
            sigaddset(&mask,SIGUSR1);
            action.sa_flags = SA_SIGINFO;
            action.sa_mask =mask;
            action.sa_sigaction = &handler;

            if (sigaction(SIGUSR1,&action,NULL)==-1)
            {
                perror("sigaction");
                exit(EXIT_FAILURE);
            }
            printf("Father: Welcome home, son!\n");
        }

    return 0;
}

运行上面的代码,我得到以下输出:
Father: I am 18990
Father: Welcome home, son!
Child: My father is 18990.

还不止这些。如果我再次运行,我的所有应用程序(编辑器、终端等)都将关闭,我需要再次登录。(类似于开关用户操作)代码有什么问题?谢谢。

最佳答案

信号未被捕获的原因是在孩子排队信号之前家长退出。只需在父对象中添加一个延迟,就可以看到它捕捉到信号。
这个事实被我在系统上为你的同一个程序得到的不同输出进一步加强了

Father: I am 18990
Father: Welcome home, son!
Child: My father is 1.

孩子注意到父亲的PID为1,因为父亲已经离开,把孩子当作孤儿,并被init收养。
一个非常相关的问题
getpid and getppid returns two different values

10-08 20:01