Welcome to OStack Knowledge Sharing Community for programmer and developer-Open, Learning and Share
Welcome To Ask or Share your Answers For Others

Categories

0 votes
539 views
in Technique[技术] by (71.8m points)

vbo - OpenGL Vertex Array/Buffer Objects

Question 1

Do vertex buffer objects created under a certain VAO deleted once that VAO is deleted?

An example:

glGenBuffers(1, &bufferObject);
glGenVertexArrays(1, &VAO);

glBindVertexArray(VAO);
glBindBuffer(GL_ARRAY_BUFFER, bufferObject);
glBufferData(GL_ARRAY_BUFFER, sizeof(someVertices), someVertices, 
             GL_STATIC_DRAW);
glEnableVertexAttribArray(positionAttrib);
glVertexAttribPointer(positionAttrib, 3, GL_FLOAT, GL_FALSE, 0, NULL);

When later calling glDeleteVertexArrays(1, &VAO);, will bufferObject be deleted as well?

The reason I'm asking is that I saw a few examples over the web that didn't delete those buffer objects.

Question 2

What is the maximum amount of memory that I can allocate for buffer objects? It must be system dependent of course, but I can't seem find an estimation for it. What happens when video RAM isn't big enough? How would I know?

See Question&Answers more detail:os

与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
Welcome To Ask or Share your Answers For Others

1 Answer

0 votes
by (71.8m points)

1: Buffer objects are not "created under" VAOs. Buffer object state is not part of VAO state. VAOs can reference buffer objects, but that association is only made by calling glVertexAttribPointer (or other *Pointer calls). Simply binding a buffer to GL_ARRAY_BUFFER does not put it in the VAO. You can bind buffers to that target without a VAO being bound. This is legal code:

glGenBuffers(1, &bufferObject);
glBindBuffer(GL_ARRAY_BUFFER, bufferObject);
glBufferData(GL_ARRAY_BUFFER, sizeof(someVertices), someVertices, 
             GL_STATIC_DRAW);  //Creates the buffer storage.

glGenVertexArrays(1, &VAO);
glBindVertexArray(VAO);
glEnableVertexAttribArray(positionAttrib);
glVertexAttribPointer(positionAttrib, 3, GL_FLOAT, GL_FALSE, 0, NULL); //Uses whatever is bound to GL_ARRAY_BUFFER

Note that this is not true of GL_ELEMENT_ARRAY_BUFFER. That binding is directly part of VAO state. So you need a VAO bound before you can bind to that target.

However, binding to a target is not creation. You can bind a buffer to GL_TRANSFORM_FEEDBACK_BUFFER, create it's storage with glBufferData, and then bind it later for use with GL_ARRAY_BUFFER. Or as a GL_ELEMENT_ARRAY_BUFFER.

As to the main thrust of your question, no. The destruction of a VAO will not destroy the buffer objects that it references.

2: There is no standard OpenGL function to detect the amount of available resources. If you attempt to create storage and the implementation is out of resources, you will get a GL_OUT_OF_MEMORY? error.


与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
Welcome to OStack Knowledge Sharing Community for programmer and developer-Open, Learning and Share
Click Here to Ask a Question

...