我有一个包含很多数字的文件。该文件基本上看起来像“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
以下程序应打印每个数字,每行一个:
#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
请考虑以下代码:
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 回答
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
另一种方法:
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 回答