使用 noskipws 读取文件?
File reading with noskipws?
我的方法是否正确读取包含空格和换行符 (\n) 的 .txt
文件?
我编写程序的说明还要求我检测空格和换行符,以便可以对它们进行操作。
char word_from_file;
ifstream input_file;
input_file.open (*recieved_file_name+".txt");
if (input_file.good() && input_file.is_open())
{
while (!input_file.eof())
{
input_file >> noskipws >> word_from_file;
if (*recieved_choice==1)
{
cout << *recieved_key;
encrypt (recieved_file_name, &word_from_file, recieved_key);
}
}
input_file.close();
}
您的代码是正确的,因为它读取了空格和换行符,但是输入错误检查的位置不正确,这可以通过使用 istream::get()
.
来缩短
char word_from_file;
while (input_file.get(word_from_file)) {
if (*recieved_choice == 1) {
cout << *recieved_key;
encrypt (recieved_file_name, &word_from_file, recieved_key);
}
}
istream::get()
从流中读取一个未格式化的字符,因此它会自动读取空格和换行符。
也不需要检查文件是否打开或手动关闭它。该文件将在其创建范围的末尾自动关闭,如果文件未打开,则任何尝试的输入操作都是空操作。
我的方法是否正确读取包含空格和换行符 (\n) 的 .txt
文件?
我编写程序的说明还要求我检测空格和换行符,以便可以对它们进行操作。
char word_from_file;
ifstream input_file;
input_file.open (*recieved_file_name+".txt");
if (input_file.good() && input_file.is_open())
{
while (!input_file.eof())
{
input_file >> noskipws >> word_from_file;
if (*recieved_choice==1)
{
cout << *recieved_key;
encrypt (recieved_file_name, &word_from_file, recieved_key);
}
}
input_file.close();
}
您的代码是正确的,因为它读取了空格和换行符,但是输入错误检查的位置不正确,这可以通过使用 istream::get()
.
char word_from_file;
while (input_file.get(word_from_file)) {
if (*recieved_choice == 1) {
cout << *recieved_key;
encrypt (recieved_file_name, &word_from_file, recieved_key);
}
}
istream::get()
从流中读取一个未格式化的字符,因此它会自动读取空格和换行符。
也不需要检查文件是否打开或手动关闭它。该文件将在其创建范围的末尾自动关闭,如果文件未打开,则任何尝试的输入操作都是空操作。