In this lab, we are going to implement Phong shading in the fragment shader. This is also known as per-pixel lighting, as opposed to per-vertex lighting from the last lab.
Please download the code for the lab and go over the code.
We’ll be mainly editing the two GLSL files.
Before we can start computing the necessary values for Phong shading, we need to make sure that the input vectors and points are in the same coordinate space. The positions and normals are passed into the vertex shader in object space. These quantities are then multiplied by the modelview matrix, which transforms them into camera space (model transform followed by view transform). Then they are transformed by the projection matrix into the canonical view volume, defined to be between
Currently, there is a varying parameter called color
in the shaders, hard coded to be grey. Remove this variable from both shaders, since we will be computing the color in the fragment shader. Create two varying variables for the vertex position and normal in camera space. You’ll have to modify both shaders to do this. Remember, a varying variable is the output of the vertex shader and the input of the fragment shader. OpenGL automatically interpolates these varying parameters for each fragment (pixel) using barycentric coordinates. In the fragment shader, set the final color to be the normal in camera space with the following:
vec3 n = normalize(normal);
vec3 color = 0.5 * (n + 1.0);
gl_FragColor = vec4(color.r, color.g, color.b, 1.0);
Here, normal
refers to the camera space normal you computed. We need to normalize this quantity, since barycentric interpolation makes interpolated vectors at the fragments shorter than their values at the vertices. The 2nd line above maps the normal from the range
Because we’re using camera space normals to set the color, the parts of the bunny that is facing the right side as seen from the camera should be red, no matter how you rotate the scene. If the color seems to be “stuck” to the bunny, then the normal is still in object space.
NOTE: Read the “Debugging OpenGL & GLSL” section in Assignment 2.
Now we’re ready to do the actual lighting computation. Recall that in Phong shading, there are three components: ambient, diffuse, and specular. We’re not going to do attenuation (division by
The equation above should be used for red, blue and green channels separately. The ambient color is simply a global color that is added to model the contribution of the light from the general environment. In main.cpp
, change the value of the uniform variable for ambient color to
Next, add the diffuse component. The equation is
where
Set the diffuse color of the material, main.cpp
. The light position should be set to
Finally, we’ll add the specular component. The equation is
where cube.obj
and make sure you get exactly the result shown here. There should be a bright specular circle that covers the top right corner. Also test with sphere2.obj
.