Storing different vertex attributes in different VBO's

前端 未结 1 1893
悲&欢浪女
悲&欢浪女 2020-12-30 10:25

Is it possible to store different vertex attributes in different vertex buffers?

All the examples I\'ve seen so far do something like this

float data         


        
相关标签:
1条回答
  • 2020-12-30 11:25

    The association between attribute location X and the buffer object that provides that attribute is made with the glVertexAttribPointer command. The way it works is simple, but unintuitive.

    At the time glVertexAttribPointer is called (that's the part a lot of people don't get), whatever buffer object is currently bound to GL_ARRAY_BUFFER becomes associated with the attribute X, where X is the first parameter of glVertexAttribPointer.

    So if you want to have an attribute that comes from one buffer and an attribute that comes from another, you do this:

    glEnableVertexAttrib(position_location);
    glEnableVertexAttrib(color_location);
    glBindBuffer(GL_ARRAY_BUFFER, buffPosition);
    glVertexAttribPointer(position_location, 3, GL_FLOAT, GL_FALSE, 0, 0);
    glBindBuffer(GL_ARRAY_BUFFER, buffColor);
    glVertexAttribPointer(color_location, 3, GL_FLOAT, GL_FALSE, 0, 0);
    

    As for whether you should split attributes into different buffers... I would say that you should only do it if you have a demonstrable need.

    For example, let's say you're doing a dynamic height-map, perhaps for some kind of water effect. The Z position of each element changes, but this also means that the normals change. However, the XY positions and the texture coordinates do not change.

    Efficient streaming often requires either double-buffering buffer objects or invalidating them (reallocating them with a glBufferData(NULL) or glMapBufferRange(GL_INVALIDATE_BIT)). Either way only works if the streamed data is in another buffer object from the non-streamed data.

    Another example of a demonstrable need is if memory is a concern and several objects share certain attribute lists. Perhaps objects have different position and normal arrays but the same color and texture coordinate arrays. Or something like that.

    But otherwise, it's best to just put everything for an object into one buffer. Even if you don't interleave the arrays.

    0 讨论(0)
提交回复
热议问题