我制作了一个drawSquare()
函数,可以在屏幕上绘制几个2D正方形:
void drawSquare(GLfloat length, GLfloat x, GLfloat y, GLfloat outline){
// x1,y1 is the top left-hand corner coordinate
// and so on...
GLfloat x1, y1, x2, y2, x3, y3, x4, y4;
x1 = x - length / 2;
y1 = y + length / 2;
x2 = x + length / 2;
y2 = y + length / 2;
x3 = x + length / 2;
y3 = y - length / 2;
x4 = x - length / 2;
y4 = y - length / 2;
// ACTUAL SQUARE OBJECT
glColor3f(0.0, 1.0, 1.0); // Colour: Cyan
glBegin(GL_POLYGON);
glVertex2f(x1, y1); // vertex for BLUE SQUARES
glVertex2f(x2, y2);
glVertex2f(x3, y3);
glVertex2f(x4, y4);
glEnd()
}
当我点击一个正方形时,我需要改变它的颜色。我已经设置了鼠标功能,当我右键单击时显示鼠标位置:
void processMouse(int button, int state, int x, int y)
{
if ((button == GLUT_LEFT_BUTTON) && (state == GLUT_DOWN)){
// gets mouse location
printf("Clicked on pixel %d - %d", x, y);
// prints to console
}
}
上面if statement
内的和if statement
就像这样:
if (x > 0 && x < 95 && y > 302 && y < 395) {
// there's a square at this location!
// change the square colour!
}
当我在此声明中放置exit(0);
时:
if (x > 0 && x < 95 && y > 302 && y < 395) {
exit(0);
}
我的程序退出正常,所以条件有效,我只想知道我怎么能以某种方式再次用不同的颜色调用drawSquare()
函数。
最初当我调用drawSquare()
时,它在我的显示功能中被调用,如下所示:
void display(){
glClear(GL_COLOR_BUFFER_BIT); /* clear window */
// there are some other primatives here too
drawSquare(100,150, 750,true); // square drawn
}
解
以下是我解决问题的方法。我创建了一个全局布尔变量布尔变量areaClicked = false;
来检查用户是否已经点击,我们默认设置为false。
在我的鼠标功能中,我检查是否单击了一个方块,如果是,则将布尔值设置为true:
if (x >= 0 && x <= 95 && y >= 302 && y <= 380) { // area of box
areaClicked = true;
}
现在在我的显示功能中,我们检查布尔值是否已被触发,如果有,则显示我的重复方格,否则,什么都不做:
if (areaClicked != false) {
drawRecolour(100, 50, 350, true); // 4th square drawn
}
else areaClicked = false;
答案 0 :(得分:1)
在事件处理程序中设置变量,然后触发重绘。
if (x > 0 && x < 95 && y > 302 && y < 395) {
// there's a square at this location!
// change the square colour!
square_color = ...;
glutPostRedisplay();
}
在显示功能中检查变量并使用它来确定颜色:
// you should probably make the color a parameter of drawSquare
void drawSquare(GLfloat length, GLfloat x, GLfloat y, GLfloat outline){
// OpenGL doesn't do "objects". It **DRAWS** things. Like pen on paper
glColor3f(square_color); // <---- uses variable
glBegin(GL_POLYGON);
...
glEnd()
}