ファイル入力のグーグルファイルからテキストを入力する2つの方法-fopenとifstreamを見つけました。以下は2つのスニペットです。読み込む必要のある整数を含む1行のテキストファイルがあります。fopenまたはifstreamを使用する必要がありますか?
スニペット1-FOPEN
FILE * pFile = fopen ("myfile.txt" , "r");
char mystring [100];
if (pFile == NULL)
{
perror ("Error opening file");
}
else
{
fgets (mystring , 100 , pFile);
puts (mystring);
fclose (pFile);
}
スニペット2-イフストリーム
string line;
ifstream myfile ("example.txt");
if (myfile.is_open())
{
while ( myfile.good() )
{
getline (myfile,line);
cout << line << endl;
}
myfile.close();
}
else
{
cout << "Unable to open file";
}
Ifstreamはfopenよりも少しモジュール化されているため、私はifstreamを好むでしょう。ストリームから読み取るコードが、文字列ストリームまたは他のistreamからも読み取ることを想定します。次のように書くことができます。
void file_reader()
{
string line;
ifstream myfile ("example.txt");
if (myfile.is_open())
{
while (myfile.good())
{
stream_reader(myfile);
}
myfile.close();
}
else
{
cout << "Unable to open file";
}
}
void stream_reader(istream& stream)
{
getline (stream,line);
cout << line << endl;
}
これで、stream_reader
実際のファイルを使用せずに、または他の入力タイプから読み取るために使用します。これはfopenでははるかに困難です。
これはC++としてタグ付けされているため、ifstreamと言います。 Cとしてタグ付けされている場合、fopenを使用します:P