当我尝试使用fork()
函数让子进程以递归方式调用doFib
时,我得到奇怪的结果sum1
和sum2
属性设置为父进程,但是当我想使用它们来计算结果时,事实证明它们没有正确设置。但是,如果我在pid2 = fork()
之前替换第一个while循环,我可以得到正确的结果。有人可以解释为什么会这样吗?
static void doFib(int n, int doPrint)
{
int result;
pid_t pid1;
int status1;
int sum1 = 0;
pid_t pid2;
int status2;
int sum2 = 0;
//printf("my pid is: %d\n", getpid());
//test for less number
if(n < 2)
{
if(doPrint)
{
printf("%d\n", n);
}
_exit(n);//result the value of F0 and F1
}
//not initial, need fork here
pid1 = fork();
if(pid1 == 0)
{//in children 1
doFib(n-1, 0);
}
pid2 = fork();
if(pid2 == 0){
doFib(n-2, 0);
}
while((pid1 = waitpid(-1, &status1, 0)) > 0){
if(WIFEXITED(status1))
sum1 = WEXITSTATUS(status1);
}
while((pid2 = waitpid(-1, &status2, 0)) > 0){
if(WIFEXITED(status2))
sum2 = WEXITSTATUS(status2);
}
result = sum1 + sum2;
if(doPrint)
{
printf("%d\n", result);
}else
{//in the children
_exit(result);
}
}
答案 0 :(得分:0)
您对waitpid
的退货状态的检查不正确。它在成功时返回子进程的pid,在出错时返回-1。您不需要在循环中执行此操作。只需执行一次,如果成功则获取返回值。
if ((pid1 = waitpid(-1, &status1, 0)) != -1) {
if(WIFEXITED(status1))
sum1 = WEXITSTATUS(status1);
}
if ((pid2 = waitpid(-1, &status2, 0)) != -1) {
if(WIFEXITED(status2))
sum2 = WEXITSTATUS(status2);
}
也就是说,递归计算斐波纳契数是低效的,尤其是当通过分叉进行递归时。这也将数字返回限制为255,因为进程的返回值只有一个字节宽。