WebGL:INVALID_VALUE:attachShader:没有删除任何对象或对象。这秘密有用吗?

时间:2013-02-01 07:31:05

标签: javascript opengl-es webgl shader vertex-shader

我开始涉足WebGL,我想知道是否有一个学习错误输出的好地方。

我一直收到以下错误

WebGL: INVALID_VALUE: attachShader: no object or object deleted localhost:1   
WebGL: INVALID_OPERATION: getAttribLocation: program not linked localhost:1
WebGL: INVALID_OPERATION: getUniformLocation: program not linked localhost:1
WebGL: INVALID_OPERATION: useProgram: program not valid localhost:1
WebGL: INVALID_OPERATION: drawElements: attribs not setup correctly 

因此,我从这些错误中可以看出,我的着色器无法正常工作

gl.attachShader(program, vertexShader);
gl.attachShader(program, fragmentShader);

以及随后的错误是关于没有程序。

所以我的问题是:我如何弄清楚代码中出了什么问题?

程序没有以某种方式定义,我确实有var program = gl.createProgram();。那么,为什么会这样呢?我在哪里看?我猜这是因为我的着色器无法编译,但据我所知,我的着色器中有0个错误或警告。它被前面提到的代码/警告混淆了......此外,chrome提到了这些警告而firefox没有。虽然

也无法初始化着色器

1 个答案:

答案 0 :(得分:4)

我建议using some boilerplate code编译着色器和链接程序

对于着色器

/**
 * Creates and compiles a shader.
 *
 * @param {!WebGLRenderingContext} gl The WebGL Context.
 * @param {string} shaderSource The GLSL source code for the shader.
 * @param {number} shaderType The type of shader, VERTEX_SHADER or
 *     FRAGMENT_SHADER.
 * @return {!WebGLShader} The shader.
 */
function compileShader(gl, shaderSource, shaderType) {
  // Create the shader object
  var shader = gl.createShader(shaderType);

  // Set the shader source code.
  gl.shaderSource(shader, shaderSource);

  // Compile the shader
  gl.compileShader(shader);

  // Check if it compiled
  var success = gl.getShaderParameter(shader, gl.COMPILE_STATUS);
  if (!success) {
    // Something went wrong during compilation; get the error
    throw "could not compile shader:" + gl.getShaderInfoLog(shader);
  }

  return shader;
}

对于程序

/**
 * Creates a program from 2 shaders.
 *
 * @param {!WebGLRenderingContext) gl The WebGL context.
 * @param {!WebGLShader} vertexShader A vertex shader.
 * @param {!WebGLShader} fragmentShader A fragment shader.
 * @return {!WebGLProgram} A program.
 */
function createProgram(gl, vertexShader, fragmentShader) {
  // create a program.
  var program = gl.createProgram();

  // attach the shaders.
  gl.attachShader(program, vertexShader);
  gl.attachShader(program, fragmentShader);

  // link the program.
  gl.linkProgram(program);

  // Check if it linked.
  var success = gl.getProgramParameter(program, gl.LINK_STATUS);
  if (!success) {
      // something went wrong with the link
      throw ("program filed to link:" + gl.getProgramInfoLog (program));
  }

  return program;
}

你可以这样称呼它

var vertShader = compileShader(gl, vertShaderSource, gl.VERTEX_SHADER);
var fragShader = compileShader(gl, fragShaderSource, gl.FRAGMENT_SHADER);
var program = createProgram(gl, vertShader, fragShader);

如果着色器没有编译或链接,那么应该将错误打印到javascript控制台。它还应该为您提供堆栈跟踪,以便您可以知道代码中的问题所在。