当另一个子进程完成时,如何终止子进程?

时间:2020-06-23 11:00:17

标签: c linux fork exec

我有一个如下代码段:

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

int main(int argc, char *argv[]) {
  pid_t first, last;

  last = fork();
  if (last == 0) {
    char *args[] = { "./last", NULL };
    char *env[] = { NULL };
    execve("./last", args, env);
    _exit(1);
  } else if (last == -1) {
    fprintf(stderr, "Error: failed to fork last.\n");
    exit(1);
  }

  first = fork();
  if (first == -1) {
    fprintf(stderr, "Error: failed to fork first.\n");
    exit(1);
  } else if (first > 0) {
    int status;
    waitpid(first, &status, 0);
  } else {
    char *args[] = { "./first", NULL };
    char *env[] = { NULL };
    execve("./first", args, env);
    _exit(1);
  }

  return 0;
}

从某种意义上来说,这可以正常工作,我可以看到进程正在被调用并正在运行。但是,我的问题是进程last有一个无限循环,当进程first终止时,它仍然保持运行。 C中是否有一种方法可以迫使进程last在这里也终止于进程first完成时?

2 个答案:

答案 0 :(得分:4)

kill()应该引起关注。在kill()的手册页中:

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

int kill(pid_t pid, int sig);

由于fork()在父级中返回子级PID,因此您可以使用它来调用kill()。这是修改后的代码和测试运行。

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

int main(int argc, char *argv[]) {
  pid_t first, last;

  last = fork();
  if (last == 0) {
    char *args[] = { "./last", NULL };
    char *env[] = { NULL };
    execve("./last", args, env);
    _exit(1);
  } else if (last == -1) {
    fprintf(stderr, "Error: failed to fork last.\n");
    exit(1);
  }

  first = fork();
  if (first == -1) {
    fprintf(stderr, "Error: failed to fork first.\n");
    exit(1);
  } else if (first > 0) {
    int status;
    waitpid(first, &status, 0);
    kill(last, SIGINT);   // Modification 2
  } else {
    char *args[] = { "./first", NULL };
    char *env[] = { NULL };
    execve("./first", args, env);
    _exit(1);
  }

  return 0;
}

终端会议(之前):

$ ls test first last 
first  last  test
$ ./test
$ ps aux | grep last
root      165130  0.0  0.0   2136   752 pts/3    S    16:58   0:00 ./last
root      165135  0.0  0.0   6136   892 pts/3    S+   16:58   0:00 grep last

终端会议(之后):

$ ls test first last 
first  last  test
$ ./test
$ ps aux | grep last
root      165240  0.0  0.0   6136   836 pts/3    S+   17:01   0:00 grep last

关于要传递的信号:默认操作为终止的任何人。您可以从signal手册页中找到更多内容。由于我不知道last可执行文件的确切含义,因此我假设没有为SIGINT注册的信号处理程序,因此,当last得到SIGINT时,程序默认情况下终止。

答案 1 :(得分:2)

一种方法是通过使用函数kill()向第一个进程发送SIGTERM或SIGKILL信号

一个例子:

kill(first, SIGTERM);

发送该信号时,如果需要,可以对该进程进行一些“清理”。为此,您需要捕获并消除信号。在那种情况下,我建议使用SIGTERM。

有关信号处理,请查看this