我刚刚开始使用 UNIX FIFO,并且在尝试我的第一个 FIFO 程序时发现了一些东西。该程序是这样工作的:在创建 FIFO 之后,使用该fork()
函数启动两个进程。子进程读取父亲通过 FIFO 传递给他的内容,并将其打印在屏幕上。交换的数据是指定为参数的字符串。问题是:在父亲部分,如果我忘记关闭 FIFO 的输入端(意味着我排除了该close(fd)
行),即使进程之间的数据交换正确,程序也会挂起。否则,一切正常,程序终止而不会挂起。有人可以解释一下为什么吗?
谢谢你的耐心。下面是主函数的代码:
int main(int argc, char *argv[])
{
if(argc != 2)
{
printf("An argument must be specified\n");
return -1;
}
int ret = mkfifo("./fifo.txt", 0644);
char buf;
if(ret < 0)
{
perror("Error creating FIFO");
return -1;
}
pid_t pid = fork();
if(pid < 0)
{
perror("Error creating child process");
return -1;
}
if(pid == 0) /* child */
{
int fd = open("./fifo.txt", O_RDONLY); /* opens the fifo in reading mode */
while(read(fd, &buf, 1) > 0)
{
write(STDOUT_FILENO, &buf, 1);
}
write(STDOUT_FILENO, "\n", 1);
close(fd);
return 0;
}
else /* father */
{
int fd = open("./fifo.txt", O_WRONLY); /* opens the fifo in writing mode */
write(fd, argv[1], strlen(argv[1]));
close(fd);
waitpid(pid, NULL, 0);
return 0;
}
}