为什么子进程执行uniq -d不打印由stdin管道传递的重复项?

时间:2016-11-20 19:46:34

标签: c linux pipe fork uniq

我目前正在编写一个使用fork()创建子进程的程序。该子进程应使用选项“-d”执行shell命令“uniq”,以便从stdin读取。在执行命令之后,我想通过管道为“uniq”程序发送字符串作为stdin。因此,在我将相同的字符串发送到彼此之后,字符串应该打印在stdout上(参见uniq手册页:https://linux.die.net/man/1/uniq)。但没有任何印刷品。

到目前为止,这是我的代码:

void execute_uniq_process()
{
    //create pipe
    int pipefd[2];
    if(pipe(pipefd)<0)
    {
        //error handling
    }

    //create argv for command:
    char *argv[] = {"uniq","-d",(char *)0};

    //create child process
    pid_t pid = fork();
    int status;

    switch(pid)
    {
        case -1:
        //error handling
        break;

        case 0:
            //child process
            //close writing end in pipe
            close(pipefd[1]);

            //duplicate stdin
            dup2(pipefd[0],STDIN_FILENO);
            close(pipefd[0]);

            execvp("uniq",argv);
            exit(errno);
        break;

        default:
            //parent process
            //close reading end in pipe
            close(pipefd[0]);

            //write all commands to pipe
            write(pipefd[1],"test1",5);
            write(pipefd[1],"test1",5);
            write(pipefd[1],"test2",5);
            //edited:
            close(pipefd[1]);

            //waits till child is finished
            wait(&status);

            if(WEXITSTATUS(status) != EXIT_SUCCESS)
            {
                //error handling
            }
        break;
    } 
}

所以我希望shell中印有“test1”。我也想知道如何干净地终止uniq进程。我认为写入可能存在问题,因此我必须在管道中写入的每个字符串后模拟“输入”。

1 个答案:

答案 0 :(得分:0)

在等待uniq完成之前必须关闭管道,因为在关闭管道之前它不会知道它有EOF。而且你甚至没有在uniq的标准输入中写入一行,因为写入的数据中没有换行符。 write()系统调用只写出你要写的内容;它当然不会增加任何自己的意志。

这些变化和各种琐事导致:

#include <errno.h>
#include <stdio.h>
#include <stdlib.h>
#include <sys/wait.h>
#include <unistd.h>

int main(void)
{
    int pipefd[2];
    if (pipe(pipefd) < 0)
    {
        fprintf(stderr, "Failed to create pipe\n");
        return 1;
    }

    char *argv[] = {"uniq", "-d", (char *)0};

    pid_t pid = fork();

    switch (pid)
    {
    case -1:
        fprintf(stderr, "Failed to fork\n");
        return 1;

    case 0:
        close(pipefd[1]);
        dup2(pipefd[0], STDIN_FILENO);
        close(pipefd[0]);
        execvp(argv[0], argv);
        fprintf(stderr, "Failed to exec %s\n", argv[0]);
        exit(errno);

    default:
        close(pipefd[0]);
        write(pipefd[1], "test1\n", 6);
        write(pipefd[1], "test1\n", 6);
        write(pipefd[1], "test2\n", 6);
        close(pipefd[1]);
        int status;
        int corpse = wait(&status);

        if (WEXITSTATUS(status) != EXIT_SUCCESS)
        {
            fprintf(stderr, "Child (%s) exited (PID %d, status 0x%.4X)\n", argv[0], corpse, status);
        }
        break;
    }
    return 0;
}

运行时输出test1