说我叉N个孩子。我想创建1到2,2和3,4和5之间的管道,......等等。所以我需要一些方法来确定哪个孩子是哪个。下面的代码是我现在拥有的。我只需要一些方法来告诉孩子号码n,是孩子号码n。
int fd[5][2];
int i;
for(i=0; i<5; i++)
{
pipe(fd[i]);
}
int pid = fork();
if(pid == 0)
{
}
答案 0 :(得分:2)
以下代码将为每个子项创建一个管道,根据需要多次分叉该进程,并从父级向每个子级发送一个int值(我们想要给孩子的id),最后是子级将读取该值并终止。
注意:由于你正在分叉,i变量将包含迭代号,如果迭代号是子id,那么你不需要使用管道。
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
int main(int argc, char *argv[]) {
int count = 3;
int fd[count][2];
int pid[count];
// create pipe descriptors
for (int i = 0; i < count; i++) {
pipe(fd[i]);
// fork() returns 0 for child process, child-pid for parent process.
pid[i] = fork();
if (pid[i] != 0) {
// parent: writing only, so close read-descriptor.
close(fd[i][0]);
// send the childID on the write-descriptor.
write(fd[i][1], &i, sizeof(i));
printf("Parent(%d) send childID: %d\n", getpid(), i);
// close the write descriptor
close(fd[i][1]);
} else {
// child: reading only, so close the write-descriptor
close(fd[i][1]);
// now read the data (will block)
int id;
read(fd[i][0], &id, sizeof(id));
// in case the id is just the iterator value, we can use that instead of reading data from the pipe
printf("%d Child(%d) received childID: %d\n", i, getpid(), id);
// close the read-descriptor
close(fd[i][0]);
//TODO cleanup fd that are not needed
break;
}
}
return 0;
}