我需要在 OpenGL 中围绕太阳旋转地球。我现在能够围绕太阳旋转它,但我需要在椭圆轨道上旋转它。现在已经生成了椭圆,但我无法弄清楚如何沿椭圆旋转它。
绘制功能如下:
//orbit
glColor3f(1,1,1);
drawEllipse(3.2f,1.0f); //draws ellipse
//sun
glTranslatef(0,0,0);//suns position
glColor3d(1,1,0);
glutSolidSphere(2,50,50);
//EARTH
glRotatef(angle,0.0f,1.0f,0.0f);
glTranslatef(6.0f,0.0f,0.0f);//postion earths
glPushMatrix();
glRotatef(angle2, 0.0f,1.0f,0.0f);
glColor3d(0.5,0.8,1);
glutSolidSphere(1,50,50);
glPopMatrix();
答案 0 :(得分:1)
OpenGL does not store what you draw. If you draw a line in OpenGL, then OpenGL
will take that line, perform various math operations on it, and write pixels
into a framebuffer that makes the shape of a line. OpenGL does not remember
that you drew a line; all OpenGL can do is write pixels to the framebuffer.
因此,您可以在椭圆上的每个点绘制球体。
定义两个跟踪(x,y)坐标的变量,用于沿椭圆平移地球
float xForEarth, yForEarth;
一个计算度数的计数器(从0到360然后再到0)
int counterForEarth = 0;
使用以下代码(在绘图方法中)制作Ellipse并在其上绘制地球:
glBegin(GL_POINTS);
for (int i=0; i < 360; i++)
{
float degInRad = i*DEG2RAD; //const float DEG2RAD = 3.14159/180.0;
glVertex3f(cos(degInRad)*6.0,
sin(degInRad)*2.3,0.0f);
}
glEnd();
if(counterForEarth>359)
counterForEarth = 0;//reset to 0 when becomes 360
else
counterForEarth++;//this will control the speed. Do counterForEarth += 2 to increase it's speed and vice-versa
xForEarth = cos(counterForEarth*DEG2RAD)*6.0f;//to change the x co-ordinate
yForEarth = sin(counterForEarth*DEG2RAD)*2.3f;//to change the y co-ordinate
glPushMatrix();
glTranslatef(xForEarth,yForEarth,0.0f);
glRotatef(angle,0.0f,1.0f,0.0f);
glutSolidSphere(.4,30,30);//draw Earth
glPopMatrix();