我正在使用带有opengl
的过剩库并用它绘制圆圈。圆在框架上成功绘制,但我想在线程中编译这些圆顶点。例如,我放入循环循环,完成2seconds
之后的每个顶点绘制,而不是在运行时,看起来帧上的顶点传递了秒。我正在使用sleep()
功能,但无法使用它
代码:
#include <iostream>
#include <cstdlib>
#include <GL/glut.h>
#include<windows.h>
#include <cmath>
#define M_PI 3.14159265358979323846
using namespace std;
void init(void) {
glClearColor(0.0f,0.0f,0.0f,0.0f);
glMatrixMode(GL_PROJECTION);
glLoadIdentity();
glOrtho(-1.0, 1.0, -1.0, 1.0, -1.0, 1.0);
}
void keyboard(unsigned char key, int x, int y)
{
switch (key)
{
case '\x1B':
exit(EXIT_SUCCESS);
break;
}
}
void drawCircle(float pointX, float pointY, float Radius, int segment)
{
glBegin(GL_LINE_LOOP);
for (int i = 0; i < segment; i++)
{
float thetha= i * (2.0f * (float)M_PI / segment);
float x = Radius * cos(thetha);
float y = Radius * sin(thetha);
Sleep(2000);
glVertex2f(x + pointX, y + pointY);
}
glEnd();
}
void display()
{
glClear(GL_COLOR_BUFFER_BIT);
glColor3f(1.0f,0.0f,0.0f);
drawCircle(0.0f, 0.0f, 0.80f, 360);
glFlush();
}
int main(int argc, char** argv)
{
glutInit(&argc, argv);
glutInitWindowSize(590, 590);
glutInitWindowPosition(50,50);
glutCreateWindow("Frame");
init();
glutKeyboardFunc(&keyboard);
glutDisplayFunc(&display);
glutMainLoop();
return EXIT_SUCCESS;
}
答案 0 :(得分:2)
如果我正确理解了您的问题,您需要为圆形绘制设置动画。 OpenGL中的绘制命令不会立即发出 - 您需要绘制,然后将结果呈现给窗口。因此,在绘图函数中使用sleep
会延迟演示。使用您发布的代码,您将在drawCircle
内的每次迭代循环中休眠2秒钟。由于您要传递segment=360
,因此渲染您的圈子大约需要12分钟(并且您的应用程序在此期间似乎会挂起)。可能,您应该在一个状态下绘制圆形框架2秒,然后绘制下一个状态。
要实现此目的,您应该删除sleep
,并在display
函数中设置一个计时器,随着时间的推移,它会增加segment
参数。例如:
#include <ctime>
// ...
void display()
{
static clock_t startTime = clock(); // NOTE: evaluated only once
clock_t currentTime = clock();
float timeLength = 2.0f * CLOCKS_PER_SEC;
float circlePercentage = (currentTime - startTime) / timeLength;
circlePercentage = circlePercentage >= 1.0f ? 1.0f : circlePercentage; //clamp
glClear(GL_COLOR_BUFFER_BIT);
glColor3f(1.0f,0.0f,0.0f);
drawCircle(0.0f, 0.0f, 0.80f, static_cast<int>(circlePercentage * 360));
glFlush();
}