晚上好
我正在使用fork()和waitpid()系统调用对C中的进程进行一些编程和测试。我了解全局变量的行为,但是我不理解为什么当第二个过程完成后又回到第一个过程时,变量“ i”与第二个过程具有相同的值。
还有为什么当程序返回到根进程时,变量“ i”的值为2。
这是代码:
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <sys/wait.h>
int total = 0;
int main(int argc, char **argv) {
int i, pid;
for(i = 1; i < 3; ++i) {
pid = fork();
if(pid == 0) {
total = total + i;
printf("\n");
printf("Child process %d\n", getpid());
printf("Parent process %d\n", getppid());
printf("i = %d\n", i);
} else {
waitpid(pid, NULL, 0);
}
}
printf("Child process (end) %d\n", getpid());
printf("Parent process (end) %d\n", getppid());
printf("total = %d\n", total);
printf("i = %d\n", i);
exit(0);
}
这是执行的结果
Child process 9191
Parent process 9190
i = 1
Child process 9192
Parent process 9191
i = 2
Child process (end) 9192
Parent process (end) 9191
total = 3
i = 3
Child process (end) 9191
Parent process (end) 9190
total = 1
i = 3
Child process 9193
Parent process 9190
i = 2
Child process (end) 9193
Parent process (end) 9190
total = 2
i = 3
Child process (end) 9190
Parent process (end) 2876
total = 0
i = 3
我有一个建议:函数waitpid()将资源用于子进程,但无法在根进程中解释变量“ i”的值。
我希望我清楚自己的问题,并为我的英语不好而感到抱歉。
谢谢您的回答。
答案 0 :(得分:1)
以下更正的代码:
total
不会被子进程更改现在,建议的代码:
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <sys/wait.h>
int total = 0;
int main( void ) // <<-- corrected statement
{
int i, pid;
for(i = 1; i < 3; ++i)
{
pid = fork();
if(pid == 0)
{
total = total + i;
printf( "\n") ;
printf( "Child process %d\n", getpid() );
printf( "Parent process %d\n", getppid() );
printf( "i = %d\n", i );
exit( 0 ); // <<-- added statement
}
else
{
waitpid( pid, NULL, 0 );
}
}
printf( "Child process (end) %d\n", getpid() );
printf( "Parent process (end) %d\n", getppid() );
printf( "total = %d\n", total );
printf( "i = %d\n", i );
exit( 0 );
}
以上代码的输出为:
Child process 10378
Parent process 10377
i = 1
Child process 10379
Parent process 10377
i = 2
Child process (end) 10377
Parent process (end) 10375
total = 0
i = 3
但是,代码无法检查来自函数fork()
的错误情况,因此如果对fork()
的调用失败,将导致重大失败。即该代码还应该(也)检查从对fork()
的调用和
if( pid < 0 )
{
perror( "fork failed");
exit( 1 );`
}