该计划用于家庭作业。基本上,从文件中读入文本并模拟族谱。以下是示例输入和输出:
输入:
A B 3 C D X
D Y 2 M E
M F 0
C P 1 K
输出:
A-B
C-P
K
D-Y
M-F
E
X
基本上,每一行的前两个字符都是“情侣”。然后,数字代表夫妻拥有的孩子数量,然后列出孩子。第一行的夫妻是最年长的夫妇,文件后面的夫妻可能是其他夫妻的孩子。 (显然,在我的计划完成之前,我还有很多工作要做)
无论这个程序做什么,这都是我的问题:对于最终生孩子的每个孩子,我希望它使用相同的for循环来创建它们。例如,C
- P
对需要迭代循环ONCE以创建K
。因此,i
和numChilds
的值分别设置为0
和1
,以便迭代一次。但是,一旦循环再次开始迭代,这些值就会重置。查看我标记为调试的程序的两个部分。两个地方的变量应该相同,但它们会以某种方式恢复到以前的值。也许我不完全理解分叉如何影响变量范围,但有人可以向我解释一下吗?有没有办法解决这个问题,还是我需要实施新的解决方案?
#include <stdio.h>
#include <sys/types.h>
int main (int argc, char* argv[] ){
pid_t pid;
FILE* inFile = fopen(argv[1], "r");
if(inFile==0){
printf( "Error opening file, terminating program\n");
return 1;
}
char person;
char partner;
int numChilds;
int inInt;
int i=0;
// boolean flag
int match;
// prime the loop by importing the first two parents
inInt = fgetc(inFile);
while(inInt<33){
inInt = fgetc(inFile);
}
person = (char) inInt;
inInt = fgetc(inFile);
while(inInt<33){
inInt = fgetc(inFile);
}
partner = (char) inInt;
printf("\n%c-%c\n", person, partner);
// get number of children for first pair
inInt = fgetc(inFile);
while(inInt<33){
inInt = fgetc(inFile);
}
numChilds = inInt - 48;
// loop once for each new child to be created
for(i=0; i<numChilds; i++){
//////////DEBUGGING///////////////////////////////
/*
printf("%i", i);
printf("%i", numChilds);
printf("%c", '\n');
*/
//////////DEBUGGING///////////////////////////////
// get name of next child from file, set it as current person
inInt = fgetc(inFile);
while(inInt<33){
inInt = fgetc(inFile);
}
person = (char) inInt;
pid = fork();
if(pid == 0){ // child process
// search for self in file to find partner
match = 0;
while(((inInt = fgetc(inFile)) != EOF) && match==0){
// if match found
if((char) inInt == person){
// set flag to stop searching file
match = 1;
// grab partner which is next name in file
inInt = fgetc(inFile);
while(inInt<33){
inInt = fgetc(inFile);
}
partner = (char) inInt;
// grab number of children for that pair
inInt = fgetc(inFile);
while(inInt<33){
inInt = fgetc(inFile);
}
numChilds = inInt - 48;
printf("%i", numChilds);
// reset for loop index so it will now execute for child processes
i=0;
}
}
// if partner was never found, child will have no children, so force for loop to stop
if(match==0){
i = numChilds;
}
printf("\n%c-%c\n", person, partner);
//////////DEBUGGING///////////////////////////////
/*
printf("%i", i);
printf("%i", numChilds);
printf("%c", '\n');
*/
//////////DEBUGGING///////////////////////////////
}
else if(pid>0){ // parent process
wait(NULL);
}
}
return 0;
}
答案 0 :(得分:0)
对fork的调用将复制堆栈(存储变量的位置)和程序(代码),然后在forked程序中的fork调用之后立即运行一个新进程。
两个分叉进程将具有不同的堆栈,并将使用不同的变量运行。
您可以阅读http://linux.die.net/man/2/fork以获取有关fork行为的完整说明。
要在流程之间进行通信,您可以使用共享内存:How to share memory between process fork()?