5

我的目标是使主进程及其“分叉”子进程相互通信。通信是通过信号传递来完成的。

当第一个孩子在等待 SIGUSR1 信号时卡住等待时,就会出现我的问题。

我真的不知道为什么它会卡在这一点上。甚至如果我通过控制台发送信号,那个子进程似乎没有注意。

有人可以帮助我吗?


代码来了

#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <signal.h>

int N = 5;
int _pipe[2];
pid_t children[5];

void main(){
    pid_t parent_pid;
    pid_t pid;
    int i = 0;

    sigset_t set;
    sigfillset(&set);

    parent_pid = getpid();
    fprintf(stderr,"I am main process, here comes my pid %u\n",getpid());

    if (0>pipe(_pipe)) fprintf(stderr,"Error when creating pipe");

    //Start creating child processes
    while (i < N){
            pid = fork();
            if (pid == 0){
                close(_pipe[1]);
            break;
        }
        else{
            fprintf(stderr,"Created child with pid %u\n",pid);
            children[i] = pid;
            write(_pipe[1],&pid,sizeof(pid_t));
        }
        i = i+1;
    }

    i = 0;

    // What main process does
    if (pid>0){
        close(_pipe[0]);
        close(_pipe[1]);

        sigdelset(&set,SIGUSR2);

        sigdelset(&set,SIGTERM);
        sigdelset(&set,SIGKILL);

        // Main process sends signal to each child
        while(i < N){           
            kill(children[i],SIGUSR1);
            fprintf(stderr,"Sent SIGUSR1 to child %u\n",children[i]);
            // .. Now just wait for SIGUSR2 arrival
            sigsuspend(&set);

            i = i+1;
        }
    }
    // What children do
    else{
        // Wait for main process SIGUSR1 delivery
        sigdelset(&set,SIGUSR1);
        sigsuspend(&set);

        fprintf(stderr, "SIGUSR1 arrived child %u from its father",getpid());

        // Once SIGUSR1 has arrived, pipe is read N times
        while((i < N) && (read(_pipe[0],&pid,sizeof(pid_t))>0)){
            children[i] = pid;
            i = i+1;
        }
        close(_pipe[0]);

        // After reading pipe, a reply is sent to parent process
        kill(parent_pid,SIGUSR2);
    }
}
4

1 回答 1

3

问题很可能与这样一个事实有关,即父进程在分叉后立即将信号发送给子进程,而子进程没有阻塞信号。因此,当您调用sigsuspend()子进程时,信号已经传递给子进程,现在它只是坐在那里等待一个永远不会到来的信号。sleep()您可以通过在主进程开始发送信号之前调用一两秒钟来快速测试这个理论。请记住,由于您的代码现在是结构化的,sigsuspend()如果没有您正在等待的信号的信号处理程序,将无法正常工作......所以我建议在使用这样的信号时执行以下操作:

  1. 在父进程中,阻止您计划用于父进程和子进程之间通信的所有信号。您需要为此打电话sigprocmask()
  2. 让父进程分叉子进程
  3. 在子进程中,只需sigwait()使用包含用于通信的阻塞信号的信号集进行调用......你不需要sigsuspend()在这里做的事情。
  4. 在父进程向子进程发送信号后,它也可以调用sigwait()等待子进程回复。

以下是您的代码示例:http: //ideone.com/TRcqga

于 2012-12-05T22:40:56.720 回答