我有一个看起来像这样的课程:
class Test
{
public:
Test() {}
~Test() {}
//I kept these public for simplicity's sake at this point (stead of setters).
int first_field;
int second_field;
int third_field;
string name;
};
我的.txt文件如下所示:
1 2323 88 Test Name A1
2 23432 70 Test Name A2
3 123 67 Test Name B1
4 2332 100 Test Name B2
5 2141 98 Test Name C1
7 2133 12 Test Name C2
我希望能够从文件的每一行读到一个向量,所以我当前的代码如下:
#include "Test.h"
#include <fstream>
#include <iostream>
#include <vector>
#include <string>
using namespace std;
int main()
{
ifstream file;
vector<Test> test_vec;
file.open("test.txt");
if(file.fail())
{
cout << "ERROR: Cannot open the file." << endl;
exit(0);
}
while(!file.eof())
{
string input;
if(file.peek() != '\n' && !file.eof())
{
Test test;
file >> test.first_field >> test.second_field >> test.third_field;
getline(file, input);
test.name = input;
test_vec.push_back(test);
}
}
return 0;
}
所以,我被困在我想要读取数据的部分......我尝试过输入流操作符并且它没有做任何事情;其他选项给我错误。如果可能的话,我还想保留格式。我以后想要做的是能够通过类中的不同数据字段对该向量进行排序。
有什么想法吗?
编辑:问题已解决,代码已经过编辑以反映出来。谢谢你的帮助。 :)
答案 0 :(得分:2)
在读取文件并将其解析为类对象之前应该解决的一个问题是:
Test test;
test.push_back(test);
您的本地变量test
是类Test
的对象,它会隐藏您的向量:
vector<Test> test;
当你这样做时:
test.push_back(test);
你会遇到麻烦。尝试将您的对象命名为其他名称。
现在您可以考虑如何处理每一行,您可以采取以下措施:
ifstream file;
file.open("test.txt");
int first_field, second_field, third_field;
string testName;
while (!file.eof()) {
file >> first_field >> second_field >> third_field;
getline(file, testName);
cout << first_field <<" " << second_field << " " << third_field;
cout << endl << testName <<endl;
//you should set your constructor of Test to accept those four parameters
//such that you can create objects of Test and push them to vector
}
答案 1 :(得分:1)
tacp的答案很好,但这里有两件事我认为更加惯用C ++ / STL:
operator >>
istream & operator>>(istream &in, Test &t)
{
in >> t.first_field >> t.second_field >> t.third_field;
getline(in, t.name);
return in;
}
此时读取文件看起来像这样
ifstream file("test.txt");
vector<Test> tests;
Test test;
while(file >> test) {
tests.push_back(test);
}
streamiterator
/迭代器构造函数使其超级STL惯用,使用istream_iterator
(不要忘记#include<iterator>
),并从迭代器构造vector
:
ifstream file("test.txt");
istream_iterator<Test> file_it(file), eos;
vector<Test> tests(file_it, eos);
PS:我赞成使用Noobacode来完成带有样本输入的简单示例代码。也就是说,如果您保留了原始代码,我本人会更喜欢这样做,以便让其他人更容易理解他们遇到这个问题时原来的问题是什么。