这是我的代码:
void Draw()
{
int x = 59;
int y = 500;
int temp = x;
int colour;
for (int i = 0; i < 9; ++i)
{
for (int j = 0; j < 10; ++j)
{
if (i % 2 == 0)
colour = 2;
else
colour = 3;
DrawRectangle(x, y, 65, 25, colors[colour]);
x += 67;
}
x = temp;
y -= 39;
}
DrawRectangle(tempx, 0, 85, 12, colors[5]);
DrawCircle(templx, temply, 10, colors[7]);
}
// This function will be called automatically by this frequency: 1000.0 / FPS
void Animate()
{
templx +=5;
temply +=5;
/*if(templx>350)
templx-=300;
if(temply>350)
temply-=300;*/
glutPostRedisplay(); // Once again call the Draw member function
}
// This function is called whenever the arrow keys on the keyboard are pressed...
//
我正在为这个项目使用OpenGL。函数Draw()
用于打印砖块,滑块和球。 Animate()
函数由代码中给出的频率自动调用。可以看出,我增加了templx
和temply
的值,但是当球越过极限时,球会离开屏幕。如果它与桨或墙碰撞,我必须偏转球。我能做些什么来实现这个目标?我现在使用的所有条件都无法正常工作。
答案 0 :(得分:0)
所以基本上你想要一个从窗户边缘弹出的球。 (对于这个答案,我将忽略滑块,发现与滑块的碰撞非常类似于发现与墙壁碰撞)。
templx
和temply
对是你球的位置。我不知道DrawCircle
函数的第三个参数是什么,所以我假设它是半径。让wwidth
和wheight
为游戏窗口的宽度和高度。请注意,这个魔法常数5
实际上是球的速度。现在球正从窗口的左上角移动到右下角。如果您将5
更改为-5
,则会从右下角移动到左上角。
让我们再引入两个变量vx
和vy
- x轴上的速度和y轴上的速度。初始值将是5和5.现在注意,当球击中窗口的右边缘时,它不会改变其垂直速度,它仍然向上/向下移动但是它从左边移动 - >从右到右 - >左。因此,如果vx
为5
,则在点击窗口的右边缘后,我们应将其更改为-5
。
下一个问题是如何确定我们是否到达窗口的边缘。
请注意,球的最右侧点位置为templx + radius
,球的最左侧点位置为templx - radius
等。现在要知道我们是否碰到了墙,我们应该只需将此值与窗口尺寸进行比较。
// check if we hit right or left edge
if (templx + radius >= wwidth || templx - radius <= 0) {
vx = -vx;
}
// check if we hit top or bottom edge
if (temply + radius >= wheight || temply - radius <= 0) {
vy = -vy;
}
// update position according to velocity
templx += vx;
temply += vy;