2

我正在使用 OpenGL/GLUT 来实现 Bresenham 的线条绘制算法,并且出现了一些看似随意的伪影的问题。这是一个例子:

这应该是一行

这是一些我认为可能相关的代码。我没有包含填充顶点缓冲区的代码,因为我 99% 确定它是正确的并且已经重写了它。问题出现了,我开始使用 GLUT 鼠标回调。

 void Line::draw()
 {
     // Bind program and buffer
     glUseProgram(program);
     glBindBuffer(GL_ARRAY_BUFFER, vertexBuffer);

     // Get position attribute location
     GLuint vertexPosLoc = glGetAttribLocation(
                               program,
                               "position");

     // Enable attribute
     glEnableVertexAttribArray(vertexPosLoc);

     // Associate vertex position with attribute
     glVertexAttribPointer(vertexPosLoc, 2, GL_FLOAT, GL_FALSE, 0, 0);

     glDrawArrays(GL_POINTS, 0, vertexDataSize);

     // Reset the program
     glDisableVertexAttribArray(vertexPosLoc);
     glBindBuffer(GL_ARRAY_BUFFER, 0);
     glUseProgram(0);
 }



 void display()
 {
     // Clear the color buffer and the depth buffer
     glClear(GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT);

     vector<Line*>::iterator it;
     for(it = lines.begin(); it < lines.end(); it++)
     {
         (*it)->draw();
     }

     // Draw the temporary line
     if(line)
     {
         line->draw();
     }

     // Swap buffers
     glutSwapBuffers();
 }

void mouseClick(int button, int state, int x, int y)
{
    int viewVals[4];
    glGetIntegerv(GL_VIEWPORT, viewVals);
    y = viewVals[3] - y;
    if(button != GLUT_LEFT_BUTTON)
    {   
        return;
    }   
    if(state == GLUT_DOWN)
    {   
        x1 = x;
        y1 = y;
    }   
    else
    {   
        lines.push_back(line);
        line = NULL;
    }   

    glutPostRedisplay();
}

void mouseMotion(int x, int y)
{
    int viewVals[4];
    glGetIntegerv(GL_VIEWPORT, viewVals);
    y = viewVals[3] - y;

    // Delete the previous line
    delete line;

    // Create a new line
    line = new Line(x1,y1,x,y);
    line->setProgram(program);

    glutPostRedisplay();
}

这个想法是你点击一个点,这条线从那个点到你释放的点。在我与调用一起添加该功能之前glutPostRedisplay(),线条图似乎工作正常。

在上图中,要画的线是左边的那条线。它起作用了,但出现了其他工件。我已经检查过了,它们也不在顶点缓冲区中。

他们来自哪里的任何想法?

4

1 回答 1

4

第三个参数glDrawArrays()应该是点数。您是否正在传递浮点数?

(这将导致您绘制的点数是预期的两倍,因为缓冲区中的每个顶点都有两个浮点值。额外的点将具有垃圾值。)

于 2012-02-01T23:09:22.903 回答