我设置了一个简单的fork例子来fork和exec 2个孩子然后通过管道读取他们的输出但是我有一个段错误(发生在关闭(piping [i] [1]);)并且找不到原因。请参阅下面的代码:
#include <fcntl.h>
#include <stdio.h>
#include <string.h>
#include <stdlib.h>
#include <unistd.h>
int reader(int *piping[]) {
char readstring[50];
char readstring2[50];
FILE *outPut;
FILE *outPut2;
outPut = fdopen(piping[0][0], "r");
outPut2 = fdopen(piping[1][0], "r");
fgets(readstring, sizeof(readstring), outPut);
fgets(readstring2, sizeof(readstring2), outPut2);
printf("%s\n", readstring);
printf("%s\n", readstring2);
return 0;
}
int main(void) {
int i;
int j;
int pid;
int **piping = malloc(sizeof(int*) *2);
for(i = 0; i < 2; ++i) {
piping[i] = malloc(sizeof(int) *2);
}
for(j = 0; j < 2; ++j) {
pipe(piping[j]);
if((pid = fork()) == -1)
fprintf(stderr, "error reading pipe\n");
exit(1);
} else if(pid == 0) {
//child
//close read pipes dup2 write pipes to stdout
//then close old write pipes
close(piping[j][0]);
if(dup2(piping[j][1], 1) == -1) {
fprintf(stderr, "error dup2");
exit(2);
}
close(piping[j][0]);
close(1);
if(execlp("./playex", "playex", NULL)) {
fprintf(stderr, "exec error\n");
}
} else {
//parent
close(piping[j][1]);
}
}
reader(piping);
}
上面是管道和高管应该阅读的主要功能,下面我有它运行的基本程序。
#include <fcntl.h>
#include <stdio.h>
#include <string.h>
#include <stdlib.h>
#include <unistd.h>
int main(void) {
fprintf(stdout, "go\n");
}
我试图在没有运气的情况下修复段错误,请帮助找到并解决问题。
答案 0 :(得分:2)
你的主要问题是(在编辑问题之前隐藏它最初显示的内容)你在管道数组的范围之外写作:
for(i = 0; i < 2; ++i) {
piping[i] = malloc(sizeof(int) *2);
}
for(j = 0; j < 2; ++j) {
pipe(piping[i]);
您正在为j
上的第二个循环编制索引,而不是i
,因此您使用的是未分配的piping[2]
。冲洗并重复。
您可以通过删除i
和j
的当前定义并使用以下内容来避免错误:
for (int i = 0; i < 2; ++i) {
piping[i] = malloc(sizeof(int) *2);
}
for (int j = 0; j < 2; ++j) {
pipe(piping[i]);
现在i
在第二个循环中未定义。