execl()似乎没有从标准输入读取

时间:2015-12-16 00:59:08

标签: c pipe exec

我试图用c语言重现这个命令:

ls | wc > output.txt

所以,为此,我编写了以下程序:

#include <unistd.h>
#include <stdlib.h>
#include <fcntl.h>
#include <stdio.h>
#include <errno.h>

int main()
{
    pid_t lsFork, wcFork;
    int tube[2];
    pipe(tube);

    lsFork = fork();
    if(lsFork == 0) // ls command
    {
        close(tube[0]);
        dup2(tube[1], STDOUT_FILENO);
        close(tube[1]);
        if(execl("/usr/bin/ls", "ls", NULL) == -1)
            perror("Cannot execute ls");
    }
    else
    {
        wcFork = fork();
        if(wcFork == 0)  // wc command
        {
            sleep(1);
            int file = open("output.txt", O_WRONLY | O_CREAT);
            if(file == -1)
                perror("Cannot open output.txt");

            close(tube[1]);
            dup2(tube[0], STDIN_FILENO);
            close(tube[0]);
            dup2(file, STDOUT_FILENO);
            close(file);

            /*char buffer[BUFSIZ];
            read(STDIN_FILENO, buffer, BUFSIZ);
            write(STDOUT_FILENO, buffer, BUFSIZ);*/

            if(execl("/usr/bin/wc", "wc", NULL) == -1)
                perror("Cannot execute wc");

            close(STDOUT_FILENO);
        }
        else // parent
        {
            int status;
            waitpid(lsFork, &status, 0);
            waitpid(wcFork, &status, 0);
        }
    }

    return EXIT_SUCCESS;
}

但是,程序没有退出。根据htop,wc命令阻止程序。为了理解这种行为,我编写了一段代码(在execl()之前注释的行),我不了解它的工作原理而不是execl()。在调用此函数时我忘记了什么吗?

3 个答案:

答案 0 :(得分:1)

父进程仍然打开了管道,因此如果父进程决定写入内容(wc需要计算),wc正在等待。

也关闭父级管道的两端:

    else // parent
    {
        int status;
        close(tube[0]); // <---
        close(tube[1]); // <---
        waitpid(lsFork, &status, 0);
        waitpid(wcFork, &status, 0);
    }

答案 1 :(得分:1)

当你可以轻松地做事时,不要复杂化。 试试下面的简单代码&amp;看你能否理解任何事情。

int main(){
    int tube[2];
    int fID;
    pipe(tube);
    if (fork() == 0){
      // this is the child process
      close(tube[0]); // reading end of the pipe
      dup2(tube[1], 1); // stdout ---> pipe writing end
      execlp("ls", "ls", NULL);
    }else{
      if (fork() == 0){
        //umask(0022);
        fID = open("sample.txt", O_WRONLY | O_CREAT, 0644);
        close(tube[1]); // writing end of the pipe
        dup2(tube[0], 0);  // stdin ----> pipe reading end
        dup2(fID, 1);
        execlp("wc", "wc", NULL);
      }
    }
  return 0;
}

注意如果代码的目的是单独实现上述管道,那么您不需要实现任何等待机制。操作系统将自动杀死所有僵尸孩子,如果有的话。此外execlp("wc", "wc", NULL);将自动阻止程序结束。因此它不会提前退出

答案 2 :(得分:0)

您还需要在父级中关闭管道的写入端。