我在C中编写了一个基本shell来执行基本命令,它将执行命令ls
,ls -al
,ls -al | more
等。
我想在我的shell中执行以下命令。 喜欢;
ls -al > a.txt
这将为我提供a.txt
文件,其中包含ls -al
进程的输出。
我找到了一个解决方案,它正在改变我的shell中的命令,如[command1] | tee [filename]
。在这种情况下,它会将ls -al > a.txt
更改为ls -al | tee a.txt
。但是这个过程也将输出提供给文件和终端。如何在终端停止打印输出。
还是有更好的解决方案,而不是使用tee命令。 提前谢谢......
答案 0 :(得分:10)
这是我用dup2测试的结果
更为微妙的一点是在正确的时间记住fflush :)否则,你会得到非常令人惊讶的结果。
此外,更喜欢fileno
而不是硬编码1
(stdout)2
(stderr)。
重定向stdin
留给读者练习
#include <stdio.h>
#include <stdlib.h>
#include <fcntl.h>
#include <unistd.h>
int main(int argc, const char *argv[])
{
int out = open("cout.log", O_RDWR|O_CREAT|O_APPEND, 0600);
if (-1 == out) { perror("opening cout.log"); return 255; }
int err = open("cerr.log", O_RDWR|O_CREAT|O_APPEND, 0600);
if (-1 == err) { perror("opening cerr.log"); return 255; }
int save_out = dup(fileno(stdout));
int save_err = dup(fileno(stderr));
if (-1 == dup2(out, fileno(stdout))) { perror("cannot redirect stdout"); return 255; }
if (-1 == dup2(err, fileno(stderr))) { perror("cannot redirect stderr"); return 255; }
puts("doing an ls or something now");
fflush(stdout); close(out);
fflush(stderr); close(err);
dup2(save_out, fileno(stdout));
dup2(save_err, fileno(stderr));
close(save_out);
close(save_err);
puts("back to normal output");
return 0;
}
答案 1 :(得分:3)
输出要转到文件时不要使用管道。
当你分叉孩子运行ls
命令时,你注意到重定向,并打开文件;然后使用dup2()
(或close()
和dup()
),以便文件描述符现在是子项的标准输出;你关闭了重复的文件描述符 - open()
返回的文件描述符;然后像往常一样执行ls
;它的标准输出现在发送到文件。
请注意,您在分叉后执行非管道I / O重定向,而不是之前。必须在分叉之前设置管道,但其他I / O重定向不会。
答案 2 :(得分:2)
在新创建的进程中调用execve(2)
执行命令之前,您可以通过dup2(2)
系统调用重定向其标准输入或输出:
/* redirect stdout to a file */
dup2(1, some_open_file_descriptor);
当然,您需要进行一些错误处理。