我正在尝试为Wavefront .OBJ文件编写一个阅读器,以便我可以在OpenGL中绘制网格。为此,我尝试积累一些基本的C ++文件IO知识,因为我大多数人都知道java。我从this questions answer了解到>>
可以用来从流中读取数据。
我在阅读我的OBJ文件的策略是首先在char中读取,它识别下一段数据是什么,然后继续尝试读取数字,直到我不能再这样做了。然后我尝试阅读下一个字符。我的代码如下:
std::ifstream objReader;
objReader.open("resources//file.obj");
char m;
int vindex = 0;
int iindex = 0;
while (objReader >> m) {
std::cout << "here" << std::endl;
if (m == 'v') {
GLfloat cv;
while (objReader >> cv) {
objData[vindex] = cv; //obj data is my verticies array to be drawn
std::cout << objData[vindex] << std::endl;
vindex++;
}
}
else if (m == 'f') {
GLuint ci;
while (objReader >> ci) {
indicies[iindex] = ci; //indicies is my EBO array
std::cout << indicies[iindex] << std::endl;
iindex++;
}
}
}
我可以找到here使用的文件数据。
现在,当我运行此代码时,它会打开文件,并且可以在第一行中读取文件。它将标记符为char v
,然后将以下3个浮点数存储到我的数组中。问题是,它就在那里结束。循环中断,它甚至不会继续到第二行。不知何故,它再也找不到文件中的任何其他字符了。为什么会发生这种情况,我该如何解决?
谢谢!
答案 0 :(得分:2)
你的内部循环解析浮点数:
while (objReader >> cv)
根据您的描述,我假设此GLfloat
为typedef
或float
double
。
此循环结束的唯一方法是operator>>
失败。当operator>>
失败时,它会将流置于错误状态。设置错误状态后,流上的所有后续操作都将自动失败。
因此,在此之后,当第二次执行返回到顶级循环时:
while (objReader >> m) {
现在会立即失败,因为流现在处于错误状态。
您可以手动清除错误状态,但这并不是处理输入的简洁方法。
如果你总是期望三个浮点值,用一个迭代三次的for
循环替换内循环。
如果浮点变量的数量不同,我猜你可以坚持使用当前的方法,并在while循环之后通过调用clear()
方法明确清除错误条件:
objReader.clear();
对于一个简单的解析要求,它可能已经足够......
答案 1 :(得分:2)
没有必要重复Sam Varshavchik的回答,所以这是一个解决方案:
快速,未经测试的黑客示例应该有效:
std::ifstream objReader;
objReader.open("resources//file.obj");
char m;
int vindex = 0;
int iindex = 0;
std::string line;
while (std::getline(objReader, line)) {
std::cout << "here: " << line << std::endl;
std::stringstream linereader(line);
if (linereader >> m) // only enter if we read a character on the line
// testing here because we use the while to get a line
{// and continue as you did, but reading linereader instead of objReader
if (m == 'v') { //
GLfloat cv;
while (linereader >> cv) {
objData[vindex] = cv; //obj data is my verticies array to be drawn
std::cout << objData[vindex] << std::endl;
vindex++;
}
}
else if (m == 'f') {
GLuint ci;
while (linereader >> ci) {
indicies[iindex] = ci; //indicies is my EBO array
std::cout << indicies[iindex] << std::endl;
iindex++;
}
}
}
}