如何在openGL ES 3 android中创建VAO

问题描述 投票:1回答:1

因此,在普通的openGL中,您可以像这样创建一个VAO

glGenVetrexArray();

并期望此功能为您创建一个VAO,并为您提供一个VAO ID的整数。

问题

在android中,功能是这样的:

glGenVetrexArray(int n , int[] array, int offset);

我不知道这些参数是什么,也不知道如何使用上述方法创建VAO并获取ID?

java android opengl-es opengl-es-3.0
1个回答
0
投票

n-要退还的VAO数量;

array-具有创建对象的标识符的n个元素的数组;

偏移= 0。

创建VAO时,使用以下功能将其设为最新:GLES30.glBindVertexArray(VAO [0])。绑定VAO后,所有调用(例如glBindBuffer,glEnableVertexAttribArray,glVertexAttribPointer)都会影响当前的VAO。

public class Renderer implements GLSurfaceView.Renderer {
    private int[] VBOIds = new int[2]; // VertexBufferObject Ids
    private int[] VAOId = new int[1]; // VertexArrayObject Id

    public Renderer(...) {
        // create vertex buffer objects
        VBOIds[0] = 0;
        VBOIds[1] = 0;
        GLES30.glGenBuffers(2, VBO, 0);
        ...
        GLES30.glBindBuffer(GLES30.GL_ARRAY_BUFFER, VBO[0]);
        GLES30.glBufferData(GLES30.GL_ARRAY_BUFFER, verticesData.length * 4,
                    vertices, GLES30.GL_STATIC_DRAW);
        ...
        GLES30.glBindBuffer(GLES30.GL_ELEMENT_ARRAY_BUFFER, VBO[1]);
        GLES30.glBufferData(GLES30.GL_ELEMENT_ARRAY_BUFFER, indicesData.length * 2, indices, GLES30.GL_STATIC_DRAW);
        ...
    }

    public void onSurfaceCreated(GL10 glUnused, EGLConfig config) {
        GLES30.glGenVertexArrays(1, VAOId, 0); // Generate VAO Id
        GLES30.glBindVertexArray(VAOId[0]); // Bind the VAO
        // invokes commands glBindBuffer, glEnableVertexAttribArray, 
        // glVertexAttribPointer for VBOs
        ...
        // Reset to the default VAO (default VAO always is 0)
        GLES30.glBindVertexArray(0);
    }

    public void onDrawFrame() {
        ...
        GLES30.glBindVertexArray(VAOId[0]); // active VAO
        // Draw on base the VAO settings
        GLES30.glDrawElements(GLES30.GL_TRIANGLES, indicesData.length,
                      GLES30.GL_UNSIGNED_SHORT, 0);
        // Return to the default VAO
        GLES30.glBindVertexArray(0);
    }
}

您可以看到一个使用VAO here的很好的例子>

Project VertexArrayObjects for Android

© www.soinside.com 2019 - 2024. All rights reserved.