vfork 函数创建子进程时永远是子进程先执行,父进程后执行,并且子进程必须要指定退出方式即exit(1);
用fork来创建进程时子进程与父进程随机执行,所以要避免子进程成为孤儿进程就需要一个函数wait(&status)这样就能保证父进程比子进程晚结束。
僵尸进程:子进程结束之后没有被父进程回收
孤儿进程:父进程先死子进程却没有结束;
#include <stdio.h>
#include <sys/types.h>
#include <unistd.h>
#include <stdlib.h>
int main()
{
pid_t pid;
int a = 0;
pid = vfork();
if (-1 == pid)
{
perror("vfork");
exit(1);
}
else if (0 == pid) //子进程 子进程先运行
{
sleep(2);
a++;
printf("Child Process a = %d\n", a);
exit(1); //子进程指定退出方式
}
else //父进程
{
a++;
printf("Parent Process a = %d!\n", a);
}
return 0;
}
下面是fork创建进程用wait来等待子进程结束并回收:
#include <stdio.h>
#include <sys/types.h>
#include <unistd.h>
#include <stdlib.h>
#include <sys/types.h>
#include <sys/wait.h>
int main()
{
pid_t pid;
pid = fork(); //创建子进程
if (-1 == pid) //失败返回-1
{
perror("fork");
exit(1);
}
else if (0 == pid) //子进程
{
sleep(1);
printf("This is ChildProcess pid!\n");
exit(100);
}
else //父进程
{
int status;
printf("This is ParentProcess!\n");
//wait(&status); //1、等待子进程结束(阻塞) 2、回收子进程资源
waitpid(pid, &status, 0);
if (WIFEXITED(status)) //判断子进程是否正常退出
{
printf("Child Exit Normally! %d\n", WEXITSTATUS(status)); //获取子进程退出状态
}
}
return 0;
}