在OpenGL中,glDrawElements
的 indices
参数有两种不同的含义,具体取决于您是否使用GL_ELEMENT_ARRAY_BUFFER
。
如果你有一个VBO绑定,那么它是在缓冲区中开始的偏移量,而不是缓冲区本身。
使用PyOpenGL时,如何在glDrawElements
调用中指定要开始的偏移量?如何在glMultiDrawElements
来电中指定多个起始偏移?
答案 0 :(得分:0)
在以下示例中,使用了6个索引的列表,它们可以形成一个由2个三角形图元组成的四边形。
indices = [0, 1, 2, 0, 2, 3]
由于传递给OpenGL函数的数据必须由相干缓冲区中的固定大小单位组成,因此值列表必须存储到浮点数组中。
可以通过ctypes库或numpy.array
库创建相干数组缓冲区。
数组元素的类型必须匹配在调用glDrawElements
或glMultiDrawElements
时设置的值类型枚举常量:
ctypes.c_ubyte / numpy.uint8 <-> GL_UNSIGNED_BYTE
ctypes.c_ushort / numpy.uint16 <-> GL_UNSIGNED_SHORT
ctypes.c_uint / numpy.uint32 <-> GL_UNSIGNED_INT
使用ctypes
:
import ctypes
indexArray = (ctypes.c_uint * 6)(*indices)
使用numpy
:
import numpy
indexArray = numpy.array(indices, dtype=numpy.uint32)
使用索引缓冲区和glDrawElements
会有不同的机会。
使用Legacy OpenGL(compatibility profile xontext),可以将缓冲区直接传递到glDrawElements
。指向数组数据的指针将传递给该函数。
glDrawElements(GL_TRIANGLES, 6, GL_UNSIGNED_INT, indexArray)
如果在顶点数组对象中声明了命名元素数组缓冲区对象,则glDrawElements
的最后一个参数被视为缓冲区对象数据存储区中的字节偏移。
glBindVertexArray(vao)
glBindBuffer(GL_ELEMENT_ARRAY_BUFFER, ibo)
glBufferData(GL_ELEMENT_ARRAY_BUFFER, indexArray, GL_STATIC_DRAW)
如果应该从缓冲区的第一个元素开始绘制索引,则最后一个参数可以是None
,它等效于ctypes.c_void_p(0)
:
glDrawElements(GL_TRIANGLES, 6, GL_UNSIGNED_INT, None)
如果图形不应该从第一个索引开始,则必须计算起始索引的字节偏移量。例如3*4
将GL_UNSIGNED_INT
类型的缓冲区的起始位置设置为3索引:
glDrawElements(GL_TRIANGLES, 3, GL_UNSIGNED_INT, ctypes.c_void_p(3 * 4))
glMultiDrawElements
的用法非常相似。
使用compatibility profile xontext,缓冲区指针可以直接传递给OpenGL函数。
要生成索引数组:
使用ctypes
:
indexArray1 = (ctypes.c_uint * 3)(0, 1, 2)
indexArray2 = (ctypes.c_uint * 3)(0, 2, 3)
使用numpy
:
indexArray1 = numpy.array([0, 1, 2], dtype=numpy.uint32)
indexArray2 = numpy.array([0, 2, 3], dtype=numpy.uint32)
必须将指向缓冲区的指针安排为一个指针数组:
使用ctypes
指向索引数据数组的指针由ctypes.addressof()
获取:
indexPtr = (ctypes.c_void_p * 2)(ctypes.addressof(indexArray1),ctypes.addressof(indexArray2))
使用numpy
指向索引数据数组的指针由numpy.ndarray.ctypes
获取:
indexPtr = numpy.array([indexArray1.ctypes.data, indexArray2.ctypes.data], dtype=numpy.intp)
此指针数组可以传递给OpenGL函数:
counts = [3, 3]
glMultiDrawElements(GL_TRIANGLES, counts, GL_UNSIGNED_INT, indexPtr, 2)
如果使用带有命名元素数组缓冲区的顶点数组对象,
glBindVertexArray(vao)
glBindBuffer(GL_ELEMENT_ARRAY_BUFFER, ibo)
然后将index参数视为字节偏移量数组。接下来,将具有2个偏移量的数组传递给该函数。 0表示数组中的第一个索引,3 * 4表示数组的第三个索引。
使用ctypes
:
indexPtr = (ctypes.c_void_p * 2)(0, 3 * 4)
counts = [3, 3]
glMultiDrawElements(GL_TRIANGLES, counts, GL_UNSIGNED_INT, indexPtr, 2)
使用numpy
:
indexPtr = np.array([0, 3*4], dtype=numpy.intp)
counts = [3, 3]
glMultiDrawElements(GL_TRIANGLES, counts, GL_UNSIGNED_INT, indexPtr, 2)