4

我想知道如何打开多个 OpenGL/Glut 窗口。我的意思是多个窗口同时不是子窗口,也不是更新同一个窗口

4

2 回答 2

4

虽然我相信上面的答案是准确的,但它比需要的要复杂一些,并且在以后必须处理在窗口之间移动时(例如,在绘制窗口时)可能会很困难。这是我们刚刚在课堂上所做的:

GLint WindowID1, WindowID2;                  // window ID numbers

glutInitWindowSize(250.0, 250.0);           // set a window size
glutInitWindowPosition(50,50);              // set a window position
WindowID1 = glutCreateWindow("Window One"); // Create window 1

glutInitWindowSize(500.0, 250.0);           // set a window size
glutInitWindowPosition(500,50);             // set a window position
WindowID2 = glutCreateWindow("Window Two"); // Create window 2

您会注意到我使用了相同的创建窗口函数,但将其加载到 GLint 中。那是因为当我们以这种方式创建窗口时,该函数实际上返回了一个唯一的 GLint,供 glut 用来标识窗口。

我们必须获取和设置窗口以在它们之间移动并执行适当的绘图功能。你可以在这里找到电话

于 2015-03-25T03:15:49.777 回答
2

与创建一个窗口的方式相同,但您应该多次执行:

#include <cstdlib>
#include <GL/glut.h>

// Display callback ------------------------------------------------------------

float clr = 0.2;

void display()
{
    // clear the draw buffer .
    glClear(GL_COLOR_BUFFER_BIT);   // Erase everything

    // set the color to use in draw
    clr += 0.1;
    if ( clr>1.0)
    {
        clr=0;
    }
    // create a polygon ( define the vertexs)
    glBegin(GL_POLYGON); {
        glColor3f(clr, clr, clr);
        glVertex2f(-0.5, -0.5);
        glVertex2f(-0.5,  0.5);
        glVertex2f( 0.5,  0.5);
        glVertex2f( 0.5, -0.5);
    } glEnd();

    glFlush();
}

// Main execution  function
int main(int argc, char *argv[])
{
    glutInit(&argc, argv);      // Initialize GLUT
    glutCreateWindow("win1");   // Create a window 1
    glutDisplayFunc(display);   // Register display callback
    glutCreateWindow("win2");   // Create a window 2
    glutDisplayFunc(display);   // Register display callback

    glutMainLoop();             // Enter main event loop
}

此示例显示如何设置相同的回调以在两个窗口中呈现。但是您可以为 windows 使用不同的功能。

于 2013-02-08T09:21:16.280 回答