需要实现管道,dup2函数来执行“ls | tr a-z A-Z> file.txt”

时间:2013-12-05 13:34:57

标签: c pipe dup2

我有以下C代码执行“ls | tr a-z A-Z”,但我不知道如何将输出转到file.txt。我需要创建另一个管道或叉子三次吗?我是否需要使用open()函数,因为我将输出保存到文件中?

int main() {
pid_t child_pid_one, child_pid_two;
int pipe_fd[2]; /* pipe */

/* Before the fork, we need to create the pipe */ 
/* (otherwise no sharing of pipe) */
if (pipe(pipe_fd) < 0) {
  err(EX_OSERR, "pipe error");
}

if ((child_pid_one = fork()) < 0) {
  err(EX_OSERR, "fork error");
}

if (child_pid_one == 0)  { /* CHILD #1's code (ls code) */
  close(pipe_fd[0]); /* we don't need pipe's read end */

  /* Redirecting standard output to pipe write end */
  if (dup2(pipe_fd[1], STDOUT_FILENO) < 0) {
     err(EX_OSERR, "dup2 error");
  }

  execlp("/bin/ls", "/bin/ls", NULL);
  err(EX_OSERR, "exec error");
}  else { /* parent's code */

  /* Creating second child */
  if ((child_pid_two = fork()) < 0) {
     err(EX_OSERR, "fork error");
  } 

  if (child_pid_two == 0)  { /* CHILD #2's code (tr a-z A-Z) */
     close(pipe_fd[1]); /* we don't need pipe's write end */

     /* Redirecting standard input to pipe read end */
     if (dup2(pipe_fd[0], STDIN_FILENO) < 0) {
        err(EX_OSERR, "dup2 error");
     }


     execlp("/usr/bin/tr", "/usr/bin/tr","a-z","A-Z", NULL);
     err(EX_OSERR, "exec error");
  } else {
     /* Parent has no need for the pipe */
     close(pipe_fd[0]);
     close(pipe_fd[1]);

     /* Reaping each children */
     wait(NULL); 
     wait(NULL);
  }
 }

 return 0;
}

1 个答案:

答案 0 :(得分:1)

只需将STDOUT_FILENO进程的tr重定向到新打开的文件:

// write-only (as is stdout), truncate to zero length
int file_fd = open("file.txt", O_WRONLY | O_TRUNC);

if (file_fd < 0) {
    // error handling
}

if (dup2(file_fd, STDOUT_FILENO) < 0) {
    err(EX_OSERR, "dup2 error");
}