OpenGL闪烁屏幕



我已经写了一个简单的OpenGL在我的Ubuntu笔记本电脑中运行。这是一个小型太阳系,包括太阳和地球,地球围绕太阳旋转。我程序的问题是屏幕每次尝试运行时都会不断闪烁。

#include <GL/glut.h>
#define SUN_RADIUS 0.4
#define EARTH_RADIUS 0.06
#define MOON_RADIUS 0.016
GLfloat EARTH_ORBIT_RADIUS = 0.9;
GLfloat year = 0.0;
void init() {
    glClearColor(0.0, 0.0, 0.0, 0.0);
    glClearDepth(10.0);
    glMatrixMode(GL_MODELVIEW);
    glLoadIdentity();
}

void renderScene() {
    gluLookAt(
        0.0, 0.0, -4.0,
        0.0, 0.0, 0.0,
        0.0, 1.0, 0.0
    );
    glColor3f(1.0, 1.0, 0.7);
    glutWireSphere(SUN_RADIUS, 50, 50);
    glPushMatrix();
    glRotatef(year, 0.0, 1.0, 0.0);
    glTranslatef(EARTH_ORBIT_RADIUS, 0.0, 0.0);
    glColor3f(0.0, 0.7, 1.0);
    glutWireSphere(EARTH_RADIUS, 10, 10);
    glPopMatrix();
}
void display() {
    glClear(GL_COLOR_BUFFER_BIT);
    renderScene();
    glFlush();
    glutSwapBuffers();
}
void idle() {
    year += 0.2;
    display();
}
int main(int argc, char** argv) {
    glutInit(&argc, argv);
    glutInitDisplayMode(GLUT_DOUBLE | GLUT_RGB);
    glutInitWindowPosition(100, 100);
    glutInitWindowSize(600, 600);
    glutCreateWindow("Solar System");
    init();
    glutDisplayFunc(display);
    glutIdleFunc(idle);
    glutMainLoop();
}
  • gluLookAt()乘以当前矩阵,它不会加载新的矩阵。多个 gluLookAt() s乘以在一起不是很有意义。
  • 重新加载proj/modelView矩阵每个帧,有助于防止矩阵奇数。
  • 让Glut做它的工作,不要从idle()调用display(),而是使用glutPostRedisplay()。这样,Glut知道下次通过事件循环打电话给display()

一起:

#include <GL/glut.h>
#define SUN_RADIUS 0.4
#define EARTH_RADIUS 0.06
#define MOON_RADIUS 0.016
GLfloat EARTH_ORBIT_RADIUS = 0.9;
GLfloat year = 0.0;
void renderScene()
{
    glMatrixMode(GL_PROJECTION);
    glLoadIdentity();
    glOrtho( -1, 1, -1, 1, -100, 100 );
    glMatrixMode(GL_MODELVIEW);
    glLoadIdentity();
    gluLookAt
        (
        0.0, 0.0, -4.0,
        0.0, 0.0, 0.0,
        0.0, 1.0, 0.0
        );
    glColor3f(1.0, 1.0, 0.7);
    glutWireSphere(SUN_RADIUS, 50, 50);
    glPushMatrix();
    glRotatef(year, 0.0, 1.0, 0.0);
    glTranslatef(EARTH_ORBIT_RADIUS, 0.0, 0.0);
    glColor3f(0.0, 0.7, 1.0);
    glutWireSphere(EARTH_RADIUS, 10, 10);
    glPopMatrix();
}
void display()
{
    glClearColor(0.0, 0.0, 0.0, 0.0);
    glClearDepth(10.0);
    glClear(GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT);
    renderScene();
    glutSwapBuffers();
}
void idle()
{
    year += 0.2;
    glutPostRedisplay();
}
int main(int argc, char** argv)
{
    glutInit(&argc, argv);
    glutInitDisplayMode(GLUT_DOUBLE | GLUT_RGB);
    glutInitWindowPosition(100, 100);
    glutInitWindowSize(600, 600);
    glutCreateWindow("Solar System");
    glutDisplayFunc(display);
    glutIdleFunc( idle );
    glutMainLoop();
}

这可能是由于您不做任何类型的v-sync(看起来不像您的代码)所致。尝试将睡眠时间添加到您的显示方法(例如睡眠(500))。这不是解决此问题的正确方法,但这将使您能够验证这是问题。如果是这样,请考虑将V-Sync添加到您的应用程序中。

相关内容

  • 没有找到相关文章

最新更新