使用C中的管道模拟“ls -l | sort -r”

时间:2016-01-25 07:21:48

标签: c unix pipe

这是一项任务,所以我不会问具体细节。

对于这部分作业,我需要使用管道“管道”排序-r到ls -l。

我知道怎么做execl,但我无法理解将“execl的输出”传递给另一个使用管道的execl意味着什么。

有人可以推荐一些关于如何做到这一点的读物吗?

我尝试使用Google搜索许多不同的内容,但我无法理解。

我也试过看管道的不同解释,但对我来说都没有意义。

如果有人可以提出任何好的读数,可以帮助那些不知道管道如何工作的人(除了通过命令行传递东西而不理解管道),我将不胜感激。

提前致谢。

2 个答案:

答案 0 :(得分:1)

基本上,您可以看到像生产者和消费者这样的管道。 看看这个简单的例子。在此代码中,父进程在管道中写入一些字符串,子进程读取它并在输出中打印它。 你想要做的就是接近这一点,父期望第一个命令,孩子执行第二个命令。但是,通过使子进程执行多个命令,可以使其更高级。 other example

    #include <sys/types.h>
    #include <unistd.h>
    #include <stdio.h>
    #include <stdlib.h>

    /*

 Read characters from the pipe and echo them to stdout. */

    void
    read_from_pipe (int file)
    {
      FILE *stream;
      int c;
      stream = fdopen (file, "r");
      while ((c = fgetc (stream)) != EOF)
        putchar (c);
      fclose (stream);
    }

    /* Write some random text to the pipe. */

    void
    write_to_pipe (int file)
    {
      FILE *stream;
      stream = fdopen (file, "w");
      fprintf (stream, "hello, world!\n");
      fprintf (stream, "goodbye, world!\n");
      fclose (stream);
    }

    int
    main (void)
    {
      pid_t pid;
      int mypipe[2];

      /* Create the pipe. */
      if (pipe (mypipe))
        {
          fprintf (stderr, "Pipe failed.\n");
          return EXIT_FAILURE;
        }
      /* Create the child process. */
      pid = fork ();
      if (pid == (pid_t) 0)
        {
          /* This is the child process.
             Close other end first. */
          close (mypipe[1]);
          read_from_pipe (mypipe[0]);
          return EXIT_SUCCESS;
        }
      else if (pid < (pid_t) 0)
        {
          /* The fork failed. */
          fprintf (stderr, "Fork failed.\n");
          return EXIT_FAILURE;
        }
      else
        {
          /* This is the parent process.
             Close other end first. */
          close (mypipe[0]);
          write_to_pipe (mypipe[1]);
          return EXIT_SUCCESS;
        }
    }

答案 1 :(得分:1)

一对管道包含两端,无论程序写入一端还是另一端都接收到。

你的职责是让ls -l写到最后,sort -r从另一端读。

int p[2];
pipe(p);

if (fork() == 0) {
    // first child, run ls, so its output(fd 1) should be redirected to a pipe end
    dup2(p[0], 1);
    close(p[0]); // just for safety
    close(p[1]); // just for safety
    execvl("ls", ...);
}

if (fork() == 0) {
    // second child, run sort, so its input(fd 0) should be redirected to another pipe end
    dup2(p[1], 0);
    close(p[0]); // just for safety
    close(p[1]); // just for safety
    execvl("sort", ...);
}

close(p[0]);
close(p[1]);