1

我有一个简单的 C 程序,它分叉一个进程并调用 exec 来运行如下命令:

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

int fork_process(int sleep_interval) {
   char cmd[30];

   pid_t pid = fork();       
   if (pid > 0) {
       return pid;
   }
   else if (pid < 0) {
        printf("At parent. Couldn't create a child process!\n");
        return pid;
   }
   else { 
        sprintf(cmd, "sleep %d; %s", sleep_interval, "gzip a > a.gz");
        execlp("sh", "sh", "-c", cmd, (char *) 0);
   }
}

int main () {
   pid_t pid = fork_process(400);

   sleep (10);
   kill(pid, SIGTERM);

   return 1;
}

当我运行这个程序时,我注意到sh内部派生了一个进程来运行sleep 400

$ps x
  1428 pts/80   S+     0:00 ./kill_prog
  1429 pts/80   S+      0:00 sh -c sleep 400; gzip a > a.gz
  1430 pts/80   S+      0:00 sleep 400

现在,当SIGTERM信号在程序中通过其 pid(1429此处)发送到子进程时,我注意到子进程终止但不是正在执行的进程sleep 400(pid 1430)。换句话说,执行的进程sleep 400在完成之前会变成僵尸。

如何发送终止信号,以便将信号传播到子进程中派生的进程?我尝试在killas中使用进程组 ID,kill(-1*pid, SIGTERM)但无济于事。

4

2 回答 2

4

我终于想出了解决上述问题的方法。这是两个小的变化。

在分叉一个孩子后,我在父母中添加这样做:

pid_t pid = fork();   
if (pid > 0) {
   // Make child process the leader of its own process group. This allows
   // signals to also be delivered to processes forked by the child process.
   setpgid(childpid, 0); 
   return pid;
}

最后,将信号发送到整个进程组:

// Send signal to process group of child which is denoted by -ve value of child pid.
// This is done to ensure delivery of signal to processes forked within the child. 
kill((-1*pid), SIGTERM);
于 2012-12-14T16:24:01.953 回答
0

真的很简单:只需在进程中添加一个 SIGTERM 信号处理程序:

于 2012-12-12T22:20:35.863 回答