• [Linux] 进程等待


    1)进程等待相关概念

    • 什么是?父进程通过等待的方式,回收子进程资源,获取子进程的退出信息;
    • 为什么?防止子进程发生僵尸问题,回收子进程资源,避免内存泄漏;获取子进程退出时的退出信息;
    • 怎么做?通过使用wait( )、waitpid( )函数进行系统调用。

    2)pid_t wait(int* status)

    • wait成功返回所等待子进程的pid,失败返回-1,等待方式默认为阻塞式等待。

    3)pid_t waitpid(pid_t pid, int* status, int option)

    • pid可取值为任意子进程的pid,当其取值为-1时,表示等待任意一个子进程;
    • 关于status:
      1. status是一个输出型参数,子进程退出后,操作系统会从PCB中读取子进程的退出信息,保存在status所指向的变量中;
      2. 当其值为NULL时,表示等待的时候并不关心子进程的退出状态;
      3. status可以看做是一个位图,我们一般只看它的低16位,其中次低8位表示进程退出时的退出状态(正常退出),低7位表示 终止信号(被信号杀死);
      4. 相关图示如下:
        status
      5. option取值为0时,表示以阻塞的方式进行等待;取值为WNOHANG时,表示以非阻塞的方式进行等待,当其以非阻塞方式等待时,函数返回值为0表示子进程还没有退出,返回值大于0表示子进程退出了;
      6. 当然,操作系统中也有相应的宏让我们去使用:
        WIFEXITED(status)---- 判断子进程是否正常退出,若进程是正常终止,则返回真;
        WEXITSTATUS(status)---- 获取子进程的退出码。

    4)相关测试代码

    int main(){
    printf("begin start...\n");
    pid_t id = fork();  //fork()之后,父子进程代码共享,数据各自私有
    if(id == 0){ //child
    	int count = 0;
    	while(count<5){
    		printf("child %d is running...\n", getpid());
    		sleep(1);
    		count++;
    	}
    	exit(10);
    }
    else if(id > 0){ //father
    	int status = 0;
    	//pid_t ret = wait(&status);
    	pid_t ret = waitpid(id, &status, 0);  //0表示以阻塞的方式等待
    	/*
    	if(ret>0 && (status&0x7f)==0){  //正常退出
    		printf("status: %d\n", status);
    		printf("child exit code: %d\n", (status>>8)&0xff);  //获取退出码
    		printf("father wait end...\n");
    	}
    	*/
    	if(WIFEXITED(status)){  //调用系统函数判断是否是正常退出
    		printf("ret: %d\n", ret);
    		printf("child exit code: %d\n", WEXITSTATUS(status));  //提取正常退出的退出码
    		printf("child exit code: %d\n", (status>>8)&0xff);
    		printf("father wait end...\n");
    	}
    	else if(ret>0){
    		printf("status: %d\n", status);
    		printf("child exit code: %d\n", (status)&0x7f);  //获取终止信号
    		printf("father wait end...\n");
    	}
    	else{
    		printf("wait failed...\n");
    	}
    }
    else{ //error
    	printf("error......");
    }
    }
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19
    • 20
    • 21
    • 22
    • 23
    • 24
    • 25
    • 26
    • 27
    • 28
    • 29
    • 30
    • 31
    • 32
    • 33
    • 34
    • 35
    • 36
    • 37
    • 38
    • 39
    • 40
    • 41
    • 42
  • 相关阅读:
    Flink-常用算子、自定义函数以及分区策略
    P01914100尹自杨
    django基于python的平南盛世名城小区疫情防控系统--python-计算机毕业设计
    关于 PropertyOverrideConfigurer PropertySourcesPlaceholderConfigurer
    图片点击出现边框样式(一图出现边框,其他图取消边框)
    秒杀系统高并发优化
    Golang常量iota
    SpringBoot + Dubbo + zookeeper实现
    Dansyl-TiO2 NPs丹磺酰荧光素标记纳米二氧化钛Dansyl-PEG-TiO2(荧光修饰无机纳米粒)
    搞创新,我们“REAL”在行!
  • 原文地址:https://blog.csdn.net/Darling_sheeps/article/details/126294790