This example demonstrates how to create a custom content processor that loads a height map from a .raw image. This content processor converts the height data to generate position and normal vectors. The vertices created from this newly generated data are used in Chapter 25 to build a rolling landscape. To keep the content proces- sor demonstration in this chapter focused, the terrain is not fully implemented. How-
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
404
Method Type
ReadBoolean() Boolean
ReadInt32() Integer
ReadSingle() Float
Vector3() Vector3
Common methods for reading binary data T A B L E 2 4 - 1
405
C H A P T E R 2 4
ContentPipelineProcessors
ever, the height data associated with the current camera position is updated as it moves through the world and this height information is printed in the window.
XNA does not provide a code library for loading .raw images, so you need an al- ternate way to load them. You can get away withBinaryReadermethods to load them on Windows. On the Xbox 360, theBinaryReadermethods will find your .raw files if you place your media resources in the debug folder when deploying your solution. However, to handle these files more gracefully, you should create a custom processor to load them through the content pipeline.
Load performance is another reason to use the content processor to load your ter- rain data. The .raw image stores an array of bytes. When it is used as a height map, each pixel stores height information between 0 and 255. The pixels from this rectan- gular .raw image are mapped to the rectangular ground in your world. To superim- pose each pixel over the corresponding section of ground, you will need to calculate the position vector associated with each pixel. Also, to enable lighting, you will need to calculate the normal vector associated with each pixel in the .raw file.
This example begins with the “Directional Lighting Example” from Chapter 22.
This project can be found in the Solutions folder on this book’s website.
Building a Custom Content Processor in Windows
In order to compile the content processor into a DLL that can be used either on Win- dows or the Xbox 360, you must add a separate Content Pipeline Extension Library project to your solution from the Solution Explorer. To add it, right-click the solu- tion name and choose Add | New Project. When prompted in the Add New Project di- alog, select Content Pipeline Extension Library. The Content Pipeline Extension project is used because it already has the proper assembly references and does not contain the Content subproject. For this example, name your content pipeline pro- ject as TerrainPipeline.
Once your new library project has been added, you will be able to see it as a sepa- rate project in the Solution Explorer. Rename the .cs code file that is generated to TerrainContent.cs. Then replace the code in this file with the following shell to im- plement your own content processor:
using System;
using Microsoft.Xna.Framework;
using Microsoft.Xna.Framework.Content;
using Microsoft.Xna.Framework.Content.Pipeline;
using Microsoft.Xna.Framework.Content.Pipeline.Serialization.Compiler;
using System.IO;
namespace TerrainPipeline{
}
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
406
Your custom data class is designed by you to store your data in the format you re- quire. For this example, the user-defined classTerrainContentstores bulk height data from the .raw file. It then uses this data to generate position and normal vectors along with the terrain dimensions and stores these new values at the class level.
TheTerrainContentclass is referenced throughout your content processor to generate and access your height map data, so it must be made public. Also, to ensure that the height map is mapped properly to the rectangular world, the number of rows and columns, the world dimensions, and the cell height and width are also made pub- lic. This terrain-defining code belongs in the TerrainPipeline namespace of your TerrainContent.cs file:
public class TerrainContent{
public byte[] height;
public Vector3[] position;
public Vector3[] normal;
public float cellWidth, cellHeight;
// hard coded values to match height map pixel and world dimensions public int NUM_ROWS = 257;
public int NUM_COLS = 257;
public float worldWidth = 16.0f;
public float worldHeight = 16.0f;
public float heightScale = 0.0104f;
// constructor for raw data - used during bulk data import public TerrainContent(byte[] bytes){
height = bytes;
setCellDimensions();
generatePositions();
generateNormals();
}
// sets height and width of cells made from pixels in .raw file public void setCellDimensions(){
cellWidth = 2.0f*worldWidth/(NUM_COLS - 1);
cellHeight = 2.0f*worldHeight/(NUM_ROWS - 1);
}
// generate X, Y, and Z position data where Y is the height.
private void generatePositions(){
position = new Vector3[NUM_ROWS*NUM_COLS];
407
for (int row = 0; row < NUM_ROWS; row++){
for (int col = 0; col < NUM_COLS; col++){
float X = -worldWidth + col*cellWidth;
float Y = height[row*NUM_COLS + col]*heightScale;
float Z = -worldHeight + row*cellHeight;
position[col + row*NUM_COLS] = new Vector3(X, Y, Z);
} } }
// generate normal vector for each cell in height map private void generateNormals(){
Vector3 tail, right, down, cross;
normal = new Vector3[NUM_ROWS*NUM_COLS];
// normal is cross product of two vectors joined at tail for (int row=0; row<NUM_ROWS - 1; row++){
for (int col = 0; col < NUM_COLS - 1; col++){
tail = position[col + row*NUM_COLS];
right = position[col + 1 + row*NUM_COLS] - tail;
down = position[col + (row + 1)*(NUM_COLS)] - tail;
cross = Vector3.Cross(down, right);
cross.Normalize();
normal[col + row*NUM_COLS] = cross;
} } } }
With theTerrainContentclass in place to store the terrain data, a derived in- stance of theContentProcessorclass is needed as a processor interface for the terrain object:
// all processors must derive from this class [ContentProcessor]
public class TerrainProcessor : ContentProcessor<TerrainContent, TerrainContent>{
public override TerrainContent Process(TerrainContent input, ContentProcessorContext context){
return new TerrainContent(input.height);
} }
C H A P T E R 2 4
ContentPipelineProcessors
Extending the ContentImporter class enables the overridden Import() method to read your data from the original media file. TheContentImporterat- tribute precedes theContentImporterclass definition to list the file extensions that can use this importer.
For this example, theReadAllBytes()method reads in the bytes from the .raw image. Of course, you can use other methods to read your data:
// stores information about importer, file extension, and caching [ContentImporter(".raw", DefaultProcessor = "TerrainProcessor")]
// ContentImporter reads original data from original media file public class TerrainPipeline : ContentImporter<TerrainContent>{
// reads original data from binary or text based files public override TerrainContent Import(String filename,
ContentImporterContext context){
byte[] bytes = File.ReadAllBytes(filename);
TerrainContent terrain = new TerrainContent(bytes);
return terrain; // returns compiled data object }
}
Once the data is read, it is passed to your custom data class. This data initializes a custom data object that organizes the data as you need it. The data object is then returned to your processor so it can be written in a compiled binary format to an .xnb file.
Adding the extendedContentTypeWriterclass to yourTerrainPipeline namespace allows you to output your compiled binary custom data to an .xnb file.
TheWrite()method receives your integer, float, and vector data and then writes it in binary format to the file. When you write your data, you have to write it in the se- quence you want to retrieve it. The writer/reader combination uses a “first in first out” sequence for your data storage and access.
AGetRuntimeType() method is included in theContentTypeWriterclass to return the custom data type of the processed content to be loaded at run time. A GetRunTimeReader()method is also added to return the intermediate content reader’s location in the solution:
// write compiled data to *.xnb file [ContentTypeWriter]
public class TerrWriter : ContentTypeWriter<TerrainContent>{
protected override void Write(ContentWriter cw, TerrainContent terrain){
cw.Write(terrain.NUM_ROWS);
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
408
409
C H A P T E R 2 4
ContentPipelineProcessors
cw.Write(terrain.NUM_COLS);
cw.Write(terrain.worldWidth);
cw.Write(terrain.worldHeight);
cw.Write(terrain.heightScale);
cw.Write(terrain.cellWidth);
cw.Write(terrain.cellHeight);
for (int row = 0; row < terrain.NUM_ROWS; row++){
for (int col = 0; col < terrain.NUM_COLS; col++){
cw.Write(terrain.position[col + row*terrain.NUM_COLS]);
cw.Write(terrain.normal[col + row*terrain.NUM_COLS]);
} } }
// Sets the CLR data type to be loaded at runtime.
public override string GetRuntimeType(TargetPlatform targetPlatform){
return "TerrainRuntime.Terrain, TerrainRuntime, Version=1.0.0.0, Culture=neutral";
}
// Tells the content pipeline about reader used to load .xnb data public override string GetRuntimeReader(TargetPlatform targetPlatform){
return "TerrainRuntime.TerrainReader, TerrainRuntime, Version=1.0.0.0, Culture=neutral";
} }
At run time, the Content reader reads the compiled data from the .xnb file. A sepa- rate project is used for this reader. To create it, right-click the solution, choose Add | New Project, and then choose Content Pipeline Extension Library. In the Add New Project dialog, assign it the name TerrainRuntime to match the value given in the GetRuntimeReader()method from inside the content processor. For readability, rename the project code file that is generated to TerrainReader.cs.
The ContentReader is derived from the BinaryReader class and exposes similar methods for retrieving data in the segments you need. Once the data is read, an object of your custom data class is initialized. This custom data object is then made available to your XNA game project as soon as the data is loaded:
using System;
using System.Collections.Generic;
using Microsoft.Xna.Framework;
using Microsoft.Xna.Framework.Content;
namespace TerrainRuntime{
public class Terrain{
// these variables store values that are accessible in game class public byte[] height;
public Vector3[] position;
public Vector3[] normal;
public int NUM_ROWS, NUM_COLS;
public float worldWidth, worldHeight, heightScale;
public float cellWidth, cellHeight;
internal Terrain(ContentReader cr){
NUM_ROWS = cr.ReadInt32();
NUM_COLS = cr.ReadInt32();
worldWidth = cr.ReadSingle();
worldHeight = cr.ReadSingle();
heightScale = cr.ReadSingle();
cellWidth = cr.ReadSingle();
cellHeight = cr.ReadSingle();
// declare position and normal vector arrays position = new Vector3[NUM_ROWS*NUM_COLS];
normal = new Vector3[NUM_ROWS*NUM_COLS];
// read in position and normal data to generate height map for (int row = 0; row < NUM_ROWS; row++){
for (int col = 0; col < NUM_COLS; col++){
position[col + row*NUM_COLS] = cr.ReadVector3();
normal[col + row*NUM_COLS] = cr.ReadVector3();
} } } }
// loads terrain from an XNB file.
public class TerrainReader : ContentTypeReader<Terrain>{
protected override Terrain Read(ContentReader input, Terrain existingInstance){
return new Terrain(input);
} } }
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
410
411
The game project must reference the TerrainRuntime project. To reference this as- sembly, right-click the game project’s References folder in the Solution Explorer and choose Add Reference. In the Add Reference dialog, select the TerrainRuntime pro- ject from the Projects tab and click OK. You will now see this TerrainRuntime refer- ence listed in your game project (see Figure 24-1). The game project’s Content project needs to reference the TerrainPipeline to load the raw content. To add it, right-click the References node under the Content folder and choose Add Reference. Then in the Add Reference dialog, select the TerrainPipeline project from the Projects tab (see Figure 24-1).
Wherever you want to use your custom data type, the new namespace for your runtime content must be included in your original game project:
using TerrainRuntime;
C H A P T E R 2 4
ContentPipelineProcessors
F I G U R E 2 4 - 1
The game project references the runtime project. The content subproject references the pipeline project.
Next, your heightMap.raw file must be referenced in the Images folder for your game project. You can get this file from the Images directory on this book’s website.
Once the heightMap.raw file is referenced, you can set its properties to use your custom content processor to load it. First, you need to build your TerrainPipeline and TerrainRuntime projects to see their references when setting up the heightMap.raw file. You can build each project by right-clicking each project name in the Solution Explorer and choosing Build. Then, to assign the custom content processor to read the .raw file, right-click heightMap in the Solution Explorer and select Properties.
Under the Build Action property drop-down, select Compile. The Content Importer attribute should be set toTerrainPipeline, and the Content Processor attribute should be set toTerrainProcessor. Figure 24-2 shows the content pipeline prop- erty settings for the heightMap.raw file.
In your game project you need an instance of the terrain object at the class level:
Terrain terrain;
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
412
F I G U R E 2 4 - 2
Media file references the custom content importer and processor.
413
Finally, you can now add the instruction to load your .raw data using the content pipeline. Be sure to load your terrain before you initialize the vertex buffer because the vertex buffer is going to store your terrain vertices. To address this you load the terrain content when the program begins, so it is called from theInitialize() method:
terrain = Content.Load<Terrain>("Images\\heightMap");
Now we can start adding our code to extract height information from your height map. TheHandleOffHeightMap()method ensures that the rows and columns are on the height map. If not, it chooses the closest row and column on the map:
private void HandleOffHeightMap(ref int row, ref int col){
if (row >= terrain.NUM_ROWS) row = terrain.NUM_ROWS - 1;
else if (row < 0) row = 0;
if (col >= terrain.NUM_COLS) col = terrain.NUM_COLS - 1;
else if (col < 0) col = 0;
}
RowColumn()is added to the game class to determine an object’s row and col- umn position relative to the object’s world position:
Vector3 RowColumn(Vector3 position){
// calculate X and Z
int col = (int)((position.X + terrain.worldWidth)/terrain.cellWidth);
int row = (int)((position.Z + terrain.worldHeight)/terrain.cellHeight);
HandleOffHeightMap(ref row, ref col);
return new Vector3(col, 0.0f, row);
}
Height()is used in the game class to return the height value associated with a row and column on the height map:
float Height(int row, int col){
HandleOffHeightMap(ref row, ref col);
return terrain.position[col + row*terrain.NUM_COLS].Y;
}
C H A P T E R 2 4
ContentPipelineProcessors
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
414
When finding an object’s height, the object’s location relative to a height map cell is first determined. Position vertices at each corner of the cell to store the Y values that contain the height information. These four known height values are then used to interpolate the actual object height inside the cell. TheLerp()function performs this linear interpolation with the following calculation:
height = height0 + (height1 - height0)*position/(distance from 0 to 1)
The height projection is done in three steps. First the height at the top margin at a fixed distance from the left border of the cell is determined. Then the height at the bottom cell margin with the same distance from the left border is determined. These top and bottom height values are then used with the object’s distance from the top of the cell to determine the height of the object inside the cell (see Figure 24-3).
CellHeight()performs this series of operations to determine the current object height in the game class:
public float CellHeight(Vector3 position){
// get top left row and column indicies Vector3 cellPosition = RowColumn(position);
int row = (int)cellPosition.Z;
int col = (int)cellPosition.X;
// distance from top left of cell
float distanceFromLeft, distanceFromTop;
distanceFromLeft = position.X%terrain.cellWidth;
distanceFromTop = position.Z%terrain.cellHeight;
// lerp projects height relative to known dimensions float topHeight = MathHelper.Lerp(Height(row, col),
Height(row, col + 1), distanceFromLeft);
float bottomHeight = MathHelper.Lerp(Height(row + 1, col), Height(row + 1, col + 1), distanceFromLeft);
return MathHelper.Lerp(topHeight, bottomHeight, distanceFromTop);
}
In this example, the height values are not actually used in any practical sense.
However, we will print the height that corresponds with the camera’s current posi- tion in the window, so a font object is needed in the game project. To add the font
415
C H A P T E R 2 4
ContentPipelineProcessors
XML file, right-click the game project’s Content node and choose Add | New Item.
Select the Sprite Font icon in the Add New Item dialog and assign it the name “Cou- rier New.” You will have to assign a new font value in the FontName element to dis- play this font type:
<FontName>Courier New</FontName>
Next, an instance of aSpriteFontobject is required at the top of the game class to access and draw our font:
private SpriteFont spriteFont;
Here is the code to load and initialize the font sprite. This is needed inside LoadContent():
spriteFont = Content.Load<SpriteFont>("Courier New");
To ensure that our font displays in the viewable region on all televisions, add the TitleSafeRegion()method to your game class:
Rectangle TitleSafeRegion(string outputString, SpriteFont font){
Vector2 stringDimensions = font.MeasureString(outputString);
F I G U R E 2 4 - 3
Steps taken to interpolate the object height
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
416
float width = stringDimensions.X; // string pixel width float height = stringDimensions.Y; // font pixel height
// some televisions only show 80% of the window const float UNSAFEAREA = 0.2f;
Vector2 topLeft = new Vector2();
topLeft.X = graphics.GraphicsDevice.Viewport.Width * UNSAFEAREA/2.0f;
topLeft.Y = graphics.GraphicsDevice.Viewport.Height * UNSAFEAREA/2.0f;
return new Rectangle( // returns margin (int)topLeft.X, // positions in pixels (int)topLeft.Y, // around safe area.
(int)((1.0f - UNSAFEAREA)*(float)Window.ClientBounds.Width - width), (int)((1.0f - UNSAFEAREA)*(float)Window.ClientBounds.Height - height));
}
The font-drawing routine,DisplayCurrentHeight(), is like any font display method you have used in previous chapters.DisplayCurrentHeight()belongs in the game class:
private void DisplayCurrentHeight(){
string outputString;
Rectangle safeArea;
// start drawing font sprites
spriteBatch.Begin(SpriteBlendMode.AlphaBlend, // enable transparency SpriteSortMode.Immediate, // use manual order SaveStateMode.SaveState); // store 3D settings Vector3 position = RowColumn(cam.position);
int row = (int)position.Z;
int col = (int)position.X;
float height = terrain.position[col + terrain.NUM_ROWS*row].Y;
// show cell height and width
outputString = "Cell Height=" + height;
safeArea = TitleSafeRegion(outputString, spriteFont);
spriteBatch.DrawString(spriteFont, outputString, new Vector2(
safeArea.Left, safeArea.Top), Color.Yellow);
417