OpenGL+GLUT没有填充最左边的多边形

OpenGL+GLUT Not filling Topmost-Leftmost Polygon?

本文关键字:左边 多边形 填充 OpenGL+GLUT      更新时间:2023-10-16

我遇到了一个奇怪的OpenGL Bug。OpenGL对我来说很新,但我们被要求在我的人工智能课上使用它(因为老师是真正的图形学教授)。

无论哪种方式,都发生了:http://img818.imageshack.us/img818/422/reversiothello.png

它只发生在最上面,最左边的多边形。换句话说,它先找到左边最远的多边形,然后再找到上面最远的多边形,然后对它进行处理。(目前没有任何东西可以从板上擦除多边形)。

我的显示功能是:

void display_func(void)
{
    glClearColor(0.0, 0.45, 0.0, 1.0); // Background Color (Forest Green :3)
    glClear(GL_COLOR_BUFFER_BIT);
    glColor3f(1.0, 0.0, 0.0);
    draw_board();
    glFlush();
    glutSwapBuffers();
};

我的draw_board函数是:

void draw_board()
{
    int size = 8;
    int stepX = WINDOW_XS / size;
    int stepY = WINDOW_YS / size;
    glColor3f(0.0,0.0,0.0); // line color black
    glBegin(GL_LINES);
    // Draw Columns
    for(int i = 0;i <= WINDOW_XS;i += stepX)
    {
        glVertex2i(i,0);
        glVertex2i(i, WINDOW_YS);
    }
    // Draw Rows
    for(int j = 0;j <= WINDOW_YS;j += stepY)
    {
        glVertex2i(0, j);
        glVertex2i(WINDOW_XS, j);
    }
    // Draw Circles
    for(int i = 0;i < 8;++i)
    {
        for(int j = 0;j < 8;++j)
        {
            if(engine->getOnBoard(i,j) == Reversi::PIECE_NONE) continue;
            if(engine->getOnBoard(i,j) == Reversi::PIECE_WHITE)
                glColor3f(1.0,1.0,1.0);
            if(engine->getOnBoard(i,j) == Reversi::PIECE_BLACK)
                glColor3f(0.0,0.0,0.0);
            int drawX = ((i+1)*64)-32;
            int drawY = 512-((j+1)*64)+32;
            gl_drawCircle(drawX,drawY,30);
        }
    }
    glEnd();
};

我的鼠标功能如下:

void mouse_func(int button, int state, int x, int y)
{
    if(button == GLUT_LEFT_BUTTON && state == GLUT_DOWN && x < WINDOW_XS)
    {    
        // row and column index
        x = (int)( x / (WINDOW_XS/8) );
        y = (int)( y / (WINDOW_YS/8) );
        std::cout << "Attempting to make a move at " << x << "," << y << std::endl;
        if(engine->makeMove(x,y))
        {
            glutPostRedisplay();
        }
    }
};

我的gl_drawCircle函数是这样的

void gl_drawCircle(float x, float y, float r)
{
    // http://stackoverflow.com/questions/5094992/c-drawing-a-2d-circle-in-opengl/5095188#5095188
    glBegin( GL_POLYGON );
    float t;
    int n;
    for(t = 0,n = 0; n <= 90; ++n, t = float(n)/90.f ) // increment by a fraction of the maximum 
    {
        glVertex2f( x + sin( t * 2 * PI ) * r, y + cos( t * 2 * PI ) * r );
    }
    glEnd();
}
有谁能帮帮我吗?

我能找到的唯一值得给出答案的错误是您的draw_board函数不能正确使用glBeginglEnd语句。你必须在调用gl_drawCircle之前使用glEnd语句,否则你会得到一个讨厌的行为。

编辑:你的第一个圆圈是用线条绘制的,因为glBegin被忽略了(因为你在glBegin上下文中)。所有其他圈都完成得很好,因为在再次调用glBegin之前执行了glEnd。第一个绘制的圆是最左边,最上面的圆

在绘制行之后需要调用glEnd。当你不调用glEnd时,OpenGL忽略你的调用glBegin( GL_POLYGON );,并假设你仍然想画线。

所以只是添加glEnd ();画完行后应该解决它