为什么我的循环只从我的 .obj 文件中读取一个字符?

Why does my loop only read one char from my .obj file?

我正在尝试为 Wavefront .OBJ 文件编写 reader,以便我可以在 OpenGL 中绘制网格。为此,我尝试积累一些基本的 C++ 文件 IO 知识,因为我最了解 java。我从 this questions answer 了解到 >> 可用于从流中读取数据。

我读取 OBJ 文件的策略也是先读入标识下一条数据是什么的字符,然后继续尝试读入数字,直到我再也读不下去为止。然后我尝试读入下一个字符。我的代码如下:

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 个浮点数存储到我的数组中。问题是,它就到此为止了。循环中断,它甚至从未继续到第二行。不知何故,它再也找不到文件中的任何其他字符。为什么会发生这种情况,我该如何解决?

谢谢!

你的内部循环像这样解析浮点数:

while (objReader >> cv)

根据您的描述,我假设此 GLfloatfloatdoubletypedef

此循环结束的唯一方式是 operator>> 失败。当 operator>> 失败时,它会将流置于错误状态。设置错误状态后,流上的所有后续操作都会自动失败。

因此,在此之后,当第二次执行 returns 到顶层循环时:

while (objReader >> m) {

这将立即失败,因为流现在处于错误状态。

您可以手动清除错误状态,但这并不是处理输入的真正干净的方法。

如果您总是期望三个浮点值,请将内部循环替换为迭代三次的 for 循环。

如果 float 变量的数量不同,我想你可以坚持你目前的方法,并通过在 while 循环之后调用 clear() 方法明确清除错误条件:

objReader.clear();

对于可能已经足够好的简单解析要求...

没有必要重复 Sam Varshavchik 的回答,所以这是一个解决方案:

  1. 将文件中的每一行读入 std::string 和 std::getline
  2. 把这行写成std::stringstream
  3. 像现在一样从字符串流中读取字符并输入整数或浮点数大小写
  4. 像现在一样从字符串流中读取浮点数整数直到行尾。

应该有效的快速、未经测试的 hack 示例:

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++;
            }
        }
    }
}