6

我希望能够做到这一点:

$ echo "hello world" | ./my-c-program
piped input: >>hello world<<

我知道isatty应该用它来检测标准输入是否是 tty。如果不是 tty,我想读出管道内容——在上面的例子中,就是字符串hello world

在 C 中这样做的推荐方法是什么?

这是我到目前为止得到的:

#include <stdio.h>
#include <unistd.h>

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

  if (!isatty(fileno(stdin))) {
    int i = 0;
    char pipe[65536];
    while(-1 != (pipe[i++] = getchar()));
    fprintf(stdout, "piped content: >>%s<<\n", pipe);
  }

}

我使用以下方法编译了这个:

gcc -o my-c-program my-c-program.c

几乎可以工作,除了它似乎总是在管道内容字符串的末尾添加一个 U+FFFD REPLACEMENT CHARACTER 和一个换行符(我确实理解换行符)。为什么会发生这种情况,如何避免这个问题?

echo "hello world" | ./my-c-program
piped content: >>hello world
�&lt;<

免责声明:我对 C 没有任何经验。请对我放轻松。

4

1 回答 1

8

出现替换符号是因为您忘记了 NUL 终止字符串。

换行符在那里,因为默认情况下,在其输出的末尾echo插入。'\n'

如果你不想插入'\n'使用这个:

echo -n "test" | ./my-c-program

并删除错误的字符插入

pipe[i-1] = '\0';

在打印文本之前。

请注意,您需要使用i-1空字符,因为您实现循环测试的方式。在你的代码i在最后一个字符之后再次增加。

于 2013-04-30T18:02:57.353 回答