我正在开发一个地址簿程序,该程序从以下格式的csv文件中读取数据
“姓氏”,“名字”,“昵称”,“email1”,“email2”,“phone1”,“phone2”,“地址”,“网站”,“生日”,“备注”
我已按以下方式使用getline读取文件:
if(!input.fail())
{
cout<<"File opened"<<endl;
while(!input.eof())
{
getline(input,list) ;
contactlist.push_back(list);
token=con.tokenize(list); // NOT SURE IF I'm doing this right..am I?
}
}
我正在使用我的一个类联系人的tokenize成员函数,看起来像这样
// member function reads in a string and tokenizes it
vector<string>Contact::tokenize(string line)
{
int x = 0, y = 0,i=0;
string token;
vector<string>tokens;
while(x < line.length() && y < line.length())
{
x = line.find_first_not_of(",", y);
if(x >=0 && x < line.length())
{
y = line.find_first_of(",", x);
token = line.substr(x, y-x);
tokens.push_back(token);
i++;
}
}
}
我现在需要将标记化的向量读入另一个类的私有向量成员变量,并且还需要将它们读入单个名字的私有变量,lastname ...类的联系人的注释。如何将它们读入私有classtype的vector成员变量以及如何在成员函数中调用它们来进行评估,例如使用向量添加联系人。
总共我有2个头文件联系人和地址簿及其各自的实施文件和主要文件。
此外,如果你碰巧有一个清晰的概念,在矢量中访问矢量/矢量的矢量,就像我在主要的
中有联系人列表和令牌一样答案 0 :(得分:1)
首先,您应该将tokenize函数与联系人类别分开。读取csv行不是联系人的责任。因此,将此方法提取到新的tokenizer类,只需编写一个免费的tokenize函数或使用像boost tokenizer这样的解决方案。
使用生成的标记,您可以创建联系人实例或将其传递给另一个类。
struct Contact
{
std::string firstName, lastName, email;
/// Constructor.
Contact(const std::string& firstName,
const std::string& lastName,
const std::string& email);
};
struct AnotherClass
{
/// Constructor.
AnotherClass(const std::vector<std::string>& tokens) :
privateVector(tokens) {}
/// Construction with input iterators
template<typename Iter>
AnotherClass(Iter firstToken, Iter lastToken) :
privateVector(firstToken, lastToken) {}
private:
std::vector<std::string> privateVector;
};
int main()
{
std::string line = ReadLine();
std::vector<std::string> tokens = tokenize(line);
Contact newContact(tokens[0], tokens[1], tokens[2]);
AnotherClass wathever(begin(tokens), end(tokens));
}