我试图从标准输入(unix中的[a.out< text.txt])中读取,我使用了以下两段代码:
int main(){
while (!cin.eof()){ReadFunction()}
OutputFunction();}
和
int main(){
char c;
while (cin.getchar(c)){ReadFunction()}
OutputFunction();}
这两个循环都正确执行读取功能,但它们都没有退出循环并执行输出功能。如何从标准输入中逐字逐字地读取,然后执行输出功能?
答案 0 :(得分:0)
cin.eof()
是不值得信任的。如果经常会返回不准确的结果。无论哪种方式,建议您从文件中复制所有数据(您说是标准输入),然后从中获取字符。我建议使用std :: stringstream来保存文件中的数据,然后使用std :: getline()。我没有编程Unix的经验,但你通常可以尝试这样的事情:
#include <string>
#include <sstream>
#include <iostream>
int main() {
std::string strData;
std::stringstream ssData;
while (std::getline(in /*Your input stream*/, strData))
ssData << strData;
ssData.str().c_str(); // Your c-style string
std::cout << (ssData.str())[0]; // Write first char
return 0;
}
至于为什么你的while循环没有退出可能与暗示有关,但你可以认为这是另一种选择。
答案 1 :(得分:0)
我认为这可能是您的ReadFunction()中的一个问题。如果您没有读取字符,则流不会前进并将陷入循环。
以下代码有效: -
#include <iostream>
#include <string>
using namespace std;
string s;
void ReadFunction()
{
char a;
cin >> a;
s = s + a;
}
void OutputFunction()
{
cout <<"Output : \n" << s;
}
int main()
{
while (!cin.eof()){ReadFunction();}
OutputFunction();
}
答案 2 :(得分:0)
我能想到的最简单的方法是使用类似下面的内容
#include <cstdio>
int main() {
char c;
while((c = getchar()) != EOF) { // test if it is the end of the file
// do work
}
// do more work after the end of the file
return 0;
}
与您的唯一真正的区别是,上面的代码测试c
以查看它是否是文件的结尾。然后./a.out < test.txt
之类的东西应该有效。