我正在尝试从同一个父级创建多个进程,但它总是以比预期更多的进程结束。我无法弄清楚如何做到这一点并需要一些帮助。
我在网上发现了一段代码并试了一下,
int main ()
{
pid_t pid=0;
int i=0;
for (i=0; i<3; i++)
{
pid=fork();
switch(pid)
{
case 0:
{
cout<<"\nI am a child and my pid is:"<<getpid();
cout<<endl;
exit(0);
break;
}
default:
{
cout<<"\nI am a parent and my pid is: "<<getpid();
cout<<"\nMy child pid is: "<<pid;
cout<<endl;
wait(NULL);
break;
}
}
}
return 0;
}
此代码可以正常工作并从同一个父级创建3个子级。但是,这似乎是因为在创建每个子进程后,它立即终止。所以它不会在下一轮for循环中分叉更多的孙子进程。但我需要让这些子进程保持运行一段时间,并且需要与父进行通信。
答案 0 :(得分:1)
子进程可能会立即中断循环以继续其工作
int main ()
{
cout<<"\nI am a parent and my pid is: "<<getpid()<<endl;
pid_t pid;
int i;
for (i=0; i<3; i++)
{
pid=fork();
if(pid == -1)
{
cout<<"Error in fork()"<<endl;
return 1;
}
if(pid == 0)
break;
cout<<"My child "<<i<<" pid is: "<<pid<<endl;
}
if(pid == 0)
{
cout<<"I am a child "<<i<<" and my pid is "<<getpid()<<endl;
wait(NULL); // EDIT: this line is wrong!
}
else
{
cout<<"I am a parent :)"<<endl;
wait(NULL); // EDIT: this line is wrong!
}
return 0;
}
修改强>
wait(NULL)
行是错误的。如果该过程没有活动的孩子,wait()
没有效果,所以这里的孩子没用。父进程wait()
中的OTOH暂停执行,直到任何子进程退出。我们这里有三个孩子,所以必须wait()
三次。另外,人们不能事先知道孩子完成的顺序,因此我们需要更复杂的代码。像这样:
struct WORK_DESCRIPTION {
int childpid;
// any other data - what a child has to do
} work[3];
for(i=1; i<3; i++) {
pid=fork();
...
work[i].childpid = pid;
}
if(pid == 0) // in a child
{
do_something( work[i] );
}
else
{
int childpid;
while(childpid = wait(NULL), childpid != 0)
{
// a child terminated - find out which one it was
for(i=0; i<3; i++)
if(work[i].childpid == childpid)
{
// use the i-th child results here
}
}
// wait returned 0 - no more children to wait for
}