linux父进程怎么结束子进程
时间: 2023-11-21 08:07:42 浏览: 104
在 Linux 中,父进程可以通过调用 `kill()` 系统调用来结束子进程。`kill()` 系统调用的原型如下:
```c
#include <sys/types.h>
#include <signal.h>
int kill(pid_t pid, int sig);
```
其中,`pid` 是要结束的进程的进程 ID,`sig` 是发送给进程的信号,如果 `sig` 是 `SIGTERM`,则会请求进程平稳地终止。
例如,以下代码展示了如何在父进程中结束一个子进程:
```c
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <sys/types.h>
#include <sys/wait.h>
int main() {
pid_t pid = fork();
if (pid == -1) {
perror("fork");
exit(EXIT_FAILURE);
} else if (pid == 0) {
// 子进程执行的代码
sleep(10);
printf("Child process exiting\n");
exit(EXIT_SUCCESS);
} else {
// 父进程执行的代码
printf("Parent process waiting for child\n");
wait(NULL);
printf("Parent process ending child\n");
kill(pid, SIGTERM);
}
return 0;
}
```
在这个例子中,父进程先等待子进程结束,然后使用 `kill()` 给子进程发送 `SIGTERM` 信号,结束子进程的执行。
阅读全文