将stdout重定向到文件

时间:2015-03-19 20:10:12

标签: c redirect pipe posix

我正在尝试在C中执行等同于bash命令ls>foo.txt

下面的代码将输出重定向到变量。

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

int main(){
  int pfds[2];
  char buf[30];

  pipe(pfds);

  if (!fork()) {
    close(pfds[0]);
     //close(1);//Close stdout
    //dup(pfds[1]);
    //execlp("ls", "ls", NULL);
    write(pfds[1], "test", 5); //Writing in the pipe
    exit(0);
  } else {
    close(pfds[1]);  
    read(pfds[0], buf, 5); //Read from pipe
    wait(NULL);
  }
  return 0;
}

注释行指的是我认为重定向所需的那些操作。 我应该更改什么来将ls的输出重定向到foo.txt?

2 个答案:

答案 0 :(得分:9)

在处理将输出重定向到文件时,您可以使用freopen().

假设您尝试将stdout重定向到文件&#39; output.txt &#39;然后你可以写 -

freopen("output.txt", "a+", stdout); 

此处&#34; a+&#34;用于追加模式。如果文件存在,则文件以追加模式打开。否则会创建一个新文件。

重新打开stdout freopen()后,所有输出语句(printf,putchar)都会重定向到&quot; output.txt&#39;。因此,在此之后,任何printf()语句都会将其输出重定向到&#39; output.txt&#39; 文件。

如果您想再次恢复printf()的默认行为(即在终端/命令提示符下打印),则必须使用以下代码重新分配stdout -

freopen("/dev/tty", "w", stdout); /*for gcc, ubuntu*/  

或 -

freopen("CON", "w", stdout); /*Mingw C++; Windows*/ 

然而,类似的技术适用于stdin&#39;。

答案 1 :(得分:7)

你的代码基本上做的是你打开一个管道,然后分叉进程和子进程(在注释代码中)关闭stdout,将管道复制到stdout并执行和ls命令,然后(在非注释中)代码)写4个字节到管道。在父进程中,您从管道中读取数据并等待子进程的完成。

现在您想将stdout重定向到文件。您可以通过使用open()系统调用打开文件,然后将该文件描述符复制到stdout来实现。类似的东西(我没有测试过,所以要注意代码中的错误):

int filefd = open("foo.txt", O_WRONLY|O_CREAT, 0666);
if (!fork()) {
  close(1);//Close stdout
  dup(filefd);
  execlp("ls", "ls", NULL);
} else {
  close(filefd);
  wait(NULL);
}
return 0;

但是,您也可以按照其他答案的建议使用freopen。

但是,我对您的代码和修改后的代码有几个问题:

  • pipe()和open()系统调用可能会失败。您应该始终检查系统调用失败。

  • fork()系统调用可能会失败。同上。

  • 可以使用dup2()代替dup();如果stdin未打开,则代码将失败,因为它复制到第一个可用的文件描述符。

  • execlp()系统调用可能会失败。同上。

  • 我认为wait()可以被信号(EINTR)中断。如果它被信号中止(errno == EINTR),建议将它包装在重试系统调用的包装器周围。