As mentioned in Chapter 6, XNA includes theBasicEffectclass to access and im- plement built-in shader effects. This class exposes methods for setting shader proper- ties to assist in implementing directional lighting. In Chapter 14, theBasicEffect class is used to implement default lighting for the models. It is a fuss-free way of get- ting decent lighting quickly.
BasicEffect Default Lighting
The easiest way to implement lighting with the BasicEffectclass is to use the EnableDefaultLighting()method, which automatically sets directional light- ing for you.
When implementing either default lighting or custom lighting with the BasicEffectclass, you must set theLightingEnabledproperty totrue: public bool LightingEnabled { get; set; }
Regardless of the type, light is simulated with adjustments to the brightness and coloration of an object. The color is usually stored in a vector. You can get and set global lighting color properties with the following methods:
public Vector3 AmbientLightColor { get; set; } public Vector3 DiffuseColor { get; set; } public Vector3 SpecularColor { get; set; } public float SpecularPower { get; set; }
Default lighting turns on three directional lights, which you can choose to disable or alter as needed. You don’t actually need to use the default lighting. Instead, you can enable each directional light and customize it as you choose. Each directional
357
light has anEnabled,Direction,DiffuseColor, andSpecularColorprop- erty that you can get or set:
bool DirectionalLight0.Enabled Vector3 DirectionalLight0.Direction Vector3 DirectionalLight0.DiffuseColor Vector3 DirectionalLight0.SpecularColor bool DirectionalLight1.Enabled Vector3 DirectionalLight1.Direction Vector3 DirectionalLight1.DiffuseColor Vector3 DirectionalLight1.SpecularColor bool DirectionalLight2.Enabled Vector3 DirectionalLight2.Direction Vector3 DirectionalLight2.DiffuseColor Vector3 DirectionalLight2.SpecularColor
XNA’s default lighting option is a great way to quickly generate decent-looking directional light.
Directional lighting under theBasicEffectclass is especially effective for light- ing 3D models because it is easy to set up. For this case, theBasicEffectclass im- plements lighting through the vertex shader. When the vertex data is sent to the pixel shader, it is interpolated between vertices. The definition of the light is enhanced with more vertices, so you may want to consider reducing the storage requirements by us- ing an index buffer when drawing primitive objects.
Directional Lighting Example
This example implements directional lighting with XNA’sBasicEffectclass. Be- cause theBasicEffectclass implements vertex lighting, more vertices are needed for smoother application of light across the object surface or a higher definition of light. Higher-definition light is especially noticeable for specular lighting.
Because many vertices for storing surface normals are needed to enhance the light- ing when theBasicEffectshader is used, this example uses our friend the index buffer. This demonstration starts with the solution from Chapter 11, section titled
“Grid Using Index Buffer Example,” which already has an index buffer set up. Sur- face normals are needed in the example. Figure 22-1 shows a before (left) and after (right) look at how directional lighting from this demonstration will change the look of the environment.
The subtle effect directional lighting has on detail makes it exciting to use. Most of the time, directional lighting is implemented in a daytime setting, so there will al- ready be a high level of ambience and diffuse lighting around to brighten the area.
C H A P T E R 2 2
Lighting
M I C R O S O F T X N A G A M E S T U D I O C R E A T O R ’ S G U I D E
358
With theBasicEffectclass, the specular light increases the brightness of the prim- itive surface face.
Once you have the original index buffer solution from Chapter 11 open, you may notice that thePositionColorTexturetype was used to store the vertex data.
This needs to change because normal data is also required to enable lighting. A few minor changes are needed. To implement lighting with a vertex that stores normal data, you must add a newVertexDeclarationto the top of the game class:
private VertexDeclaration positionNormalTexture;
The vertex declaration must be initialized when the program begins. This c a n b e done by adding the statement to initialize it with a VertexPositionNormalTexturevertex type inInitializeBaseCode(): positionNormalTexture = new VertexDeclaration(graphics.GraphicsDevice,
VertexPositionNormalTexture.VertexElements);
We almost have what we need. To change the vertex type, inside InitializeVertexBuffer()replace the instruction that sets the color property with an instruction to store the normal. The vertices stored in this method are used to draw a ground surface, so a suitable normal vector is X = 0.0f, Y = 1.0f, and Z = 0.0f:
F I G U R E 2 2 - 1
Before and after directional lighting
359
C H A P T E R 2 2
Lighting
vertex[col + row * NUM_COLS].Normal = new Vector3(0.0f, 1.0f, 0.0f);
To complete the change to enable normal data storage, inside Initialize- VertexBuffer() replace each of the references to VertexPositionColor- Texturewith the following:
VertexPositionNormalTexture
A higher number of vertices will improve the definition of the lighting. You can easily increase the total vertices by adjusting the definitions for the row and column totals, which define the vertices used to build the indexed surface. To ensure that you have a suitable number of vertices to display the light for this demonstration, replace the current row and column definitions with these modified declarations:
const int NUM_COLS = 20;
const int NUM_ROWS = 20;
Now that a set of vertices is in place to enable high-definition lighting, changes can be made to implement the lighting using XNA’s built-inBasicEffectshader. A reference to it is needed in the game class:
BasicEffect basicEffect;
To set up theBasicEffectobject to apply lighting to a textured primitive, you must set the TextureEnabled and LightingEnabledproperties totrue. In this example, a fairly high level of ambient lighting is set, and the specular power is set to a noticeable level. Only one directional light is enabled, and the diffuse and specular color properties are set. The RGB color properties, for each type of light, range between 0 and 1. The direction is normalized to ensure consistent direction on the X, Y, and Z planes. Finally, the directional light is set to shine downward on the Y axis (-1) and inward on the Z axis (-1).
private void InitializeBasicEffect(){
basicEffect = new BasicEffect(graphics.GraphicsDevice, null);
basicEffect.TextureEnabled = true; // needed if objects are textured basicEffect.LightingEnabled = true; // must be on for lighting effect basicEffect.SpecularPower = 5.0f; // highlights
basicEffect.AmbientLightColor
= new Vector3(0.6f, 0.6f, 0.5f); // background light basicEffect.DirectionalLight0.Enabled = true; // turn on light basicEffect.DirectionalLight0.DiffuseColor // diffuse color
= new Vector3(0.2f, 0.2f, 0.2f); // rgb range 0 to 1 basicEffect.DirectionalLight0.SpecularColor // highlight color
M I C R O S O F T X N A G A M E S T U D I O C R E A T O R ’ S G U I D E
360
= new Vector3(0.5f, 0.5f, 0.37f); // rgb range 0 to 1 basicEffect.DirectionalLight0.Direction // set normalized
= Vector3.Normalize(new Vector3(0.0f,-1.0f,-1.0f));// direction }
To initialize the BasicEffect properties when the program begins, you call InitializeBasicEffect()fromInitialize():
InitializeBasicEffect();
You need twoTexture2Dobjects to store and apply the floor and wall images.
To do this, add these object declarations at the top of your game class:
private Texture2D floorTexture;
private Texture2D wallTexture;
Of course, be sure to add the corresponding Stonefloor.jpg and Brickwall.jpg files (available from the Images folder on this book’s website) to your project’s Images folder under the Content node so they can be loaded when the program runs. When these images are referenced in your project, you will be able to load them when the following load instructions are placed inside theLoadContent()method:
wallTexture = Content.Load<Texture2D>("Images\\Brickwall");
floorTexture = Content.Load<Texture2D>("Images\\Stonefloor");
Next is the code to draw the grid. Most of the code is used to set up the transforma- tion to move each surface into place. TheTextureproperty for theBasicEffect object is set to the appropriateTexture2Dobject if either the floor or wall is being drawn. The World, View, and Projection matrices are set to position the surfaces properly in the camera’s view. The view also provides theBasicEffectclass with information on the viewer’s Lookdirection, which will help implement specular lighting. TheGraphicsDevice’sVertexDeclarationproperty is set with the p o s i t i o n N o r m a l T e x t u r e variable to assign it the VertexPositionTextureNormal format for data retrieval and rendering. All drawing performed by theBasicEffectshader is done between theBegin() and End()for each pass. Replace the existing version of DrawIndexedGrid()with this revision to render the stone wall and ground texture surfaces:
private void DrawIndexedGrid(string surfaceName){
// 1: declare matrices
Matrix world, translate, rotationX, scale, rotationY;
// 2: initialize matrices
361
scale = Matrix.CreateScale(0.8f, 0.8f, 0.8f);
rotationY = Matrix.CreateRotationY(0.0f);
rotationX = Matrix.CreateRotationX(0.0f);
translate = Matrix.CreateTranslation(0.0f, -3.6f, 0.0f);
// create two walls with normals that face the user if (surfaceName == "wall"){
rotationX = Matrix.CreateRotationX(MathHelper.Pi/2.0f);
translate = Matrix.CreateTranslation(0.0f, 9.20f,-12.8f);
basicEffect.Texture = wallTexture;
}
else if(surfaceName == "ground")
basicEffect.Texture = floorTexture;// set ground image
// 3: build cumulative world matrix using I.S.R.O.T. sequence // identity, scale, rotate, orbit(translate & rotate), translate world = scale * rotationX * rotationY * translate;
// 4: finish setting shader variables basicEffect.World = world;
basicEffect.Projection = cam.projectionMatrix;
basicEffect.View = cam.viewMatrix;
// 5: draw object
graphics.GraphicsDevice.VertexDeclaration = positionNormalTexture;
graphics.GraphicsDevice.Vertices[0].SetSource(vertexBuffer, 0, VertexPositionNormalTexture.SizeInBytes);
graphics.GraphicsDevice.Indices = indexBuffer;
// avoid drawing back face for large numbers of vertices graphics.GraphicsDevice.RenderState.CullMode =
CullMode.CullClockwiseFace;
basicEffect.Begin();
foreach (EffectPass pass in basicEffect.CurrentTechnique.Passes){
pass.Begin();
graphics.GraphicsDevice.Vertices[0].SetSource(vertexBuffer, 0, VertexPositionNormalTexture.SizeInBytes);
// draw grid one row at a time
for (int Z = 0; Z < NUM_ROWS - 1; Z++){
graphics.GraphicsDevice.DrawIndexedPrimitives(
C H A P T E R 2 2
Lighting
PrimitiveType.TriangleStrip, // primitive type
Z * NUM_COLS, // start point in vertex buffer 0, // vertex buffer offset
NUM_COLS * NUM_ROWS, // total verts in vertex buffer 0, // index buffer offset
2 * (NUM_COLS - 1)); // index buffer end }
pass.End();
}
basicEffect.End();
// disable culling
graphics.GraphicsDevice.RenderState.CullMode = CullMode.None;
}
To draw the textured wall and floor surfaces using the same vertex and index buffer, replace the call toDrawIndexedGrid()with these two instructions:
DrawIndexedGrid("wall");
DrawIndexedGrid("ground");
When you run this program, you will notice how the walls are brightened by the light. Try experimenting with the normal and direction values and notice their effect on the brightness level. Also, try changing the ambient RGB color values to 1.0f. No- tice that other lights no longer have an effect as long as ambience is at full strength.
Increase the specular value to 50.0f and notice how the highlights on the ground and wall radiate.