0

我的程序拒绝进行深度测试。这两个球体对象总是按照它们创建的顺序绘制,而不是根据它们的位置。Sphere alpha 位于 (0, 0, 1),Sphere beta 位于 (0, 0, -10),但 OpenGL 仍然在 alpha 之上绘制 beta。我在我的程序中将深度测试设置为启用。

似乎没有任何效果。我希望 OpenGL 自动对窗口中绘制的任何对象进行深度测试。任何帮助或建议将不胜感激。这是完整的代码。

#include "GL/freeglut.h"
#include "GL/gl.h"
#include "GL/glu.h"

const int SPHERE_RES = 200;   
double Z_INIT = -28.0;       
double RADIUS = 2;          
double Red[3] = {1, 0, 0};   
double Blue[3] = {0, 0, 1};  

using namespace std;


/*
 * Method handles resize of the window
*/ 

void handleResize (int w, int h) {    

    glViewport(0, 0, w, h); 
    glMatrixMode(GL_PROJECTION);
    glLoadIdentity();
    double ratio = (float)w/ (float)h;
    gluPerspective(45.0, ratio, 1.0, 100.0);
}


/*
 * Color and depth is enabled and in this method
*/

void configureColor(void)
{

     glClearColor(1.0f, 1.0f, 1.0f, 0.0f); //Set background to white
     glClear(GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT);// Clear window.
     glDepthFunc(GL_ALWAYS);
     glEnable(GL_DEPTH_TEST);

     glEnable(GL_COLOR_MATERIAL);        
     glEnable(GL_LIGHTING);
     glEnable(GL_LIGHT0);

}

void display (void) {    

     configureColor();

     glMatrixMode(GL_MODELVIEW);
     glLoadIdentity();


     GLfloat sun_direction[] = { 0.0, 0.0, -1.0, 0.0};
     glLightfv(GL_LIGHT0, GL_POSITION, sun_direction);
     GLUquadric* quad =  gluNewQuadric();

     //first sphere is drawn
     glColor3f(Red[0], Red[1], Red[2]);
     glPushMatrix();
         glLoadIdentity();
         glTranslatef(0, 0, Z_INIT);
         glTranslatef(0, 0, 1.0);
         gluSphere(quad, RADIUS, SPHERE_RES, SPHERE_RES);
     glPopMatrix();

     //second sphere is supposed to be drawn behind it, 
     //but it is drawn on top. 
    glColor3f(Blue[0], Blue[1], Blue[2]);
     glPushMatrix();
         glLoadIdentity();
         glTranslatef(0, 0, Z_INIT);
         glTranslatef(0, 0, -10.0);
         gluSphere(quad, RADIUS, SPHERE_RES, SPHERE_RES);
     glPopMatrix();

    free(quad);
     glFlush();
} 

int main(int argc, char** argv)
{

    glutInit(&argc, argv); //initializes the GLUT
    glutInitDisplayMode(GLUT_SINGLE);
    glutInitWindowSize(600,600);
    glutInitWindowPosition(100,100);
    glutCreateWindow("OpenGL - First window demo");  
    glutReshapeFunc(handleResize);
    glutDisplayFunc(display);

    glutMainLoop();    
    return 0;
}

我使用的是 Ubuntu 14.04 操作系统。

4

1 回答 1

3
glDepthFunc(GL_ALWAYS);

这就是您按照绘制顺序看到球体的原因。将深度函数设置为GL_ALWAYS简单意味着所有深度测试总是通过,对于任何片段,无论是更近或更远。

你需要GL_LESS你想要的结果。深度小于帧缓冲区中的片段获胜;越近(z 小)的人胜过远(z 大)的人。

您可以调用glDepthFunc(GL_LESS)或注释掉,glDepthFunc(GL_ALWAYS)因为GL_LESS这是默认设置。

于 2016-01-01T04:53:37.290 回答