我正在尝试读取第一行是整数的文件,下一行是一个字符串(我必须将其读入char数组)。 我使用了>>运算符在输入流对象上读取整数,然后我使用.get()方法和.ignore()方法将下一行读入char数组,但是当我尝试读入char数组时,我得到一个空白字符串 我不知道为什么我会得到一个空白字符串,你知道为什么会这样吗?
以下是我用来从文件中读取的代码:
BookList::BookList()
{
//Read in inventory.txt and initialize the booklist
ifstream invStream("inventory.txt", ifstream::in);
int lineIdx = 0;
int bookIdx = 0;
bool firstLineNotRead = true;
while (invStream.good()) {
if (firstLineNotRead) {
invStream >> listSize;
firstLineNotRead = false;
bookList = new Book *[listSize];
for (int i = 0; i < listSize; i++) {
bookList[i] = new Book();
}
} else {
if (lineIdx % 3 == 0) {
char tempTitle[200];
invStream.get(tempTitle, 200, '\n');
invStream.ignore(200, '\n');
bookList[bookIdx] = new Book();
bookList[bookIdx]->setTitle(tempTitle);
} else if (lineIdx % 3 == 1) {
int bookCnt;
invStream >> bookCnt;
bookList[bookIdx]->changeCount(bookCnt);
} else if (lineIdx % 3 == 2) {
float price;
invStream >> price;
bookList[bookIdx]->setPrice(price);
bookIdx++;
}
lineIdx++;
}
}
}
所以listSize是从文件第一行读取的第一个整数,tempTitle是一个临时缓冲区,用于从文件的第二行读取字符串。但是当我执行invStream.get()和invStream.ignore()时,我看到tempTitle字符串是空白的。为什么呢?
答案 0 :(得分:3)
从文件中读取第一个整数后,文件中有一个等待读取的新行。
然后继续告诉它读取字符串。它这样做 - 将新行解释为字符串的结尾,因此您读取的字符串为空。
在那之后,一切都没有了,因此所有其余的阅读都保证会失败(至少不能达到你想要的效果)。
顺便说一句,我会以相似的方式完成这样的任务 - 可能更像是这样:
#include <iostream>
#include <vector>
#include <bitset>
#include <string>
#include <conio.h>
class Book {
std::string title;
int count;
float price;
public:
friend std::istream &operator>>(std::istream &is, Book &b) {
std::getline(is, title);
is >> count;
is >> price;
is.ignore(100, '\n');
return is;
}
};
int main() {
int count;
std::ifstream invStream("inventory.txt");
invStream >> count;
invStream.ignore(200, '\n');
std::vector<Book> books;
Book temp;
for (int i = 0; i<count && invStream >> temp;)
books.push_back(temp);
}
答案 1 :(得分:1)
您最有可能通过交换行来修复您的程序
invStream.get(tempTitle, 200, '\n');
invStream.ignore(200, '\n');
即使用:
invStream.ignore(200, '\n');
invStream.get(tempTitle, 200, '\n');
作为一般准则,如果文件的内容被格式化为文本行具有特定含义,则您将更容易逐行读取文件的内容并处理每行的内容。 / p>
std::string line;
while (getline(invStream, line)) {
if (firstLineNotRead) {
// Extract the listSize from the first line using
// a istringstream.
std::istringstream str(line);
str >> listSize;
firstLineNotRead = false;
bookList = new Book *[listSize];
for (int i = 0; i < listSize; i++) {
bookList[i] = new Book();
}
}
else {
// The line has already been read.
// Use it.
...
}
}