我有一个文本文件,列出了像DVD这样的对象类的某些属性 标题(字符串) 类别(字符串) 价格(INT) 运行时(INT) 年发布(int)
该文件列为
Movie1
Action
10.45
123
2008
Movie2
Sc-fi
12.89
99
2008
我有一个函数,你输入文件的名称,它应该在不同的属性中读入一个对象
DVD* file(DVD arr[], string fileName, int s, int& e)
{
ifstream file(fileName);
DVD j;
string v;
string w;
double x;
int y;
int z;
while(!file.eof())
{
file >> v;
j.setTitle(v);
file >> w;
j.setCategory(w);
file >> x;
j.setPrice(x);
file >> y;
j.setRuntime(y);
file >> z;
j.setYear(z);
arr=add(arr, j, s, e); //this is just a function that adds the object to an arry
}
file.close();
return arr;
}
但它无法正常工作,我希望它将每一行读入变量,然后如果有空格跳过它,但如果没有,则文件末尾继续读取直到遇到字符串。有什么建议吗?
答案 0 :(得分:1)
两件事。
首先:
while(!file.eof())
已损坏eof()
在尝试尝试之前 {}返回true
。
第二件事是,如果你想逐行阅读,最好使用这样的东西:
void read_file(std::vector<DVD> & arr, string fileName) {
ifstream file(fileName.c_str());
DVD j;
std::string line;
enum State {
TITLE, CATEGORY, PRICE, RUNTIME, YEAR
} state = TITLE;
while(std::getline(file, line)) {
// if we encounter an empty line, reset the state
if(line.empty()) {
state = TITLE;
} else {
// process the line, and set the attribute, for example
switch(state) {
case TITLE:
j.setTitle(line);
state = CATEGORY;
break;
case CATEGORY:
j.setCategory(line);
state = PRICE;
break;
case PRICE:
j.setPrice(boost::lexical_cast<double>(line));
state = RUNTIME;
break;
case RUNTIME:
j.setRuntime(boost::lexical_cast<int>(line));
state = YEAR;
break;
case YEAR:
j.setYear(boost::lexical_cast<int>(line));
arr.push_back(j);
state = TITLE;
break;
default:
// just in case
state = TITLE;
break;
}
}
}
}
这是有效的,因为std::getline
返回一个引用,如果最后一个操作使流处于“良好”状态,则在布尔上下文中使用时将为true
。
在此示例中,我使用boost::lexical_cast<>
根据需要将字符串转换为数字类型,但您可以使用std::stringstream
手动执行此操作,或者您认为最适合您的任何其他方法。例如,atoi()
,strtol
,strtod
等
SIDE注意:使用std::vector<DVD>
代替原生数组要好得多。它会同样快,但会妥善处理调整大小和清理。您将不再需要add
功能,因为您可以这样做:arr.push_back(j);