文件具有这种格式的数据。
1#Ali Khan#Lahore#M#22#1#1#1997#1 2#Ahsan Latif#Karachi#M#19#21#5#1996#1 3#M Sultan#Lahore#M#15#15#1#1998#1 4#Sana Ali#Islamabad#F#19#3#4#1996#1
其中每行代表以下顺序的唯一用户(ID,姓名,城市,性别,年龄,DoB)。
我的程序必须逐行读取此文件,并填充用户列表。
void loadUsersfromFile( facebookUser * userlist, int & size);
facebookUser
是struct
。 userlist
是一个数组
我尝试使用getline()
并将一行放在字符串变量中。然后使用substr提取ID,用户名性别等。
但是问题是无法将字符串复制到facebookUser类型数组中。因此它不起作用。
#include <iostream>
#include <fstream>
using namespace std;
struct mDate {
int day;
int month;
int year;
};
struct facebookUser {
int id;
char *userName;
char *city;
char gender;
mDate Dob;
int *friendList; //Array of int type, where you will store friend id’s
int friends = 20; //Store Number of Friends, default value i 20.
bool active; // true for active users and false for inactive
};
void loadUsersfromFile (facebookUser * ul, int &s)
{
ifstream myFile;
myFile.open ("users.txt");
myFile.close ();
}
int main ()
{
facebookUser *userlist;
int size;
size = 4;
userlist = new facebookUser[50];
loadUsersfromFile (userlist, size);
}
答案 0 :(得分:0)
首先,在这种情况下,我强烈建议不使用 char * 。完全不需要。而是使用std::string
。
赞:
struct facebookUser {
int id;
std::string userName;
std::string city;
char gender;
mDate Dob;
int *friendList; //Array of int type, where you will store friend id’s
int friends = 20; //Store Number of Friends, default value i 20.
bool active; // true for active users and false for inactive
};
现在,使用std :: getline获取数据。
void loadUsersfromFile (facebookUser * ul, int &s)
{
ifstream myFile;
myFile.open ("users.txt");
unsigned int userIndex = 0;
if (myFile.is_open()) {
std::string line;
while (getline(myFile, line)) {
std::istringstream sstr(line);
std::string value;
unsigned int columnIndex = 0;
while (getline(sstr, value, '#')) {
switch (columnIndex) {
case 0: {
ul[userIndex].id = stoi(value);
}
break;
case 1: {
ul[userIndex].userName = value;
}
break;
case 2: {
ul[userIndex].city = value;
}
break;
case 3: {
ul[userIndex].gender = value[0];
}
break;
case 4: {
ul[userIndex].Dob.day = stoi(value);
}
break;
case 5: {
ul[userIndex].Dob.month = stoi(value);
}
break;
case 6: {
ul[userIndex].Dob.year = stoi(value);
}
break;
case 7: {
ul[userIndex].active = (value == "1") ? true : false;
}
break;
default:
break;
}
columnIndex++;
}
userIndex++;
}
}
}
建议:
除非真正必要,否则请勿在代码中使用原始指针。就您而言,您可以将int *
,facebookuser *
替换为std::vector
,将char *
替换为std :: string。