在C中模拟Linux命令tee

时间:2012-09-13 03:16:39

标签: c linux pipe tee

我必须在C for Linux中模拟命令teetee如何在内部工作?它看起来像一个T形管,所以我应该使用管道?有一种特殊的管道吗?

3 个答案:

答案 0 :(得分:1)

tee接受stdin并将数据流复制到stdout以及作为选项提供的文件,它可以在许多非常不同的情况下使用。

C中的实现非常简单,只需创建一个程序将所有数据从stdin复制到stdout,但也可以在基于命令行参数打开的文件上使用相同的stdout输出语句。

基本上是伪代码:

file f = open(argv[1])
while (! end of file stdin) {
  buffer = read stdin
  write stdout buffer
  write f buffer
}
close(f)

请注意,您不必对管道执行任何操作,您的shell将对管道进行排序,程序只需将数据从一个流复制到另外两个。

答案 1 :(得分:1)

我完成了程序!

#include <stdio.h>
#include <string.h>
#include <stdlib.h>

main(int argc, char *argv[]){

FILE *fp, *fp1;
char buffer;

if(argc != 4){
    printf("\nError");
    printf("\nSintaxis: tee [archivo1] [archivo2]\n");
    exit(0);
}

if(strcmp(argv[1], "tee") == 0){
    fp = fopen(argv[2], "r");
    fp1 = fopen(argv[3], "w");

    printf("\Content in %s:\n", argv[2]);

    while(!feof(fp)){
        buffer = fgetc(fp);
        fputc(buffer, fp1);
        printf("%c", buffer);
    }

    printf("\n\n%s received %s\n", argv[3], argv[2]);   

    fclose(fp);
    fclose(fp1);
    }
    else
        printf("\nThe first argument have to be tee\n");
}

答案 2 :(得分:0)

这是我大约20年前编写的一些代码,用于在Windows中实现TEE。从那时起,我一直在使用各种批处理文件。注意每行末尾的flush命令。

#include <stdio.h>
#include <share.h>

int main (int argc, char * argv[])
{
    if (argc < 2 )
    {
        printf ("Error:  No output file name given, example:  theCmd 2>&1 |ltee outputFileName \n");
        return 1;
    }
    FILE *Out = _fsopen(argv[argc-1], "a", _SH_DENYWR);
    if (NULL == Out)
    {
        char buf[300];
        sprintf_s(buf, 300, "Error openning %s", argv[argc-1]);
        perror(buf);
        return 1;
    }
    int ch;
    while ( EOF != (ch=getchar()))
    {
        putchar(ch);
        putc(ch, Out);
        if ( '\n' == ch )
            fflush(Out);
    }
    _flushall();
    fclose(Out);
    return 0;
}