我从C背景学习C ++。
我想要做的是将控制台输入复制到文件中。对于这个proupouse我这样做:
#include "stdafx.h"
#include <fstream>
#include <iostream>
using namespace std;
int main()
{
ofstream file_out;
file_out.open("test.txt");
char char_input;
while (!cin.eof())
{
cin.get(char_input);
file_out << char_input;
}
file_out.close();
return 0;
}
事情是,正确地执行了最后一行不在输出文件中。 I.E:如果我进入
Hello
My Name Is
Lucas
Goodbye!
“Goodbye”不会出现在文件中
Hello
My Name Is
Lucas
提前谢谢。
答案 0 :(得分:1)
这通常是一种反模式(即使在C中):
while (!cin.eof())
这有几个问题。如果出现错误,你会进入一个无限循环(虽然我们可以对此进行折扣,但仍然会读取字符)。
但主要问题是EOF仅在事后检测到:
cin.get(char_input);
// What happens if the EOF just happend.
file_out << char_input;
// You just wrote a random character to the output file.
您需要在读取操作之后检查它,而不是之前。在将读取写入输出之前,始终测试读取是否有效。
// Test the read worked as part of the loop.
// Note: The return type of get() is the stream.
// When used in a boolean context the stream is converted
// to bool by using good() which will be true as long as
// the last read worked.
while (cin.get(char_input)) {
file_out << char_input;
}
我会注意到这可能不是读取输入或写入输出的最有效方法。