多くの数字を含むファイルがあります。ファイルは「192 158 100 0 20 200」のようになっています。ファイルの数値を一度に 1 つずつ読み込み、C++ で画面に表示するにはどうすればよいですか?
質問する
303 次
5 に答える
4
このようなことを試してください:
int val;
std::ifstream file("file");
while (file >> val)
std::cout << val;
于 2012-07-31T01:23:01.567 に答える
3
次のプログラムは、各数値を 1 行に 1 つずつ出力する必要があります。
#include <iostream>
#include <fstream>
int main (int argc, char *argv[]) {
std::ifstream ifs(argv[1]);
int number;
while (ifs >> number) {
std::cout << number << std::endl;
}
}
于 2012-07-31T01:55:15.957 に答える
1
それを行う別の方法:
std::string filename = "yourfilename";
//If I remember well, in C++11 you don't need the
//conversion to C-style (char[]) string.
std::ifstream ifs( filename.c_str() );
//Can be replaced by ifs.good(). See below.
if( ifs ) {
int value;
//Read first before the loop so the value isn't processed
//without being initialized if the file is empty.
ifs >> value;
//Can be replaced by while( ifs) but it's not obvious to everyone
//that an std::istream is implicitly cast to a boolean.
while( ifs.good() ) {
std::cout << value << std::endl;
ifs >> value;
}
ifs.close();
} else {
//The file couldn't be opened.
}
エラー処理は、さまざまな方法で実行できます。
于 2012-07-31T03:42:28.730 に答える
1
#include <iostream>
#include <iterator>
#include <sstream>
#include <vector>
int main() {
std::ifstream fs("yourfile.txt");
if (!fs.is_open()) {
return -1;
}
// collect values
// std::vector<int> values;
// while (!fs.eof()) {
// int v;
// fs >> v;
// values.push_back(v);
// }
int v;
std::vector<int> values;
while (fs >> v) {
values.push_back(v);
}
fs.close();
// print it
std::copy(values.begin(), values.end(), std::ostream_iterator<int>(std::cout, " "));
return 0;
}
于 2012-07-31T01:50:46.597 に答える
1
次のコードを検討してください。
ifstream myReadFile;
myReadFile.open("text.txt");
int output;
if (myReadFile.is_open())
{
while (fs >> output) {
cout<<output;
}
}
//Of course closing the file at the end.
myReadFile.close();
また、上記の例を使用する場合は、コード内に iostream と fstream を含めてください。
ファイルストリームを開いて読み取る必要があることに注意してください。文字ごとに読み取りを試み、その間に空白があるかどうかを検出できます。
幸運を。
于 2012-07-31T01:23:54.540 に答える