编写我自己的linux shell I / O重定向'>'功能

时间:2016-03-27 22:15:57

标签: c linux shell io-redirection

我正在编写将命令输出写入给定文件名的重定向函数。

例如:

echo Hello World > hello.txt会将'Hello World'写入hello.txt。

ls -al > file_list.txt会将当前目录中所有文件/目录名称的列表写入file_list.txt。

到目前为止我的功能定义为:

int my_redirect(char **args, int count) {
    if (count == 0 || args[count + 1] == NULL) {
        printf("The redirect function must follow a command and be followed by a target filename.\n");
        return 1;
    }
    char *filename = args[count + 1];

    //Concatenates each argument into a string separated by spaces to form the command
    char *command = (char *) malloc(256);
    for (int i = 0; i < (count); i++) {
        if (i == 0) {
            strcpy(command, args[i]);
            strcat(command, " ");
        }
        else if (i == count - 1) {
            strcat(command, args[i]);
        }
        else {
            strcat(command, args[i]);
            strcat(command, " ");
        }
    }

    //command execution to file goes here

    free(command);
    return 1;
}

其中args[count]">"

如何执行args[0]args[count - 1]字符串给出的命令到args[count + 1]给出的文件?

修改

这些是我们给出的指示:

“通过向文件添加stdout重定向来改进shell。仅在完成功能后尝试1.为&gt;解析行,将所有内容作为命令,然后将第一个单词作为文件名(忽略&lt;, &gt;&gt;,| etc)。

标准输出被写出到文件描述符1(stdin为0,stderr为2)。因此,可以通过打开文件,并使用dup2系统调用将其文件描述符复制到1来实现此任务。

int f = open( filename , O_WRONLY|O_CREAT|O_TRUNC, 0666) ;
dup2( f , 1 ) ;

注意:使用系统调用open not library wrapper fopen here。“

1 个答案:

答案 0 :(得分:0)

如果允许您以特殊方式解决此问题,那么它仅适用于一系列问题,例如将命令的stdout捕获到文件中,您可以避免使用popen()重新发明轮子函数来自<stdio.h>

该计划的草图:

  1. 确定输出文件名
  2. 打开输出文件进行编写
  3. 确定命令和参数
  4. 从args构建命令字符串,直到>
  5. 致电FILE *cmd = popen(command, "r");
  6. cmd流读取行,写入输出文件
  7. cmd流上没有EOF的情况下转到6。
  8. pclose(cmd)fclose输出流
  9. 仅当您的教师不希望您使用fork,dup和朋友时才这样做。