我需要编写一个程序来处理来自文件或shell的输入(用于管道处理)。处理这个问题最有效的方法是什么?我基本上需要逐行读取输入,但输入可能是来自shell或文件的另一个程序的输出。
由于
答案 0 :(得分:1)
我找不到评论链接,所以发表回答。 正如Eugen Constantin Dinca所说,管道或重定向只是输出到标准输入,所以你的程序需要做的是从标准输入读取。
我不知道你所提到的“逐行阅读”是什么意思,比如ftp交互模式?如果是这样,程序中应该有一个循环,每次读取一行并等待下一个输入,直到你给出终端信号。
修改强>
int c;
while(-1 != (c = getchar()))
putchar(c);
答案 1 :(得分:1)
以下是来自Echo All Palindromes, in C的C示例:
int main(int argc, char* argv[]) {
int exit_code = NO_MATCH;
if (argc == 1) // no input file; read stdin
exit_code = palindromes(stdin);
else {
// process each input file
FILE *fp = NULL;
int ret = 0;
int i;
for (i = 1; i < argc; i++) {
if (strcmp(argv[i], "-") == 0)
ret = palindromes(stdin);
else if ((fp = fopen(argv[i], "r")) != NULL) {
ret = palindromes(fp);
fclose(fp);
} else {
fprintf(stderr, "%s: %s: could not open: %s\n",
argv[0], argv[i], strerror(errno));
exit_code = ERROR;
}
if (ret == ERROR) {
fprintf(stderr, "%s: %s: error: %s\n",
argv[0], argv[i], strerror(errno));
exit_code = ERROR;
} else if (ret == MATCH && exit_code != ERROR)
// return MATCH if at least one line is a MATCH, propogate error
exit_code = MATCH;
}
}
return exit_code;
}
使其适应C ++:写入函数(上面为palindromes
),接受std::istream&
;从std::cin
函数传递ifstream
(对于标准输入或' - '文件名)或main()
对象。
将std::getline()
与函数内的给定std::istream
对象一起使用,逐行读取输入(函数不关心输入是来自文件还是标准输入)。
答案 2 :(得分:0)
我认为它是一个你想要使用的命名管道。但据我所知,其他程序必须将其输出写入命名管道(如果您可以访问该程序,则可以执行该操作),程序将从命名管道中读取。
希望这对你有所帮助。
答案 3 :(得分:0)