OLD | NEW |
(Empty) | |
| 1 // Copyright (c) 2010 The Chromium Authors. All rights reserved. |
| 2 // Use of this source code is governed by a BSD-style license that can be |
| 3 // found in the LICENSE file. |
| 4 |
| 5 #include "media/tools/shader_bench/gpu_painter.h" |
| 6 |
| 7 // Vertices for a full screen quad. |
| 8 static const float kVertices[8] = { |
| 9 -1.f, 1.f, |
| 10 -1.f, -1.f, |
| 11 1.f, 1.f, |
| 12 1.f, -1.f, |
| 13 }; |
| 14 |
| 15 // Texture Coordinates mapping the entire texture. |
| 16 static const float kTextureCoords[8] = { |
| 17 0, 0, |
| 18 0, 1, |
| 19 1, 0, |
| 20 1, 1, |
| 21 }; |
| 22 |
| 23 // Buffer size for compile errors. |
| 24 static const unsigned int kErrorSize = 4096; |
| 25 |
| 26 void GPUPainter::SetGLContext(gfx::GLContext* context) { |
| 27 context_ = context; |
| 28 } |
| 29 |
| 30 GLuint GPUPainter::LoadShader(gfx::GLContext* context, unsigned type, |
| 31 const char* shader_source) { |
| 32 GLuint shader = glCreateShader(type); |
| 33 glShaderSource(shader, 1, &shader_source, NULL); |
| 34 glCompileShader(shader); |
| 35 int result = GL_FALSE; |
| 36 glGetShaderiv(shader, GL_COMPILE_STATUS, &result); |
| 37 if (!result) { |
| 38 char log[kErrorSize]; |
| 39 int len; |
| 40 glGetShaderInfoLog(shader, kErrorSize - 1, &len, log); |
| 41 log[kErrorSize - 1] = 0; |
| 42 printf("Shader did not compile: %s\n", log); |
| 43 } |
| 44 return shader; |
| 45 } |
| 46 |
| 47 GLuint GPUPainter::CreateShaderProgram( |
| 48 gfx::GLContext* context, const char* vertex_shader_source, |
| 49 const char* fragment_shader_source) { |
| 50 |
| 51 // Create vertex and pixel shaders. |
| 52 GLuint vertex_shader = |
| 53 LoadShader(context, GL_VERTEX_SHADER, vertex_shader_source); |
| 54 GLuint fragment_shader = |
| 55 LoadShader(context, GL_FRAGMENT_SHADER, fragment_shader_source); |
| 56 |
| 57 // Create program and attach shaders. |
| 58 GLuint program = glCreateProgram(); |
| 59 glAttachShader(program, vertex_shader); |
| 60 glAttachShader(program, fragment_shader); |
| 61 glDeleteShader(vertex_shader); |
| 62 glDeleteShader(fragment_shader); |
| 63 glLinkProgram(program); |
| 64 int result = GL_FALSE; |
| 65 glGetProgramiv(program, GL_LINK_STATUS, &result); |
| 66 if (!result) { |
| 67 char log[kErrorSize]; |
| 68 int len; |
| 69 glGetProgramInfoLog(program, kErrorSize - 1, &len, log); |
| 70 log[kErrorSize - 1] = 0; |
| 71 printf("Program did not link: %s\n", log); |
| 72 } |
| 73 glUseProgram(program); |
| 74 |
| 75 // Set common vertex parameters. |
| 76 int pos_location = glGetAttribLocation(program, "in_pos"); |
| 77 glEnableVertexAttribArray(pos_location); |
| 78 glVertexAttribPointer(pos_location, 2, GL_FLOAT, GL_FALSE, 0, kVertices); |
| 79 |
| 80 int tc_location = glGetAttribLocation(program, "in_tc"); |
| 81 glEnableVertexAttribArray(tc_location); |
| 82 glVertexAttribPointer(tc_location, 2, GL_FLOAT, GL_FALSE, 0, |
| 83 kTextureCoords); |
| 84 return program; |
| 85 } |
OLD | NEW |