DirectX/10.0/Direct3D/視錐剔除
螢幕上三維觀察區域,所有內容都繪製到該區域,稱為視錐體。視錐體內部的所有內容都將由顯示卡渲染到螢幕上。視錐體外部的所有內容都將由顯示卡進行檢查,然後在渲染過程中丟棄。
但是,依賴顯示卡進行剔除的過程對於大型場景來說可能非常昂貴。例如,假設我們有一個場景包含 2000 多個模型,每個模型有 5,000 個多邊形,但在任何給定時間只有 10-20 個模型是可見的。顯示卡必須檢查所有 2000 個模型中的每個三角形,以從場景中刪除 1990 個模型,以便我們只繪製 10 個模型。正如您所看到的,這非常低效。
視錐剔除如何解決我們的問題是,我們可以在渲染之前確定模型是否在我們的視錐體內。這使我們不必將所有三角形傳送到顯示卡,並且只允許我們傳送需要繪製的三角形。我們做到這一點的方法是在每個模型周圍放置一個立方體、矩形或球體,然後計算該立方體、矩形或球體是否可見。執行此操作的數學運算通常只需要幾行程式碼,從而消除了可能需要測試數千個三角形的需求。
為了演示其工作原理,我們將首先建立一個場景,其中包含 25 個隨機放置的球體。然後,我們將手動旋轉相機以測試使用左右箭頭鍵對視域外的球體進行剔除。我們還將使用一個計數器並顯示正在繪製且未剔除的球體數量以進行確認。我們將使用來自之前幾個教程的程式碼來建立場景。
框架
[edit | edit source]框架主要包含來自之前幾個教程的類。我們確實有三個新類,稱為 FrustumClass、PositionClass 和 ModelListClass。FrustumClass 將封裝本教程關注的視錐剔除功能。ModelListClass 將包含將隨機生成的 25 個球體的 位置和顏色資訊列表。PositionClass 將根據使用者是否按下左右箭頭鍵來處理相機的檢視旋轉。
Frustumclass.h
[edit | edit source]FrustumClass 的標頭檔案非常簡單。該類不需要任何初始化或關閉。在每一幀中,在相機首次渲染後,都會呼叫 ConstructFrustum 函式。ConstructFrustum 函式使用私有的 m_planes 根據更新後的檢視位置計算並存儲視錐體的六個平面。從那裡,我們可以呼叫四個檢查函式中的任何一個,以檢視點、立方體、球體或矩形是否在檢視視錐體內。
////////////////////////////////////////////////////////////////////////////////
// Filename: frustumclass.h
////////////////////////////////////////////////////////////////////////////////
#ifndef _FRUSTUMCLASS_H_
#define _FRUSTUMCLASS_H_
//////////////
// INCLUDES //
//////////////
#include <d3dx10math.h>
////////////////////////////////////////////////////////////////////////////////
// Class name: FrustumClass
////////////////////////////////////////////////////////////////////////////////
class FrustumClass
{
public:
FrustumClass();
FrustumClass(const FrustumClass&);
~FrustumClass();
void ConstructFrustum(float, D3DXMATRIX, D3DXMATRIX);
bool CheckPoint(float, float, float);
bool CheckCube(float, float, float, float);
bool CheckSphere(float, float, float, float);
bool CheckRectangle(float, float, float, float, float, float);
private:
D3DXPLANE m_planes[6];
};
#endif
Frustumclass.cpp
[edit | edit source]////////////////////////////////////////////////////////////////////////////////
// Filename: frustumclass.cpp
////////////////////////////////////////////////////////////////////////////////
#include "frustumclass.h"
FrustumClass::FrustumClass()
{
}
FrustumClass::FrustumClass(const FrustumClass& other)
{
}
FrustumClass::~FrustumClass()
{
}
ConstructFrustum 在每一幀中由 GraphicsClass 呼叫。它傳遞螢幕深度、投影矩陣和檢視矩陣。然後,我們使用這些輸入變數來計算該幀中視錐體的矩陣。有了新的視錐矩陣,我們就可以計算出構成視錐體的六個平面。
void FrustumClass::ConstructFrustum(float screenDepth, D3DXMATRIX projectionMatrix, D3DXMATRIX viewMatrix)
{
float zMinimum, r;
D3DXMATRIX matrix;
// Calculate the minimum Z distance in the frustum.
zMinimum = -projectionMatrix._43 / projectionMatrix._33;
r = screenDepth / (screenDepth - zMinimum);
projectionMatrix._33 = r;
projectionMatrix._43 = -r * zMinimum;
// Create the frustum matrix from the view matrix and updated projection matrix.
D3DXMatrixMultiply(&matrix, &viewMatrix, &projectionMatrix);
// Calculate near plane of frustum.
m_planes[0].a = matrix._14 + matrix._13;
m_planes[0].b = matrix._24 + matrix._23;
m_planes[0].c = matrix._34 + matrix._33;
m_planes[0].d = matrix._44 + matrix._43;
D3DXPlaneNormalize(&m_planes[0], &m_planes[0]);
// Calculate far plane of frustum.
m_planes[1].a = matrix._14 - matrix._13;
m_planes[1].b = matrix._24 - matrix._23;
m_planes[1].c = matrix._34 - matrix._33;
m_planes[1].d = matrix._44 - matrix._43;
D3DXPlaneNormalize(&m_planes[1], &m_planes[1]);
// Calculate left plane of frustum.
m_planes[2].a = matrix._14 + matrix._11;
m_planes[2].b = matrix._24 + matrix._21;
m_planes[2].c = matrix._34 + matrix._31;
m_planes[2].d = matrix._44 + matrix._41;
D3DXPlaneNormalize(&m_planes[2], &m_planes[2]);
// Calculate right plane of frustum.
m_planes[3].a = matrix._14 - matrix._11;
m_planes[3].b = matrix._24 - matrix._21;
m_planes[3].c = matrix._34 - matrix._31;
m_planes[3].d = matrix._44 - matrix._41;
D3DXPlaneNormalize(&m_planes[3], &m_planes[3]);
// Calculate top plane of frustum.
m_planes[4].a = matrix._14 - matrix._12;
m_planes[4].b = matrix._24 - matrix._22;
m_planes[4].c = matrix._34 - matrix._32;
m_planes[4].d = matrix._44 - matrix._42;
D3DXPlaneNormalize(&m_planes[4], &m_planes[4]);
// Calculate bottom plane of frustum.
m_planes[5].a = matrix._14 + matrix._12;
m_planes[5].b = matrix._24 + matrix._22;
m_planes[5].c = matrix._34 + matrix._32;
m_planes[5].d = matrix._44 + matrix._42;
D3DXPlaneNormalize(&m_planes[5], &m_planes[5]);
return;
}
CheckPoint 檢查單個點是否在檢視視錐體內。這是四個檢查演算法中最通用的演算法,但如果在正確的情況下正確使用,與其他檢查方法相比,它可能會非常有效。它接收點並檢查它是否在所有六個平面內。如果點在所有六個平面內,則返回 true,否則如果不在,則返回 false。
bool FrustumClass::CheckPoint(float x, float y, float z)
{
int i;
// Check if the point is inside all six planes of the view frustum.
for(i=0; i
CheckCube 檢查立方體的八個角點是否在檢視視錐體內。它只需要立方體的中心點和半徑作為輸入,它使用這些資訊來計算立方體的 8 個角點。然後,它檢查檢視視錐體的 6 個平面中是否有一個角點。如果它確實在所有六個平面內找到一個點,則返回 true,否則返回 false。
bool FrustumClass::CheckCube(float xCenter, float yCenter, float zCenter, float radius)
{
int i;
// Check if any one point of the cube is in the view frustum.
for(i=0; i= 0.0f)
{
continue;
}
if(D3DXPlaneDotCoord(&m_planes[i], &D3DXVECTOR3((xCenter + radius), (yCenter - radius), (zCenter - radius))) >= 0.0f)
{
continue;
}
if(D3DXPlaneDotCoord(&m_planes[i], &D3DXVECTOR3((xCenter - radius), (yCenter + radius), (zCenter - radius))) >= 0.0f)
{
continue;
}
if(D3DXPlaneDotCoord(&m_planes[i], &D3DXVECTOR3((xCenter + radius), (yCenter + radius), (zCenter - radius))) >= 0.0f)
{
continue;
}
if(D3DXPlaneDotCoord(&m_planes[i], &D3DXVECTOR3((xCenter - radius), (yCenter - radius), (zCenter + radius))) >= 0.0f)
{
continue;
}
if(D3DXPlaneDotCoord(&m_planes[i], &D3DXVECTOR3((xCenter + radius), (yCenter - radius), (zCenter + radius))) >= 0.0f)
{
continue;
}
if(D3DXPlaneDotCoord(&m_planes[i], &D3DXVECTOR3((xCenter - radius), (yCenter + radius), (zCenter + radius))) >= 0.0f)
{
continue;
}
if(D3DXPlaneDotCoord(&m_planes[i], &D3DXVECTOR3((xCenter + radius), (yCenter + radius), (zCenter + radius))) >= 0.0f)
{
continue;
}
return false;
}
return true;
}
CheckSphere 檢查從中心點開始的球體的半徑是否在檢視視錐體的六個平面內。如果它在任何平面之外,則球體不可見,函式將返回 false。如果它在所有六個平面內,則函式返回 true,表示球體可見。
bool FrustumClass::CheckSphere(float xCenter, float yCenter, float zCenter, float radius)
{
int i;
// Check if the radius of the sphere is inside the view frustum.
for(i=0; i
CheckRectangle 的工作原理與 CheckCube 相同,只是它接收矩形的 x 半徑、y 半徑和 z 半徑作為輸入,而不是立方體的單個半徑。然後,它可以計算矩形的 8 個角點,並執行類似於 CheckCube 函式的視錐檢查。
bool FrustumClass::CheckRectangle(float xCenter, float yCenter, float zCenter, float xSize, float ySize, float zSize)
{
int i;
// Check if any of the 6 planes of the rectangle are inside the view frustum.
for(i=0; i= 0.0f)
{
continue;
}
if(D3DXPlaneDotCoord(&m_planes[i], &D3DXVECTOR3((xCenter + xSize), (yCenter - ySize), (zCenter - zSize))) >= 0.0f)
{
continue;
}
if(D3DXPlaneDotCoord(&m_planes[i], &D3DXVECTOR3((xCenter - xSize), (yCenter + ySize), (zCenter - zSize))) >= 0.0f)
{
continue;
}
if(D3DXPlaneDotCoord(&m_planes[i], &D3DXVECTOR3((xCenter - xSize), (yCenter - ySize), (zCenter + zSize))) >= 0.0f)
{
continue;
}
if(D3DXPlaneDotCoord(&m_planes[i], &D3DXVECTOR3((xCenter + xSize), (yCenter + ySize), (zCenter - zSize))) >= 0.0f)
{
continue;
}
if(D3DXPlaneDotCoord(&m_planes[i], &D3DXVECTOR3((xCenter + xSize), (yCenter - ySize), (zCenter + zSize))) >= 0.0f)
{
continue;
}
if(D3DXPlaneDotCoord(&m_planes[i], &D3DXVECTOR3((xCenter - xSize), (yCenter + ySize), (zCenter + zSize))) >= 0.0f)
{
continue;
}
if(D3DXPlaneDotCoord(&m_planes[i], &D3DXVECTOR3((xCenter + xSize), (yCenter + ySize), (zCenter + zSize))) >= 0.0f)
{
continue;
}
return false;
}
return true;
}
Modellistclass.h
[edit | edit source]ModelListClass 是一個新的類,用於維護有關場景中所有模型的資訊。在本教程中,它只維護球體模型的大小和顏色,因為我們只有一種模型型別。此類可以擴充套件以維護場景中所有不同型別的模型以及它們對 ModelClass 的索引,但我現在將本教程保持簡單。
///////////////////////////////////////////////////////////////////////////////
// Filename: modellistclass.h
///////////////////////////////////////////////////////////////////////////////
#ifndef _MODELLISTCLASS_H_
#define _MODELLISTCLASS_H_
//////////////
// INCLUDES //
//////////////
#include <d3dx10math.h>
#include <stdlib.h>
#include <time.h>
///////////////////////////////////////////////////////////////////////////////
// Class name: ModelListClass
///////////////////////////////////////////////////////////////////////////////
class ModelListClass
{
private:
struct ModelInfoType
{
D3DXVECTOR4 color;
float positionX, positionY, positionZ;
};
public:
ModelListClass();
ModelListClass(const ModelListClass&);
~ModelListClass();
bool Initialize(int);
void Shutdown();
int GetModelCount();
void GetData(int, float&, float&, float&, D3DXVECTOR4&);
private:
int m_modelCount;
ModelInfoType* m_ModelInfoList;
};
#endif
Modellistclass.cpp
[edit | edit source]/////////////////////////////////////////////////////////////////////////////// // Filename: modellistclass.cpp /////////////////////////////////////////////////////////////////////////////// #include "modellistclass.h"
類建構函式將模型資訊列表初始化為 null。
ModelListClass::ModelListClass()
{
m_ModelInfoList = 0;
}
ModelListClass::ModelListClass(const ModelListClass& other)
{
}
ModelListClass::~ModelListClass()
{
}
bool ModelListClass::Initialize(int numModels)
{
int i;
float red, green, blue;
首先儲存要使用的模型數量,然後使用 ModelInfoType 結構建立它們列表陣列。
// Store the number of models.
m_modelCount = numModels;
// Create a list array of the model information.
m_ModelInfoList = new ModelInfoType[m_modelCount];
if(!m_ModelInfoList)
{
return false;
}
使用當前時間對隨機數生成器進行播種,然後隨機生成模型的位置和顏色,並將它們儲存在列表陣列中。
// Seed the random generator with the current time.
srand((unsigned int)time(NULL));
// Go through all the models and randomly generate the model color and position.
for(i=0; i<m_modelCount; i++)
{
// Generate a random color for the model.
red = (float)rand() / RAND_MAX;
green = (float)rand() / RAND_MAX;
blue = (float)rand() / RAND_MAX;
m_ModelInfoList[i].color = D3DXVECTOR4(red, green, blue, 1.0f);
// Generate a random position in front of the viewer for the mode.
m_ModelInfoList[i].positionX = (((float)rand()-(float)rand())/RAND_MAX) * 10.0f;
m_ModelInfoList[i].positionY = (((float)rand()-(float)rand())/RAND_MAX) * 10.0f;
m_ModelInfoList[i].positionZ = ((((float)rand()-(float)rand())/RAND_MAX) * 10.0f) + 5.0f;
}
return true;
}
Shutdown 函式釋放模型資訊列表陣列。
void ModelListClass::Shutdown()
{
// Release the model information list.
if(m_ModelInfoList)
{
delete [] m_ModelInfoList;
m_ModelInfoList = 0;
}
return;
}
GetModelCount 返回此類維護資訊的模型數量。
int ModelListClass::GetModelCount()
{
return m_modelCount;
}
GetData 函式在給定輸入索引位置提取球體的位置和顏色。
void ModelListClass::GetData(int index, float& positionX, float& positionY, float& positionZ, D3DXVECTOR4& color)
{
positionX = m_ModelInfoList[index].positionX;
positionY = m_ModelInfoList[index].positionY;
positionZ = m_ModelInfoList[index].positionZ;
color = m_ModelInfoList[index].color;
return;
}
Graphicsclass.h
[edit | edit source]//////////////////////////////////////////////////////////////////////////////// // Filename: graphicsclass.h //////////////////////////////////////////////////////////////////////////////// #ifndef _GRAPHICSCLASS_H_ #define _GRAPHICSCLASS_H_ ///////////// // GLOBALS // ///////////// const bool FULL_SCREEN = true; const bool VSYNC_ENABLED = true; const float SCREEN_DEPTH = 1000.0f; const float SCREEN_NEAR = 0.1f;
本教程的 GraphicsClass 包含我們在之前教程中使用的一些類。它還包含 frustumclass.h 和 modellistclass.h 標頭檔案,這兩個標頭檔案是新的。
///////////////////////
// MY CLASS INCLUDES //
///////////////////////
#include "d3dclass.h"
#include "cameraclass.h"
#include "textclass.h"
#include "modelclass.h"
#include "lightshaderclass.h"
#include "lightclass.h"
#include "modellistclass.h"
#include "frustumclass.h"
////////////////////////////////////////////////////////////////////////////////
// Class name: GraphicsClass
////////////////////////////////////////////////////////////////////////////////
class GraphicsClass
{
public:
GraphicsClass();
GraphicsClass(const GraphicsClass&);
~GraphicsClass();
bool Initialize(int, int, HWND);
void Shutdown();
bool Frame(float);
bool Render();
private:
兩個新的私有類物件是 m_Frustum 和 m_ModelList。
D3DClass* m_D3D; CameraClass* m_Camera; TextClass* m_Text; ModelClass* m_Model; LightShaderClass* m_LightShader; LightClass* m_Light; ModelListClass* m_ModelList; FrustumClass* m_Frustum; }; #endif
Graphicsclass.cpp
[edit | edit source]我將只介紹自上一個教程以來發生改變的函式。
//////////////////////////////////////////////////////////////////////////////// // Filename: graphicsclass.cpp //////////////////////////////////////////////////////////////////////////////// #include "graphicsclass.h"
類建構函式將私有成員變數初始化為 null。
GraphicsClass::GraphicsClass()
{
m_D3D = 0;
m_Camera = 0;
m_Text = 0;
m_Model = 0;
m_LightShader = 0;
m_Light = 0;
m_ModelList = 0;
m_Frustum = 0;
}
bool GraphicsClass::Initialize(int screenWidth, int screenHeight, HWND hwnd)
{
bool result;
D3DXMATRIX baseViewMatrix;
// Create the Direct3D object.
m_D3D = new D3DClass;
if(!m_D3D)
{
return false;
}
// Initialize the Direct3D object.
result = m_D3D->Initialize(screenWidth, screenHeight, VSYNC_ENABLED, hwnd, FULL_SCREEN, SCREEN_DEPTH, SCREEN_NEAR);
if(!result)
{
MessageBox(hwnd, L"Could not initialize Direct3D.", L"Error", MB_OK);
return false;
}
// Create the camera object.
m_Camera = new CameraClass;
if(!m_Camera)
{
return false;
}
// Initialize a base view matrix with the camera for 2D user interface rendering.
m_Camera->SetPosition(0.0f, 0.0f, -1.0f);
m_Camera->Render();
m_Camera->GetViewMatrix(baseViewMatrix);
// Create the text object.
m_Text = new TextClass;
if(!m_Text)
{
return false;
}
// Initialize the text object.
result = m_Text->Initialize(m_D3D->GetDevice(), m_D3D->GetDeviceContext(), hwnd, screenWidth, screenHeight, baseViewMatrix);
if(!result)
{
MessageBox(hwnd, L"Could not initialize the text object.", L"Error", MB_OK);
return false;
}
// Create the model object.
m_Model = new ModelClass;
if(!m_Model)
{
return false;
}
在本教程中,我們載入了一個球體模型,而不是一個立方體模型。
// Initialize the model object.
result = m_Model->Initialize(m_D3D->GetDevice(), L"../Engine/data/seafloor.dds", "../Engine/data/sphere.txt");
if(!result)
{
MessageBox(hwnd, L"Could not initialize the model object.", L"Error", MB_OK);
return false;
}
// Create the light shader object.
m_LightShader = new LightShaderClass;
if(!m_LightShader)
{
return false;
}
// Initialize the light shader object.
result = m_LightShader->Initialize(m_D3D->GetDevice(), hwnd);
if(!result)
{
MessageBox(hwnd, L"Could not initialize the light shader object.", L"Error", MB_OK);
return false;
}
// Create the light object.
m_Light = new LightClass;
if(!m_Light)
{
return false;
}
// Initialize the light object.
m_Light->SetDirection(0.0f, 0.0f, 1.0f);
在這裡,我們建立了新的 ModelListClass 物件,並讓它建立 25 個隨機放置/著色的球體模型。
// Create the model list object.
m_ModelList = new ModelListClass;
if(!m_ModelList)
{
return false;
}
// Initialize the model list object.
result = m_ModelList->Initialize(25);
if(!result)
{
MessageBox(hwnd, L"Could not initialize the model list object.", L"Error", MB_OK);
return false;
}
在這裡,我們建立了新的 FrustumClass 物件。它不需要任何初始化,因為這在每一幀中使用 ConstructFrustum 函式完成。
// Create the frustum object.
m_Frustum = new FrustumClass;
if(!m_Frustum)
{
return false;
}
return true;
}
void GraphicsClass::Shutdown()
{
在 Shutdown 函式中,我們在這裡釋放了新的 FrustumClass 和 ModelListClass 物件。
// Release the frustum object.
if(m_Frustum)
{
delete m_Frustum;
m_Frustum = 0;
}
// Release the model list object.
if(m_ModelList)
{
m_ModelList->Shutdown();
delete m_ModelList;
m_ModelList = 0;
}
// Release the light object.
if(m_Light)
{
delete m_Light;
m_Light = 0;
}
// Release the light shader object.
if(m_LightShader)
{
m_LightShader->Shutdown();
delete m_LightShader;
m_LightShader = 0;
}
// Release the model object.
if(m_Model)
{
m_Model->Shutdown();
delete m_Model;
m_Model = 0;
}
// Release the text object.
if(m_Text)
{
m_Text->Shutdown();
delete m_Text;
m_Text = 0;
}
// Release the camera object.
if(m_Camera)
{
delete m_Camera;
m_Camera = 0;
}
// Release the Direct3D object.
if(m_D3D)
{
m_D3D->Shutdown();
delete m_D3D;
m_D3D = 0;
}
return;
}
Frame 函式現在從呼叫它的 SystemClass 中獲取相機的旋轉。然後設定相機的 位置和旋轉,以便可以在 Render 函式中正確更新檢視矩陣。
bool GraphicsClass::Frame(float rotationY)
{
// Set the position of the camera.
m_Camera->SetPosition(0.0f, 0.0f, -10.0f);
// Set the rotation of the camera.
m_Camera->SetRotation(0.0f, rotationY, 0.0f);
return true;
}
bool GraphicsClass::Render()
{
D3DXMATRIX worldMatrix, viewMatrix, projectionMatrix, orthoMatrix;
int modelCount, renderCount, index;
float positionX, positionY, positionZ, radius;
D3DXVECTOR4 color;
bool renderModel, result;
// Clear the buffers to begin the scene.
m_D3D->BeginScene(0.0f, 0.0f, 0.0f, 1.0f);
// Generate the view matrix based on the camera's position.
m_Camera->Render();
// Get the world, view, projection, and ortho matrices from the camera and d3d objects.
m_D3D->GetWorldMatrix(worldMatrix);
m_Camera->GetViewMatrix(viewMatrix);
m_D3D->GetProjectionMatrix(projectionMatrix);
m_D3D->GetOrthoMatrix(orthoMatrix);
渲染函式的主要變化是,我們現在根據更新的檢視矩陣在每一幀構建視錐體。每次檢視矩陣發生變化,都需要進行這種構建,否則視錐體剔除檢查將不準確。
// Construct the frustum. m_Frustum->ConstructFrustum(SCREEN_DEPTH, projectionMatrix, viewMatrix); // Get the number of models that will be rendered. modelCount = m_ModelList->GetModelCount(); // Initialize the count of models that have been rendered. renderCount = 0;
現在遍歷 ModelListClass 物件中的所有模型。
// Go through all the models and render them only if they can be seen by the camera view.
for(index=0; index<modelCount; index++)
{
// Get the position and color of the sphere model at this index.
m_ModelList->GetData(index, positionX, positionY, positionZ, color);
// Set the radius of the sphere to 1.0 since this is already known.
radius = 1.0f;
在這裡,我們使用新的 FrustumClass 物件。我們檢查球體是否在視錐體中可見。如果可見,則渲染它;如果不可見,則跳過它並檢查下一個。這就是我們使用視錐體剔除來獲得所有速度的地方。
// Check if the sphere model is in the view frustum.
renderModel = m_Frustum->CheckSphere(positionX, positionY, positionZ, radius);
// If it can be seen then render it, if not skip this model and check the next sphere.
if(renderModel)
{
// Move the model to the location it should be rendered at.
D3DXMatrixTranslation(&worldMatrix, positionX, positionY, positionZ);
// Put the model vertex and index buffers on the graphics pipeline to prepare them for drawing.
m_Model->Render(m_D3D->GetDeviceContext());
// Render the model using the light shader.
m_LightShader->Render(m_D3D->GetDeviceContext(), m_Model->GetIndexCount(), worldMatrix, viewMatrix, projectionMatrix,
m_Model->GetTexture(), m_Light->GetDirection(), color);
// Reset to the original world matrix.
m_D3D->GetWorldMatrix(worldMatrix);
// Since this model was rendered then increase the count for this frame.
renderCount++;
}
}
我們使用稍微修改過的 TextClass 來顯示實際渲染了多少個球體。我們還可以從這個數字中推斷出,未渲染的球體是使用新的 FrustumClass 物件剔除的。
// Set the number of models that was actually rendered this frame.
result = m_Text->SetRenderCount(renderCount, m_D3D->GetDeviceContext());
if(!result)
{
return false;
}
// Turn off the Z buffer to begin all 2D rendering.
m_D3D->TurnZBufferOff();
// Turn on the alpha blending before rendering the text.
m_D3D->TurnOnAlphaBlending();
// Render the text string of the render count.
m_Text->Render(m_D3D->GetDeviceContext(), worldMatrix, orthoMatrix);
if(!result)
{
return false;
}
// Turn off alpha blending after rendering the text.
m_D3D->TurnOffAlphaBlending();
// Turn the Z buffer back on now that all 2D rendering has completed.
m_D3D->TurnZBufferOn();
// Present the rendered scene to the screen.
m_D3D->EndScene();
return true;
}
Positionclass.h
[edit | edit source]為了允許使用本教程中的左右箭頭鍵進行相機移動,我們建立了一個新類來計算和維護觀察者的位置。這個類目前只處理左右轉向,但可以擴充套件以維護所有不同的移動變化。移動還包括加速度和減速,以建立平滑的相機效果。
////////////////////////////////////////////////////////////////////////////////
// Filename: positionclass.h
////////////////////////////////////////////////////////////////////////////////
#ifndef _POSITIONCLASS_H_
#define _POSITIONCLASS_H_
//////////////
// INCLUDES //
//////////////
#include <math.h>
////////////////////////////////////////////////////////////////////////////////
// Class name: PositionClass
////////////////////////////////////////////////////////////////////////////////
class PositionClass
{
public:
PositionClass();
PositionClass(const PositionClass&);
~PositionClass();
void SetFrameTime(float);
void GetRotation(float&);
void TurnLeft(bool);
void TurnRight(bool);
private:
float m_frameTime;
float m_rotationY;
float m_leftTurnSpeed, m_rightTurnSpeed;
};
#endif
Positionclass.cpp
[edit | edit source]//////////////////////////////////////////////////////////////////////////////// // Filename: positionclass.cpp //////////////////////////////////////////////////////////////////////////////// #include "positionclass.h"
類建構函式將私有成員變數初始化為零。
PositionClass::PositionClass()
{
m_frameTime = 0.0f;
m_rotationY = 0.0f;
m_leftTurnSpeed = 0.0f;
m_rightTurnSpeed = 0.0f;
}
PositionClass::PositionClass(const PositionClass& other)
{
}
PositionClass::~PositionClass()
{
}
SetFrameTime 函式用於設定此類中的幀速率。PositionClass 將使用該幀速率來計算觀察者的移動和旋轉速度。在使用此類移動觀察者位置之前,應始終在每一幀的開頭呼叫此函式。
void PositionClass::SetFrameTime(float time)
{
m_frameTime = time;
return;
}
GetRotation 返回觀察者的 Y 軸旋轉。這是本教程中唯一需要的輔助函式,但可以擴充套件以獲取有關觀察者位置的更多資訊。
void PositionClass::GetRotation(float& y)
{
y = m_rotationY;
return;
}
移動函式的工作原理相同。這兩個函式都在每一幀被呼叫。傳遞給每個函式的 keydown 輸入變數指示使用者是否按下了左鍵或右鍵。如果按下鍵,則每一幀的速度都會加速,直到達到最大值。這樣,攝像機速度會類似於車輛的加速度,從而產生平滑移動和高響應性的效果。同樣,如果使用者釋放鍵,並且 keydown 變數為 false,則每一幀會平滑地減速,直到速度降至零。速度根據幀時間進行計算,以確保無論幀速率如何,移動速度都保持一致。然後,每個函式使用一些基本數學來計算攝像機的新的位置。
void PositionClass::TurnLeft(bool keydown)
{
// If the key is pressed increase the speed at which the camera turns left. If not slow down the turn speed.
if(keydown)
{
m_leftTurnSpeed += m_frameTime * 0.01f;
if(m_leftTurnSpeed > (m_frameTime * 0.15f))
{
m_leftTurnSpeed = m_frameTime * 0.15f;
}
}
else
{
m_leftTurnSpeed -= m_frameTime* 0.005f;
if(m_leftTurnSpeed (m_frameTime * 0.15f))
{
m_rightTurnSpeed = m_frameTime * 0.15f;
}
}
else
{
m_rightTurnSpeed -= m_frameTime* 0.005f;
if(m_rightTurnSpeed 360.0f)
{
m_rotationY -= 360.0f;
}
return;
}
Systemclass.h
[edit | edit source]SystemClass 已被修改為使用新的 PostionClass。
////////////////////////////////////////////////////////////////////////////////
// Filename: systemclass.h
////////////////////////////////////////////////////////////////////////////////
#ifndef _SYSTEMCLASS_H_
#define _SYSTEMCLASS_H_
///////////////////////////////
// PRE-PROCESSING DIRECTIVES //
///////////////////////////////
#define WIN32_LEAN_AND_MEAN
//////////////
// INCLUDES //
//////////////
#include <windows.h>
///////////////////////
// MY CLASS INCLUDES //
///////////////////////
#include "inputclass.h"
#include "graphicsclass.h"
#include "timerclass.h"
#include "positionclass.h"
////////////////////////////////////////////////////////////////////////////////
// Class name: SystemClass
////////////////////////////////////////////////////////////////////////////////
class SystemClass
{
public:
SystemClass();
SystemClass(const SystemClass&);
~SystemClass();
bool Initialize();
void Shutdown();
void Run();
LRESULT CALLBACK MessageHandler(HWND, UINT, WPARAM, LPARAM);
private:
bool Frame();
void InitializeWindows(int&, int&);
void ShutdownWindows();
private:
LPCWSTR m_applicationName;
HINSTANCE m_hinstance;
HWND m_hwnd;
InputClass* m_Input;
GraphicsClass* m_Graphics;
TimerClass* m_Timer;
PositionClass* m_Position;
};
/////////////////////////
// FUNCTION PROTOTYPES //
/////////////////////////
static LRESULT CALLBACK WndProc(HWND, UINT, WPARAM, LPARAM);
/////////////
// GLOBALS //
/////////////
static SystemClass* ApplicationHandle = 0;
#endif
Systemclass.cpp
[edit | edit source]我將只介紹自上一教程以來此類中發生更改的函式。
////////////////////////////////////////////////////////////////////////////////
// Filename: systemclass.cpp
////////////////////////////////////////////////////////////////////////////////
#include "systemclass.h"
SystemClass::SystemClass()
{
m_Input = 0;
m_Graphics = 0;
m_Timer = 0;
新的 PositionClass 物件在類建構函式中初始化為 null。
m_Position = 0;
}
bool SystemClass::Initialize()
{
int screenWidth, screenHeight;
bool result;
// Initialize the width and height of the screen to zero before sending the variables into the function.
screenWidth = 0;
screenHeight = 0;
// Initialize the windows api.
InitializeWindows(screenWidth, screenHeight);
// Create the input object. This object will be used to handle reading the keyboard input from the user.
m_Input = new InputClass;
if(!m_Input)
{
return false;
}
// Initialize the input object.
result = m_Input->Initialize(m_hinstance, m_hwnd, screenWidth, screenHeight);
if(!result)
{
MessageBox(m_hwnd, L"Could not initialize the input object.", L"Error", MB_OK);
return false;
}
// Create the graphics object. This object will handle rendering all the graphics for this application.
m_Graphics = new GraphicsClass;
if(!m_Graphics)
{
return false;
}
// Initialize the graphics object.
result = m_Graphics->Initialize(screenWidth, screenHeight, m_hwnd);
if(!result)
{
return false;
}
// Create the timer object.
m_Timer = new TimerClass;
if(!m_Timer)
{
return false;
}
// Initialize the timer object.
result = m_Timer->Initialize();
if(!result)
{
MessageBox(m_hwnd, L"Could not initialize the Timer object.", L"Error", MB_OK);
return false;
}
在此處建立新的 PositionClass 物件。它不需要任何初始化。
// Create the position object.
m_Position = new PositionClass;
if(!m_Position)
{
return false;
}
return true;
}
void SystemClass::Shutdown()
{
PositionClass 物件在此處的 Shutdown 函式中釋放。
// Release the position object.
if(m_Position)
{
delete m_Position;
m_Position = 0;
}
// Release the timer object.
if(m_Timer)
{
delete m_Timer;
m_Timer = 0;
}
// Release the graphics object.
if(m_Graphics)
{
m_Graphics->Shutdown();
delete m_Graphics;
m_Graphics = 0;
}
// Release the input object.
if(m_Input)
{
m_Input->Shutdown();
delete m_Input;
m_Input = 0;
}
// Shutdown the window.
ShutdownWindows();
return;
}
bool SystemClass::Frame()
{
bool keyDown, result;
float rotationY;
// Update the system stats.
m_Timer->Frame();
// Do the input frame processing.
result = m_Input->Frame();
if(!result)
{
return false;
}
在每一幀中,PositionClass 物件都會使用幀時間進行更新。
// Set the frame time for calculating the updated position. m_Position->SetFrameTime(m_Timer->GetTime());
在幀時間更新之後,可以使用當前的鍵盤狀態更新 PositionClass 移動函式。移動函式將更新攝像機的位置到本幀的新的位置。
// Check if the left or right arrow key has been pressed, if so rotate the camera accordingly. keyDown = m_Input->IsLeftArrowPressed(); m_Position->TurnLeft(keyDown); keyDown = m_Input->IsRightArrowPressed(); m_Position->TurnRight(keyDown);
檢索新的攝像機旋轉,並將其傳送到 Graphics::Frame 函式以更新攝像機位置。
// Get the current view point rotation.
m_Position->GetRotation(rotationY);
// Do the frame processing for the graphics object.
result = m_Graphics->Frame(rotationY);
if(!result)
{
return false;
}
// Finally render the graphics to the screen.
result = m_Graphics->Render();
if(!result)
{
return false;
}
return true;
}
總結
[edit | edit source]現在,您已經瞭解瞭如何剔除物件。從這裡開始的唯一技巧是確定對於剔除不同的物件,使用立方體、矩形、球體還是巧妙地使用點更好。
待辦事項練習
[edit | edit source]1. 重新編譯並執行程式。使用左右箭頭鍵移動攝像機並更新左上角的渲染計數。
2. 載入立方體模型,並將剔除檢查更改為 CheckCube。
3. 建立一些不同的模型,並測試哪種剔除檢查最適合它們。