This code example begins with the solution from the first example in Chapter 24. The content processor in this solution already loads and generates the terrain position and normal vector data. This solution also implements code to detect the camera’s row and column location on the terrain to determine the corresponding camera height over the terrain vertices.
C H A P T E R 2 5
TerrainwithHeightDetection
F I G U R E 2 5 - 4
Texture preview on the left and height map preview on the right
When you finish adding the code from the demonstration in this chapter, the ter- rain will appear and your camera will travel above it. In the distance, a spaceship will ride back and forth across the terrain following the contours of the hills. You can also swap the original height map .raw file and terrain .bmp file with the terrain files that you just designed so you can create your own custom terrain.
This example recycles a lot of the code from the lighting demonstration. However, in this demonstration we are only going to useDrawIndexedGrid()for drawing the terrain and we don’t actually need to transform it. To remove all existing trans- formations, replace the world matrix assignment in this method with the instruction:
world = Matrix.Identity;
You will want to ensure that the proper texture covers your terrain, so be sure to add your terrain.bmp file to the Images folder in your project. Then, replace the as- signment forfloorTextureinLoadContent()with:
floorTexture = Content.Load<Texture2D>("Images\\terrain");
Since the original terrain you created is 257 pixels wide by 257 pixels high, the declarations for the total rows and columns in your game class must be set accord- ingly, so replace the current declarations in the game class with these:
const int NUM_COLS = 257;
const int NUM_ROWS = 257;
The vertex buffer used for storing the terrain vertices must now use the height in- formation from the height map. To do this, insideInitializeVertexBuffer() replace the current nested loop with this revised nested loop:
for(int row = 0; row < NUM_ROWS; row++){
for(int col = 0; col < NUM_COLS; col++){
vertex[col + row * NUM_COLS].Position // position
= terrain.position[col + row*NUM_COLS];
float U = (float)col/(float)(NUM_COLS - 1); // UV float V = (float)row/(float)(NUM_ROWS - 1);
vertex[col + row * NUM_COLS].TextureCoordinate = new Vector2(U, V);
vertex[col + row * NUM_COLS].Normal // normal
= terrain.normal[col + row*NUM_COLS];
} }
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
426
427
The terrain vertices depend on data generated from the terrain loader so be sure to load your terrain insideInitialize()prior to calling InitializeVertexBuffer().
With these routines in place, you can now focus on implementing height detection for your game objects. We will first start with the camera.
UpdateCameraHeight()determines the camera height at the current location.
Then it updates the Y values for the camera position and view:
void UpdateCameraHeight(){
const float HOVER_AMOUNT = 0.25f;
float height = CellHeight(cam.position);
cam.view.Y += height - cam.position.Y + HOVER_AMOUNT;
cam.position.Y += height - cam.position.Y + HOVER_AMOUNT;
}
Updates to the camera height rely on the latest camera position. Also, since the camera view is changing with the height, we need to ensure that the view is also ad- justed. To implement move and view changes properly, trigger the camera’s height adjustment from theUpdate()method immediately afterSetView():
UpdateCameraHeight();
Lastly, you need to comment out the line:
DrawIndexedGrid("wall");
If you run your code now, you will see your beautiful terrain, and your camera po- sition and view will rise and fall along with it as you travel through the world.
Now we are going to add a spaceship that travels back and forth on the Z plane.
This ship implementation for height detection is similar to the camera’s implementa- tion except the ship’sUpvector will adjust to match the slope of the terrain’s face where it is located. Start the spaceship loading and drawing code by declaring vari- ables to store the ship model and to track the ship position:
Model shipModel;
Matrix[] shipMatrix;
Vector3 shipPosition = new Vector3(0.0f, 3.0f, -BOUNDARY/2.0f);
Vector3 shipVelocity = new Vector3(0.0f, 0.0f, 0.318f);
bool positiveDirection = true;
C H A P T E R 2 5
TerrainwithHeightDetection
These next instructions belong inside LoadContent() to load the spaceship model:
shipModel = Content.Load<Model>("Models\\alien1");
shipMatrix = new Matrix[shipModel.Bones.Count];
shipModel.CopyAbsoluteBoneTransformsTo(shipMatrix);
UpdateShipPosition()is used in the game class to not only move the ship on X and Z but also Y to match the height of the terrain below:
void UpdateShipPosition(GameTime gameTime){
const float HOVER_DISTANCE = 0.04f;
// ship's X, Y, Z position without hover distance above the ground shipPosition.Y = shipPosition.Y - HOVER_DISTANCE;
// reverse direction if right boundary exceeded
if (shipPosition.Z < -BOUNDARY && positiveDirection == false){
shipVelocity *= -1.0f;
positiveDirection = true;
}
// reverse direction if left boundary exceeded
else if (shipPosition.Z > BOUNDARY && positiveDirection == true){
shipVelocity *= -1.0f;
positiveDirection = false;
}
// increment position by time scale so speed is same on all systems float time = (float)gameTime.ElapsedGameTime.Milliseconds/200.0f;
shipPosition.Z+= shipVelocity.Z * time;
shipPosition.X+= shipVelocity.X * time;
shipPosition.Y = CellHeight(shipPosition) + HOVER_DISTANCE;
}
To update the ship height each frame, trigger the ship update at the end of theUp- date()method:
UpdateShipPosition(gameTime);
When drawing objects that use the terrain, you need to do more than just update their positions and directions about the Y axis. You also need to update their orienta- tion relative to the slope of the terrain where they are located. This next section of code allows you to do this.
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
428
429
When you’re drawing the spaceship, the ship’s Up vector is calculated using a weighted average of leading and trailing normal vectors in the ship’s path (see Figure 25-5). This weighted average prevents a jerking motion caused as the ship’sUpvector changes from one cell to the next. If you want to make it look as if you don’t have any shock absorption, you can just use the normal vector for the current cell only.
Whether you are calculating weighted or normal vectors, a method is required to project or interpolate the object’s position ahead or behind. When directionScalarequals +1, the position in one cell ahead is determined. When directionScalar equals -1, the position one cell behind is determined. Add ProjectedXZ()to the game class to interpolate the X and Z positions for objects in leading and trailing cells:
public Vector3 ProjectedXZ(Vector3 position, Vector3 speed, float directionScalar){
// only consider change in X and Z when projecting position // in neighboring cell.
Vector3 velocity = new Vector3(speed.X, 0.0f, speed.Z);
velocity = Vector3.Normalize(velocity);
float changeX = directionScalar * terrain.cellWidth * velocity.X;
float changeZ = directionScalar * terrain.cellHeight * velocity.Z;
return new Vector3(position.X + changeX, 0.0f, position.Z + changeZ);
}
CellWeight()determines the remaining distance within the current cell relative to the total distance projected into the neighboring cell. This fraction is then used to
C H A P T E R 2 5
TerrainwithHeightDetection
F I G U R E 2 5 - 5
Trailing and loading normal vectors
weight the height values and Up vectors in trailing and leading height map cells.
CellWeight()belongs in the game class:
float CellWeight(Vector3 currentPosition, Vector3 nextPosition){
Vector3 currRowColumn = RowColumn(currentPosition);
int currRow = (int)currRowColumn.Z;
int currCol = (int)currRowColumn.X;
Vector3 nextRowColumn = RowColumn(nextPosition);
int nextRow = (int)nextRowColumn.Z;
int nextCol = (int)nextRowColumn.X;
// find row and column between current cell and neighbor cell int rowBorder, colBorder;
if (currRow < nextRow) rowBorder = currRow + 1;
else
rowBorder = currRow;
if (currCol < nextCol) // next cell at right of current cell colBorder = currCol + 1;
else
colBorder = currCol; // next cell at left of current cell
Vector3 intersect = Vector3.Zero; // margins between current // and next cell
intersect.X = -BOUNDARY + colBorder*terrain.cellWidth;
intersect.Z = -BOUNDARY + rowBorder*terrain.cellHeight;
currentPosition.Y = 0.0f; // not concerned about height
// find distance between current position and cell border Vector3 difference = intersect - currentPosition;
float lengthToBorder = difference.Length();
// find distance to projected location in neighboring cell difference = nextPosition - currentPosition;
float lengthToNewCell = difference.Length();
if(lengthToNewCell==0) // prevent divide by zero return 0.0f;
// weighted distance in current cell relative to the entire
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
430
431
// distance to projected position
return lengthToBorder / lengthToNewCell;
}
Since the normal vector is projected in the cell ahead or trailing cell behind, an ad- justment is required to handle situations where the current and projected cell are both off the height map. Replace the existingHandleOffHeightMap()method with this revision to remedy this case. If you don’t, you will notice the spaceship dis- appears when it reaches the end of the world when Z is positive:
private void HandleOffHeightMap(ref int row, ref int col){
if (row >= terrain.NUM_ROWS) row = terrain.NUM_ROWS - 2;
else if (row < 0) row = 0;
if (col >= terrain.NUM_COLS) col = terrain.NUM_COLS - 2;
else if (col < 0) col = 0;
}
CellNormal()receives the height map row and column as parameters and re- turns the corresponding normal vector. The normal vector serves as a measure of up- rightness for the object travelling above this location:
Vector3 CellNormal(int row, int col){
HandleOffHeightMap(ref row, ref col);
return terrain.normal[col + row * terrain.NUM_COLS];
}
Normal()projects the normal vector inside the cell according to the position rel- ative to the surrounding height map cell vertices. Chapter 24 explains theLerp() calculation behind this projection:
Vector3 Normal(Vector3 position){
// coordinates for top left of cell
Vector3 cellPosition = RowColumn(position);
int row = (int)cellPosition.Z;
int col = (int)cellPosition.X;
// distance from top left of cell
float distanceFromLeft = position.X%terrain.cellWidth;
C H A P T E R 2 5
TerrainwithHeightDetection
float distanceFromTop = position.Z%terrain.cellHeight;
// use lerp to interpolate normal at point within cell Vector3 topNormal = Vector3.Lerp(
CellNormal(row, col), CellNormal(row,col+1), distanceFromLeft);
Vector3 bottomNormal = Vector3.Lerp(
CellNormal(row+1,col),CellNormal(row+1,col+1),distanceFromLeft);
Vector3 normal = Vector3.Lerp(
topNormal, bottomNormal, distanceFromTop);
normal.Normalize(); // convert to unit vector for consistency return normal;
}
NormalWeight()is needed in the game class to allocate a weighted portion for each normal vector contained in a fixed range along the object’s path, as shown in Figure 25-5. These weighted normal vectors are later combined to generate the up- right vector for the spaceship. If you only use the current normal vector for your ship’sUpdirection, you will notice sudden changes in orientation at each cell and the ride will appear to be a rough one:
Vector3 NormalWeight(Vector3 position, Vector3 speed,
float numCells, float directionScalar){
float weight = 0.0f;
float startWeight = 0.0f;
float totalSteps = (float)numCells;
Vector3 nextPosition;
Vector3 cumulativeNormal = Vector3.Zero;
for (int i = 0; i <= numCells; i++) { // get position in next cell
nextPosition = ProjectedXZ(position, speed, directionScalar);
if (i == 0){ // current cell
startWeight = CellWeight(position, nextPosition);
weight = startWeight/totalSteps;
}
else if (i == numCells) // end cell
weight = (1.0f - startWeight)/totalSteps;
else // all cells in between weight = 1.0f/totalSteps;
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
432
433
cumulativeNormal+= weight * Normal(position);
position = nextPosition;
}
cumulativeNormal.Normalize();
return cumulativeNormal;
}
ProjectedUp()drives the normal vector calculation for the ship from the game class. This method ensures that your ship is oriented properly above the terrain face:
Vector3 ProjectedUp(Vector3 position, Vector3 speed, int numCells){
Vector3 frontAverage, backAverage, projectedUp;
// total steps must be 0 or more. 0 steps means no shock absorption.
if (numCells <= 0)
return Normal(position);
// weighted average of normals ahead and behind enable smoother ride.
else{
frontAverage = NormalWeight(position, speed, numCells, 1.0f);
backAverage = NormalWeight(position, speed, numCells,-1.0f);
}
projectedUp = (frontAverage + backAverage)/2.0f;
projectedUp.Normalize();
return projectedUp;
}
ShipWorldMatrix()assembles the cumulative transformation for the space- ship. It performs the same scaling and translation routine that we have implemented in previous chapters.ShipWorldMatrix()also calculates the ship’s orientation according to both the ship’s direction and the slope of the terrain underneath. The di- rection matrix used is described in more detail in Chapter 8. These are the steps used to generate the direction matrix (refer to Figure 26-6):
1. Initialize a direction matrix using a fixed rotation about the Y axis. This is arbitrary but the direction vectors contained within this matrix will be corrected later.
2. Calculate the properUpvector using a weighted average of leading and trailing normal vectors on the ship’s path, as shown in Figure 25-5.
3. Generate theRightvector from the initialForwardand weightedUp vector.
4. Calculate the properForwardvector using the cross product of theUp andRightvectors.
C H A P T E R 2 5
TerrainwithHeightDetection
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
434
AddShipWorldMatrix() to the game class to set the ship’s direction:
Matrix ShipWorldMatrix() {
float rotationAngle = (float)Math.Atan2(shipVelocity.Z,
shipVelocity.X) + MathHelper.Pi / 2.0f;
Matrix rotationY = Matrix.CreateRotationY(rotationAngle);
Matrix scale = Matrix.CreateScale(0.3f, 0.3f, 0.3f);
Matrix translation = Matrix.CreateTranslation(shipPosition);
// 1.
// generate direction matrix with fixed rotation about Y axis Matrix dir = Matrix.CreateRotationY(MathHelper.Pi);
Vector3 velocity = Vector3.Normalize(shipVelocity);
// 2.
// get UP vector using weighted average of cells in object path const int CELL_SPAN = 3; // total trailing and leading cells dir.Up = ProjectedUp(shipPosition, velocity, CELL_SPAN);
// 3.
// FORWARD stores a fixed direction about Y but it is enough to // compute the RIGHT vector which is the normal of FORWARD & UP dir.Right = Vector3.Cross(dir.Forward, dir.Up);
dir.Right = Vector3.Normalize(dir.Right);
// 4.
// Re-calculate FORWARD with known UP and RIGHT vectors dir.Forward = Vector3.Cross(dir.Up, dir.Right);
F I G U R E 2 5 - 6
Direction matrix
435
dir.Forward = Vector3.Normalize(dir.Forward);
// apply other transformations along with direction matrix return scale * rotationY * dir * translation;
}
DrawModel()is needed in the game class to draw the ship. It draws the ship at the position and with the orientation to fit the terrain location and slope:
void DrawModel(Model model){
// declare matrices
Matrix world = ShipWorldMatrix();
foreach (ModelMesh mesh in model.Meshes){
foreach (BasicEffect effect in mesh.Effects) { // pass wvp to shader
effect.World = shipMatrix[mesh.ParentBone.Index] * world;
effect.View = cam.viewMatrix;
effect.Projection = cam.projectionMatrix;
// set lighting
effect.EnableDefaultLighting();
effect.CommitChanges();
}
// draw object mesh.Draw();
} }
DrawShip()is called from theDraw()method:
DrawModel(shipModel);
When you run the program, your hills will appear, and as you move over them the camera will rise and fall with their elevation. The spaceship will travel back and forth riding the changes in terrain slope. As you can see, this impressive effect was created with very little effort.
If you like the textures generated by the noncommercial version of Terragen, you should consider purchasing a license so you have the ability to create even larger im- age sizes and you can access more features.
C H A P T E R 2 5
TerrainwithHeightDetection