我想知道是否可以模拟在OpenGL中查看锁孔的效果。
我已经绘制了3D场景,但除了中心圆外,我想让所有东西都变黑。
我试过这个解决方案,但它与我想要的完全相反:
// here i draw my 3D scene
// Begin 2D orthographic mode
glMatrixMode(GL_PROJECTION);
glPushMatrix();
glLoadIdentity();
GLint viewport [4];
glGetIntegerv(GL_VIEWPORT, viewport);
gluOrtho2D(0, viewport[2], viewport[3], 0);
glMatrixMode(GL_MODELVIEW);
glPushMatrix();
glLoadIdentity();
// Here I draw a circle in the center of the screen
float radius=50;
glBegin(GL_TRIANGLE_FAN);
glVertex2f(x, y);
for( int n = 0; n <= 100; ++n )
{
float const t = 2*M_PI*(float)n/(float)100;
glVertex2f(x + sin(t)*r, y + cos(t)*r);
}
glEnd();
// end orthographic 2D mode
glMatrixMode(GL_PROJECTION);
glPopMatrix();
glMatrixMode(GL_MODELVIEW);
glPopMatrix();
我得到的是在中心绘制的圆圈,但我想获得它的补充......
答案 0 :(得分:6)
与OpenGL中的其他所有内容一样,有几种方法可以做到这一点。这是我头顶的两个。
使用圆形纹理(推荐)
切换到正交投影,并使用在中心有白色圆圈的纹理在整个屏幕上绘制四边形。使用适当的混合功能:
glEnable(GL_BLEND);
glBlendFunc(GL_ZERO, GL_SRC_COLOR);
/* Draw a full-screen quad with a white circle at the center */
或者,您可以使用像素着色器生成圆形。
使用模板测试(不推荐,但如果没有纹理或着色器可能会更容易)
清除模板缓冲区,然后将圆圈绘制到其中。
glEnable(GL_STENCIL_TEST);
glStencilFunc(GL_ALWAYS, 1, 1);
glStencilOp(GL_REPLACE, GL_REPLACE, GL_REPLACE);
/* draw circle */
为场景的其余部分启用模板测试。
glEnable(GL_STENCIL_TEST)
glStencilFunc(GL_EQUAL, 1, 1);
glStencileOp(GL_KEEP, GL_KEEP, GL_KEEP);
/* Draw the scene */
脚注:我建议避免在代码中任何点使用立即模式,而是使用数组。这将提高代码的兼容性,可维护性,可读性和性能 - 在所有领域都取得胜利。