Linux系统编程(二)
- 一、exec函数族
- 1.exec函数
- 二、孤儿进程和僵尸进程
- 三、wait和waitpid
- 1.wait函数
- 2.waitpid函数
一、exec函数族
exec函数使用时,改程序的用户空间的代码和数据会被新程序给替代,会从新程序的启动例程开始。调用exec并不创建新进程,调用前与调用后进程的id并不会改变
1.exec函数
代码如下(示例):
#include <cstdio>
#include <stdio.h>
#include <sys/wait.h>
#include <stdlib.h>
#include <unistd.h>int main()
{pid_t pid, wpid;int n = 3;int i;for (i = 0; i < n; i++){pid = fork();if (pid == 0){break; //子进程就退出}}//主进waitpid回收if (i == n){sleep(n);printf("-----parent process ");do {wpid = waitpid(-1,NULL,WNOHANG);} while (wpid==0);}else{sleep(i);printf("-----%dth child process \n",i+1);if (i == 0){//execlp("ps","ps",NULL);}else if (i == 1){printf("child process's pid = %d \n",getpid());execl("./hello","hello",NULL);}}return 0;
}
二、孤儿进程和僵尸进程
孤儿进程:父进程先于子进程结束,子进程就变成孤儿进程,子进程的父进程就变成了init进程,由init进程自动回收子进程
僵尸进程:子进程终止后,父进程并没有进行回收,子进程残留资源(PCB)仍保留在内核中,变成僵尸进程
杀死僵尸进程方法:
1.杀死父进程,子进程就变成孤儿进程,由init进程自动回收
2.使用wait和waitpid函数回收僵尸进程
三、wait和waitpid
1.wait函数
提示:这里对文章进行总结:
例如:以上就是今天要讲的内容,本文仅仅简单介绍了pandas的使用,而pandas提供了大量能使我们快速便捷地处理数据的函数和方法。
#include <cstdio>
#include <unistd.h>
#include <stdio.h>
#include <sys/wait.h>
#include <stdlib.h>
int main()
{pid_t pid, wpid;int status;pid = fork();if (pid == 0){printf("----child, my parent=%d,going to sleep 3s\n",getppid());sleep(3);printf("---------------child die ---------------------\n");}else if (pid > 0){wpid = wait(&status);if (wpid == -1){perror("wait erroe:");exit(1);}//进程正常结束if (WIFEXITED(status)){printf("child exit with %d\n",WEXITSTATUS(status));}//异常退出的信号if (WIFSIGNALED(status)){printf("child killed by %d \n", WTERMSIG(status));}while (1){printf("I am parent,pid= %d,myson=%d\n",getpid(),pid);sleep(1);}}return 0;
}
子进程休眠三秒,主进程因为有wait会阻塞,等子进程执行完毕后,才会执行主进程的代码,同时对其进行回收。
PS注意:如果同时创建多个进程,wait函数会等待第一个执行完成的进程并对其回收,这个进程可能是多个进程里的任意一个。
2.waitpid函数
作用同wait,但可指定pid进程清理,可以不阻塞
#include <cstdio>
#include <unistd.h>
#include <sys/wait.h>
#include <stdio.h>
#include <stdlib.h>int main()
{pid_t pid,wpid;int n = 5;int i;for (i = 0; i < n; i++){pid = fork();if (pid==0){break; //子进程退出}}//主进程逻辑if (n == i){sleep(n);printf("I am parent ,pid = %d\n",getpid());do{wpid=waitpid(-1, NULL, WNOHANG);//使用WNOHANG模式,主进程不会阻塞,子进程仍在运行返回0//if wpid ==0说明进程在运行sleep(1);} while (wpid==0);while (1){}}else {sleep(i);printf("I'm %dth child ,pid = %d , gpid = %d\n",i+1,getpid(),getgid());exit(1);}printf("hello from %s!\n", "test_waitpid");return 0;
}