3

我试图用opengl es在屏幕上显示一些点。这是ondraw的代码:

gl.glClear(GL10.GL_COLOR_BUFFER_BIT | GL10.GL_DEPTH_BUFFER_BIT);
gl.glLoadIdentity();
gl.glEnableClientState(GL10.GL_VERTEX_ARRAY);
gl.glColor4f(0, 255, 0, 0);     
gl.glVertexPointer(3, GL10.GL_FLOAT, 0, buffer);
gl.glDrawArrays(GL10.GL_POINTS, 0, points.length);
gl.glDisableClientState(GL10.GL_VERTEX_ARRAY);

谁能告诉我我做错了什么???

编辑:生成缓冲区和点的代码

    points = new float[12288];
    int pos = 0;
    for (float y = 0; y < 64; y++) {
        for (float x = 0; x < 64; x++) {
            points[pos++] = x/100;
            points[pos++] = y/100;
            points[pos++] = 0;
        }
    }

    ByteBuffer vertexByteBuffer = ByteBuffer.allocateDirect(points.length * 4);
    vertexByteBuffer.order(ByteOrder.nativeOrder());     
    // allocates the memory from the byte buffer
    buffer = vertexByteBuffer.asFloatBuffer();   
    // fill the vertexBuffer with the vertices
    buffer.put(points);  
    // set the cursor position to the beginning of the buffer
    buffer.position(0);

和 logcat 的错误:

04-17 06:38:11.296: A/libc(24276): 致命信号 11 (SIGSEGV) 在 0x41719000 (code=2)

此错误发生在 gl.glDrawArrays

4

2 回答 2

2

我相信这是问题所在:

gl.glDrawArrays(GL10.GL_POINTS, 0, points.length);

glDrawArrays获取要绘制的顶点数。你给它的浮点数是 3 倍太大。因此,opengl 实际上是在尝试从您的 points 数组中读取 12288 vertices = 36,xxx 浮点数,这超出了数组的范围。

于 2012-05-20T04:56:39.003 回答
0

问题:您没有调用 glBindBuffer,但随后调用了 glDrawArrays;这将导致段错误。

当我尝试使用 IBO 缓冲区而不首先使用 glBindBuffer 命令绑定缓冲区时,我遇到了同样的问题。例如,我的一个绘图函数如下所示:

GLES20.glBindBuffer(GLES20.GL_ARRAY_BUFFER, common.vbo);
GLES20.glBindBuffer(GLES20.GL_ELEMENT_ARRAY_BUFFER, common.ibo);

GLES20.glVertexAttribPointer(handleManager.switchPosition, 2, GLES20.GL_FLOAT, false, 0, 0);
GLES20.glEnableVertexAttribArray(handleManager.switchPosition);

GLES20.glDrawElements(GLES20.GL_TRIANGLES, common.iboPointCount, GLES20.GL_UNSIGNED_BYTE, 0);

GLES20.glDisableVertexAttribArray(handleManager.switchPosition);

GLES20.glBindBuffer(GLES20.GL_ARRAY_BUFFER, 0);
GLES20.glBindBuffer(GLES20.GL_ELEMENT_ARRAY_BUFFER, 0);

所有 glBindBuffer 命令都可以对您试图让着色器识别的属性数据进行操作。

于 2012-05-20T02:40:26.167 回答