> 文章 2018.3 发布于 [CSDN](https://blog.csdn.net/DAGU131/article/details/79508064)
我们都知道在 Linux 上`孤儿进程`和`僵尸进程`都会被进程号为 1 的 `init 进程`收养,收尸。但这在使用 `Systemd` 来管理系统的发行版上比如 Ubuntu 上就不是那么靠谱了
首先我们写一个简单的`孤儿进程`的例子
```c
#include<unistd.h>
#include<stdio.h>
#include<stdlib.h>
int
main(void)
{
switch(fork()){
case 0:
printf("Child process\n");
printf("child process: %d\n", getpid());
printf("father pid:%d\n", getppid());
sleep(5);
printf("\nnow pid: %d\t ppid:%d \n",getpid(),getppid());
break;
case -1:
printf("Fork failed");
exit(-1);
default:
printf("Father Process\n");
sleep(1);
printf("Father exit\n");
break;
}
return 0;
}
```
首先我们在图像界面上`伪终端`中运行
![](https://img-blog.csdn.net/20180315110057165?watermark/2/text/Ly9ibG9nLmNzZG4ubmV0L0RBR1UxMzE=/font/5a6L5L2T/fontsize/400/fill/I0JBQkFCMA==/dissolve/70)
发现`孤儿进程`会被进程号为`1391`的 systemd 进程收养,而不是 `pid` 为`1`的 systemd 进程
![](https://img-blog.csdn.net/20180315110327152?watermark/2/text/Ly9ibG9nLmNzZG4ubmV0L0RBR1UxMzE=/font/5a6L5L2T/fontsize/400/fill/I0JBQkFCMA==/dissolve/70)
然后我们在`终端`中运行该例子,发现父进程成功变为 1
![](https://img-blog.csdn.net/20180315110420284?watermark/2/text/Ly9ibG9nLmNzZG4ubmV0L0RBR1UxMzE=/font/5a6L5L2T/fontsize/400/fill/I0JBQkFCMA==/dissolve/70)
推测问题可能出在 systemd 上,查看源码可以发现在 systemd 中调用了`prctl()` 系统调用
*systemd 源码 src/core/main.c*
![systemd 源码 src/core/main.c](https://img-blog.csdn.net/20180315110737704?watermark/2/text/Ly9ibG9nLmNzZG4ubmV0L0RBR1UxMzE=/font/5a6L5L2T/fontsize/400/fill/I0JBQkFCMA==/dissolve/70)
现在看一下Linux中特有的系统调用 [`prctl()`](https://man7.org/linux/man-pages/man2/prctl.2.html)
```c
#include <sys/prctl.h>
int prctl(int option, unsigned long arg2, unsigned long arg3,
unsigned long arg4, unsigned long arg5);
```
`option` 参数指示 [`prctl`](https://man7.org/linux/man-pages/man2/prctl.2.html) 如何操作进程
`PR_SET_CHILD_SUBREAPER` 为内核 3.4 版本中新增的选项
* 第二个参数若为非零时,调用进程设置`child subreaper`属性
* 第二个参数若为零则取消该属性
**孤儿进程成会被祖先中距离最近的 `supreaper 进程`收养**
现在我们使用自己的进程来收养他后代的孤儿进程
```c
#include<unistd.h>
#include<stdio.h>
#include<stdlib.h>
#include<linux/prctl.h>
void descendant_process(void);
int
main(void)
{
prctl(PR_SET_CHILD_SUBREAPER,1);
//设置的child subreaper不会被继承
switch(fork()){
case 0:
descendant_process();
break;
case -1:
printf("Fork failed");
exit(-1);
default:
printf("Subreaper Process:%d\n",getpid());
sleep(1);
for(;;);
}
return 0;
}
void
descendant_process(void)
{
switch(fork()){
case 0:
printf("Child process\n");
printf("child process: %d\n", getpid());
printf("father pid:%d\n", getppid());
sleep(5);
printf("now pid: %d\t ppid:%d \n",getpid(),getppid());
break;
case -1:
printf("Fork failed");
exit(-1);
default:
printf("Father Process\n");
sleep(1);
printf("Father exit\n");
break;
}
return;
}
```
成功收养~
![](https://img-blog.csdn.net/20180315110834225?watermark/2/text/Ly9ibG9nLmNzZG4ubmV0L0RBR1UxMzE=/font/5a6L5L2T/fontsize/400/fill/I0JBQkFCMA==/dissolve/70)
为什么孤儿进程没有被 init 进程收养