SIGCHLD是多少号信号呢?17号
我们知道用wait和waitpid函数清理僵尸进程,父进程可以阻塞等待子进程结束,也可以非阻塞地查询是否有子进程结束等待清理(也就是轮询的方式)。采用第一种方式,父进程阻塞了就不能处理自己的工作了;采用第二种方式,父进程在处理自己的工作的同时还要记得时不时地轮询一 下,程序实现复杂。
其实,子进程在终止时会给父进程发SIGCHLD信号,该信号的默认处理动作是忽略,父进程可以自定义SIGCHLD信号的处理函数,这样父进程只需专心处理自己的工作,不必关心子进程了,子进程终止时会通知父进程,父进程在信号处理函数中调用wait清理子进程即可。
请编写一个程序完成以下功能:父进程fork出子进程,子进程调用exit(2)终止,父进程自定义SIGCHLD信号的处理函数,在其中调用wait获得子进程的退出状态并打印。
mysigchld.cc
#include<iostream>
#include<signal.h>
#include<sys/types.h>
#include<unistd.h>
#include<sys/wait.h>
using namespace std;
void handler(int signo)
{
//父进程在接收到17号信号后,在自定义函数信号捕捉里进行子进程的处理工作
cout<<"i get signo: "<<signo<<endl;
int status=0;
int rid=waitpid(-1,&status,0);
if(rid<0)
{
perror("waitpid");
exit(1);
}
cout<<"recovery child success"<<endl;
cout<<"child exit code: "<<((status>>8)&0xFF)<<" exit signo: "<<(status&0x7F)<<endl;
}
int main()
{
signal(17,handler);
pid_t id=fork();
if(id<0)
{
perror("fork");
exit(1);
}
else if(id==0)
{
//child
int cnt=0;
while(true)
{
cout<<"i am child pid: "<<getpid()<<" ppid: "<<getppid()<<endl;
cnt++;
if(cnt==5) exit(2);
sleep(1);
}
}
//father 父进程自己干自己的事,当收到子进程退出信号后,就处理子进程
while(true)
{
cout<<"i am father pid: "<<getpid()<<endl;
sleep(1);
}
return 0;
}
事实上,由于UNIX 的历史原因,要想不产生僵尸进程还有另外一种办法:父进程调用sigaction(也可以用signal)将SIGCHLD的处理动作置为SIG_IGN,这样fork出来的子进程在终止时会自动清理掉,不会产生僵尸进程,也不会通知父进程。系统默认17号信号的处理动作是忽略动作和用户用sigaction函数自定义的忽略 通常是没有区别的,但这是一个特例。此方法对于Linux可用,但不保证在其它UNIX系统上都可用。
下面的程序验证这样做不会产生僵尸进程
#include<iostream>
#include<signal.h>
#include<sys/types.h>
#include<unistd.h>
#include<sys/wait.h>
using namespace std;
int main()
{
signal(17,SIG_IGN);
pid_t id=fork();
if(id<0)
{
perror("fork");
exit(1);
}
else if(id==0)
{
//child
int cnt=0;
while(true)
{
cout<<"i am child pid: "<<getpid()<<" ppid: "<<getppid()<<endl;
cnt++;
if(cnt==5)
{
cout<<"child quit"<<endl;
exit(2);
}
sleep(1);
}
}
//father 父进程自己干自己的事,当收到子进程退出信号后,就处理子进程
while(true)
{
cout<<"i am father pid: "<<getpid()<<endl;
sleep(1);
}
return 0;
}
发现已经处理了子进程,没有导致僵尸