我正在编写一个C程序,给定一个可执行文件a.out
和输入文件in_1.txt
,in_2.txt
... in_n.txt
,将运行a.out
在所有n
输入文件上,将为参数列表中的每个输入文件生成相应的输出
我从我的程序中遇到了一些奇怪的行为(称之为tester.out
),经过几个小时,我能够识别出我的问题,但无法弄清楚要解决的问题。
我将首先发布代码,然后解释问题......
#include<stdio.h>
#include<unistd.h>
#include<fcntl.h>
#include<sys/types.h>
#include<sys/wait.h>
#include<limits.h>
#include<string.h>
#define PERM S_IRUSR|S_IWUSR|S_IRGRP|S_IWGRP // 660
int main(int argc, char* argv[]) {
if (argc<3) {
printf("Arguments required; an executable file and at least one input file.\n");
return 1;
}
int channel[2];
if (pipe(channel)<0) {
perror("pipe");
return 1;
}
int i;
for (i=2; i<argc; ++i) {
pid_t p=fork();
if (p<0) {
perror("fork");
return 1;
}
if (p) { // parent
// closing read end
close(channel[0]); // *** The problem lies here! ***
int indicator;
if ((indicator=write(channel[1], argv[i], strlen(argv[i])+1))<0) {
perror("write");
return 1;
}
printf("Parent wrote %d bytes\n", indicator);
int status;
wait(&status);
if (WIFEXITED(status)) {
printf("Your program terminated normally with exit code %d\n", WEXITSTATUS(status));
printf("See output file: %s_output\n", argv[i]);
}
else if (WIFSIGNALED(status)) {
printf("Your program terminated by a signal! signal code: %d\n", WTERMSIG(status));
}
}
else { // child
// closing write end
close(channel[1]);
char input_file[PATH_MAX]={0};
char output_file[PATH_MAX+10]={0};
int indicator;
// read input_file from pipe
if ((indicator=read(channel[0], input_file, PATH_MAX))<1) {
perror("child process: read");
return 1;
}
printf("child read %d bytes\n", indicator);
sprintf(output_file, "%s_output", input_file);
printf("Got %s and output is %s\n", input_file, output_file);
sleep(5); /* later, I will call execl() here to run argv[1] on input_file */
return 1;
}
}
return 0;
}
当我运行时,这可以正常工作:
$ ./tester.out a.out input1.txt
但是当我使用多个输入文件运行它时失败了:
$ ./tester.out a.out input1.txt input2.txt
正如代码中突出显示的评论所示,问题在于调用close(channel[0])
的行,因为在第一次迭代中关闭父级channel[0]
,意味着在第二次迭代中,子进程的channel[0]
已关闭(由其父级 - 在第一次迭代中)。
有关如何解决这种情况的任何建议?
答案 0 :(得分:1)
您应该为每个子进程创建一个新管道,并在完成后关闭管道的两端。您需要在父级和子级中关闭两端。
答案 1 :(得分:0)
一个简单的解决方法是:
从循环之前移动到循环内部,就在调用fork()的行之前。然后定义choice [2]变量并调用pipe()。