1

我刚刚开始使用 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;
    }
}
4

2 回答 2

5

read(2)阻塞,直到有可用字符或通道在另一端关闭。父进程必须关闭管道才能让最后一个子进程read()返回。如果你close(fd)在父亲中省略了,孩子会阻塞read()直到父亲退出(自动关闭管道),但父亲会一直坚持waitpid()到孩子退出。

于 2011-01-12T14:44:51.917 回答
0

首先要做的事情是:您发布的代码存在几个问题。

  1. 没有#include指令,因此您调用的任何函数都没有原型。C89 需要可变参数函数的原型,例如printf(); C99 需要所有功能的原型。C89 和 C99 都需要在O_RDONLYO_WRONLY和.STDOUT_FILENONULL
  2. -1不是 的允许返回值main()
  3. C89 不允许混合声明和语句。

一个小问题:通常的命名是“父母和孩子”,而不是“父亲和孩子”。

我已修改您的程序以更正此问题并提高可读性:

#include <sys/types.h>
#include <sys/stat.h>
#include <sys/wait.h>

#include <fcntl.h>
#include <stdio.h>
#include <string.h>
#include <unistd.h>

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 { /* parent */
        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;
    }
}

但最重要的是,您没有提及您使用的是什么操作系统和编译器。

我无法重现该问题,并且我怀疑它可能与上面列出的问题之一有关。

于 2011-01-12T14:45:59.910 回答