我对使用 GLUT 相当陌生,我一直在尝试编译一个程序(我在这里找到了第一个响应),该程序使用鼠标通过记录单击和拖动的起点和终点来绘制一个矩形。
作为一个干净的复制/粘贴,它会编译但不会绘制任何东西。即使将背景颜色更改为黑色(在 setup() 函数中),它也只会显示白色屏幕。我已经阅读了几个资料来验证这个程序在它的绘制和重塑功能中没有遗漏任何东西,而且一切都在那里。
我创建了一个窗口,将视口设置为窗口尺寸,然后使用gluOrtho2D函数设置映射(由于窗口和视口是相同的尺寸,所以我将映射设置为窗口尺寸)。鼠标回调记录我左键单击的位置,以及我释放左键的位置,然后调用 glutPostRedisplay() 函数以使用新坐标重绘窗口。经过一番调试,我发现坐标被适当地记录和保存,并且以像素为单位(x和y是0到窗口尺寸之间的整数),所以我应该能够从一个顶点到另一个顶点绘制一个矩形使用坐标。但是,就像我说的,它只显示一个白屏。
那么,我绘制矩形的方式有问题吗?我是否错误地映射了窗口?我迷路了,任何反馈都将不胜感激。
EDIT2:我将 glutInitDisplayMode 从 GLUT_SINGLE 更改为 GLUT_DOUBLE,这修复了整个非交互式白屏问题。现在它将用鼠标绘制一个带有翻转 y 坐标(我已修复)的矩形,现在效果很好。非常感谢您的建议。
这是我的程序(EDIT1:添加评论):
#include <cstdlib>
#include <GL/glut.h>
using namespace std;
GLsizei width, height;
struct Position
{
Position() : x(0), y(0) {}
float x;
float y;
};
Position start; // Records left-click location
Position finish; // Records left-click release location
void display()
{
glClear(GL_COLOR_BUFFER_BIT); // clear window
glColor3ub(rand()%256, rand()%256, rand()%256); // generates random color
glBegin(GL_QUADS);
glVertex2f(start.x,start.y);
glVertex2f(finish.x,start.y);
glVertex2f(finish.x,finish.y);
glVertex2f(start.x,finish.y);
glEnd();
glutSwapBuffers(); // display newly drawn image in window
}
void reshape( int w, int h )
{
glViewport( 0, 0, (GLsizei)w, (GLsizei)h ); // set to size of window
glMatrixMode( GL_PROJECTION );
glLoadIdentity();
gluOrtho2D( 0.0, (float)w, 0.0, (float)h );
width = w; // records width globally
height = h; // records height globally
glMatrixMode(GL_MODELVIEW);
glLoadIdentity();
}
void mouse(int button, int state, int x, int y)
{
switch(button)
{
case GLUT_LEFT_BUTTON:
if(state==GLUT_DOWN)
{
start.x = x; //x1
start.y = y; //y1
}
if(state==GLUT_UP)
{
finish.x = x; //x2
finish.y = y; //y2
}
break;
glutPostRedisplay();
}
}
void motion( int x, int y )
{
finish.x = x;
finish.y = y;
glutPostRedisplay();
}
void setup()
{
glClearColor(0.0, 0.0, 0.0, 1.0); // *should* display black background
}
int main(int argc, char** argv)
{
glutInit(&argc,argv);
glutInitDisplayMode(GLUT_DOUBLE|GLUT_RGB);
glutInitWindowSize(640,480);
glutInitWindowPosition(100,100);
glutCreateWindow("");
setup();
// initializing callbacks
glutReshapeFunc(reshape);
glutDisplayFunc(display);
glutMouseFunc(mouse);
glutMotionFunc(motion);
glutMainLoop();
return 0;
}