我试图用一个应用程序获得至少120fps,但它目前大约是30fps。如果我删除了我的球体创建方法,则fps会转到120.
我的球体方法检查每个球体是否超出范围。 使用结构不会提高性能。
xc = x coord
yc = y coord
zc = y coord
xd = x direction
yd = y direction
zd = z direction
有什么方法可以大幅度提高效率吗?
每个帧都会调用此代码。
void createSpheres()
{
for(int i = 0; i < spheres.size(); i+=6)
{
xc = spheres[i];
yc = spheres[i+1];
zc = spheres[i+2];
xd = spheres[i+3];
yd = spheres[i+4];
zd = spheres[i+5];
if((xc+xd)>= 45 || (xc+xd)<= -45)
{
xd = 0-xd;
}
if((yc+yd)>= 9.5 || (yc+yd)<= -9.5)
{
yd = 0-yd;
}
if((zc+zd)>= 45 || (zc+zd)<= -45)
{
zd = 0-zd;
}
glEnable(GL_TEXTURE_2D);
glBindTexture ( GL_TEXTURE_2D, texture_id[6] );
glPushMatrix();
glTranslatef( xc+(xd/10), yc+(yd/10), zc+(zd/10));
glRotatef( -80,1,0,0);
glScalef( 0.10f, 0.10f, 0.10f);
gluQuadricTexture(quadric,1);
gluSphere(quadric,10.0,72,72);
glPopMatrix();
glDisable(GL_TEXTURE_2D);
spheres[i] = xc+(xd/10);
spheres[i+1] = yc+(yd/10);
spheres[i+2] = zc+(zd/10);
spheres[i+3] = xd;
spheres[i+4] = yd;
spheres[i+5] = zd;
}
}
答案 0 :(得分:1)
不要使用旧的固定功能管道,为每个球体的顶点属性创建VAO和VBO(http://www.opengl.org/wiki/Vertex_Specification)。
编辑:(添加了更多关于VBO和VAO的基础知识) 在没有VBO的情况下渲染时,每次渲染帧时都会发送几何数据。使用VBO可以将模型数据发送到图形卡,然后在没有cpu-gpu瓶颈的情况下进行渲染。
glGenBuffers(1, &vboHandle); // create vbo
glBindBuffer(target, vboHandle); // bind vbo
glBufferData(target, size, data, usage); // send vertex data (position, normals, ..)
然后你必须在VBO数据和着色器属性之间建立连接
// get location of the in-attribute of the shader program
vertexLocation = glGetAttribLocation(programHandle,"vertex");
// activate desired VBO
glBindBuffer(GL_ARRAY_BUFFER, vboHandle);
// set attribute-pointer
glVertexAttribPointer(vertexLocation, 4, GL_FLOAT, GL_FALSE, 0, 0);
// finally enable attribute-array
glEnableVertexAttribArray(vertexLocation);
VAO用于组织您的VBO - 通常您最终会遇到以下问题:
enable vertex attrib1
enable vertex attrib2
enable vertex attrib3
renderModel
disable vertex attrib1
disable vertex attrib2
disable vertex attrib3
使用VAO可以减少代码工作量
enable VAO
renderModel
disable VAO
因此,组合代码片段可能如下所示:
// Create and bind VAO
glGenVertexArrays(1, &vaoId);
glBindVertexArray(vaoId);
// create and bind vbo
glGenBuffers(1, &vboId);
glBindBuffer(GL_ARRAY_BUFFER, vboId);
glBufferData(GL_ARRAY_BUFFER, size, data, GL_STATIC_DRAW);
GLint loc = glGetAttribLocation(programHandle, "attrib1");
glEnableVertexAttribArray(loc);
glVertexAttribPointer(loc, 3, GL_FLOAT, GL_FALSE, 0, 0);
// other vbos, attrib pointers
...
// UnbindVAO
glBindVertexArray(0);
glBindBuffer(GL_ARRAY_BUFFER, 0);
这可能是您需要的最少量信息,我建议您阅读opengl superbible 5th edition的第8章和第12章。