class BookRecord{//入库记录类 public: string name; string author; string publisher; int pages; Time latestTime; double price; int account; public: BookRecord(string n, string a, string p, int pg,Time lt , int acc,double pr): name(n), author(a), publisher(p), pages(pg), latestTime(lt),account(acc),price(pr) {} void loadData() {//读取数据:图书 ifstream inFile("data.txt"); string line; while (getline(inFile, line)) { string name, author, publisher; int pages, stock; double price; int year, month, day; sscanf(line.c_str(), "%[^,],%[^,],%[^,],%d,%d-%d-%d,%d,%lf", &name[0], &author[0], &publisher[0], &pages, &year, &month, &day, &stock, &price); Time latestTime(year, month, day); Book b(name, author, publisher, pages, latestTime, stock, price); books.push_back(b); } inFile.close(); } 数据怎么读取不成功怎么修改?
时间: 2024-01-17 18:04:03 浏览: 73
如果你在读取数据时遇到了问题,可以尝试一些调试方法来找出具体问题所在:
1. 确认文件路径:首先要确保文件路径正确,否则无法读取到数据。
2. 输出调试信息:在读取数据时,可以在每一行代码后面输出一些调试信息,比如输出读取的行数据看是否正确,或者输出变量值看是否符合预期等。
3. 检查数据格式:在读取每一行数据时,需要确保字符串格式和数据类型匹配,如果不匹配则会读取失败。可以使用一些调试工具或者输出数据类型来检查数据格式是否正确。
另外,你的代码中使用了 `sscanf` 函数来解析每一行数据,这个函数的使用需要非常谨慎,容易出现错误。你可以使用更加安全的 `std::stringstream` 来解析数据,具体实现可以参考以下代码:
```
void loadData() {
ifstream inFile("data.txt");
if (!inFile.is_open()) {
cout << "无法打开文件!\n";
return;
}
string line;
while (getline(inFile, line)) {
stringstream ss(line); // 将字符串转换为 stringstream 对象
string name, author, publisher;
int pages, stock, year, month, day;
double price;
getline(ss, name, ',');
getline(ss, author, ',');
getline(ss, publisher, ',');
ss >> pages;
ss.ignore();
ss >> year;
ss.ignore();
ss >> month;
ss.ignore();
ss >> day;
ss.ignore();
ss >> stock;
ss.ignore();
ss >> price;
Time latestTime(year, month, day);
Book b(name, author, publisher, pages, latestTime, stock, price);
books.push_back(b);
}
inFile.close();
}
```
这段代码使用 `stringstream` 对象将字符串解析成各个数据类型,相对来说更加安全可靠。
阅读全文