C CIN输入要文件

C++ cin input to file

本文关键字:文件 输入 CIN      更新时间:2023-10-16

im从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;
}

问题是正确的执行,最后一行不在输出文件中。即:如果我输入

Hello
My Name Is
Lucas
Goodbye!

"再见"不出现在文件中

Hello
My Name Is
Lucas

提前。

这通常是一个反模式(甚至在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;
}

我会注意到这可能不是读取输入或写输出的最有效方法。