glutMotionFunc“翻转”问题

glutMotionFunc ''Flipping" Issue

我需要一些真正的 OpenGL 故障排除。我正在使用 OpenGL 和 Freeglut

我使用 glutMotionFunc();glRotatef(); 的组合进行了适当的场景旋转(有点像 3pp)。

这是我的旋转函数:

float xrot = 0, yrot = 0, zrot = 0, lastx, lasty, lastz;


void mouseMovement(int x, int y)
{
    int diffx = x - lastx; 
    int diffy = y - lasty; 
    lastx = x;
    lasty = y;
    xrot += (float)diffy;
    yrot += (float)diffx;
}

我的展示功能:

void display(void)
{
    glClearColor(0.0, 0.0, 0.0, 1.0);                   
    glClear(GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT);
    glLoadIdentity();
    glTranslatef(0.0f, 0.0f, -cRadius);
    glRotatef(xrot, 1.0, 0.0, 0.0);
    glRotatef(yrot, 0.0, 1.0, 0.0);         
    glBegin(GL_LINES);
    ---------
    ----
    glEnd();
    glTranslated(-xpos, 0.0f, zpos);
    glutSwapBuffers();      
}

最后是主要功能:

int main(int argc, char **argv) {
    glutInit(&argc, argv);
    glutInitDisplayMode(GLUT_DOUBLE | GLUT_DEPTH);
    glutInitWindowSize(500, 500);
    glutInitWindowPosition(100, 100);
    glutCreateWindow("Window");
    glutDisplayFunc(display);
    glutIdleFunc(display);
    glutMotionFunc(mouseMovement);
    glutReshapeFunc(reshape);
    glutMainLoop();
    return 0;
}

现在,当我加载时,场景渲染良好,当我用鼠标 (LMB) 单击并拖动场景时,旋转发生得很顺利。

唯一的问题是,在通过拖动旋转场景的过程中,场景在开始旋转之前翻转到不同的位置。即,当我再次单击并拖动时,场景的旋转不再从我在上一次鼠标拖动事件中离开的位置继续,而是翻转到一些随机的 xrot 和 yrot 位置。

希望我说清楚。如果有人可以尝试复制相同的内容并提供一些关于这里可能出现的问题的见解,那将会很有帮助。

这也是我的重塑功能,以防万一这里也遗漏了什么

void reshape(int w, int h)
{
    glViewport(0, 0, (GLsizei)w, (GLsizei)h);
    glMatrixMode(GL_PROJECTION);
    glLoadIdentity();
    gluPerspective(60, (GLfloat)w / (GLfloat)h, 0.1, 500.0);
    glMatrixMode(GL_MODELVIEW);
}

问题是因为lastxlasty没有初始化。当第一次调用 mouseMovement 回调时,他们没有说明之前的缪斯位置,这导致第一次旋转是随机的。
请注意,lastxlasty 的值在设置之前被读取:

int diffx = x - lastx; 
int diffy = y - lasty; 
lastx = x;
lasty = y;

您可以通过实施 glutMouseFunc 回调来解决此问题。在回调中设置 lastxlasty,因此当按下鼠标按钮时变量被初始化:

void mouseFunc(int button, int state, int x, int y) {
    lastx = x;
    lasty = y;
}
int main(int argc, char **argv) {
    // [...]

    glutMouseFunc(mouseFunc);

    // [...]
}