由于之前一直在看directx11龙书学习,因此sdk一直用的Microsoft DirectX SDK (June 2010) 版本,最近在stackoverflow上问dx11相关问题时,一直被大神吐槽为何还用已经废弃的directx sdk,由于directx sdk现在已经和windows sdk合并到一起了,只能去下windows sdk了。为了方便索性直接换了vs 2015社区版,里面自带了(windows sdk),既然sdk换了最新的,effect框架也要换最新的啊(Effect框架已经被微软开源托管在github上,https://github.com/Microsoft/FX11/wiki)。还有stackoverflow上都推荐DirectXTK,这方面中文资料非常少,只能靠自己慢慢看文档示例学了,等看得差不多了,会考虑用DirectXTK写的。以后教程还是基本跟着龙书走,我会将龙书实现的效果用自己封装的框架写一遍,尤其是一些过时的函数方法我也会换上对应的新方法。

  由于directx sdk集成在windows sdk中了,所以在建项目的时候就不用设置引用目录和库目录的路径了,只需设置链接库就可以了,还是挺方便的。由于换了sdk,一些方法参数之类的都略有不同,我又把之前的基类Dx11DemoBase重新封装了一遍,为了练习把前一个教程HillsDemo又重新写了一遍,体会一下有哪些改动。不同之处都在代码中给出了注释。

  前面教程编译shader用的是两个方法D3DX11CompileFromFile和D3DX11CreateEffectFromMemory,显得比较麻烦,在最新的FX11(Effect框架)中这两个方法已经废弃了,我们可以采用D3DX11CompileEffectFromFile来编译shader,一步到位尤为方便 

  1. //compile shader
  2. ID3DBlob* errorBlob;
  3. DWORD shaderFlags = D3DCOMPILE_ENABLE_STRICTNESS;
  4.  
  5. #if defined _DEBUG || defined DEBUG
  6. shaderFlags = D3DCOMPILE_DEBUG;
  7. #endif
  8.  
  9. hr = D3DX11CompileEffectFromFile(L"color.fx", nullptr, D3D_COMPILE_STANDARD_FILE_INCLUDE, shaderFlags,
  10. , m_pd3dDevice, &m_pFx, &errorBlob);
  11. if (FAILED(hr))
  12. {
  13. MessageBox(nullptr, (LPCWSTR)errorBlob->GetBufferPointer(), L"error", MB_OK);
  14. return hr;
  15. }
  16.  
  17. m_pTechnique = m_pFx->GetTechniqueByName("ColorTech");
  18. m_pFxWorldViewProj = m_pFx->GetVariableByName("gWorldViewProj")->AsMatrix();

  下面给出改动后的HillsDemo代码(其实大体差不多),在看新的官方实例时发现代码都是c++11风格(使用nullptr代替NULL,使用c++风格类型转换static_cast/reinterpret_cast,DirectXTK中大量使用智能指针等),因此咱也尽量保持相同的风格以养成写规范代码的好习惯。此外注释我也尽量用英文写,一方面有些用汉语不太好说明,另一方面由于要经常在stackoverflow上提问老外看不懂汉语还得临时改英文挺麻烦的。

  Base基类这次我们添加了depth/stencil缓冲,以便以后用到的时候不用再临时添加了。

  1. //create depth stencil texture
  2. D3D11_TEXTURE2D_DESC descDepth;
  3. descDepth.Width = m_width;
  4. descDepth.Height = m_height;
  5. descDepth.ArraySize = ;
  6. descDepth.MipLevels = ;
  7. descDepth.Format = DXGI_FORMAT_D24_UNORM_S8_UINT;
  8. descDepth.SampleDesc.Count = ;
  9. descDepth.SampleDesc.Quality = ;
  10. descDepth.Usage = D3D11_USAGE_DEFAULT;
  11. descDepth.BindFlags = D3D11_BIND_DEPTH_STENCIL;
  12. descDepth.CPUAccessFlags = ;
  13. descDepth.MiscFlags = ;
  14. hr = m_pd3dDevice->CreateTexture2D(&descDepth, nullptr, &m_pDepthStencilBuffer);
  15. if (FAILED(hr))
  16. return hr;
  17.  
  18. //create the depth stencil view
  19. D3D11_DEPTH_STENCIL_VIEW_DESC descDSV;
  20. ZeroMemory(&descDSV, sizeof(descDSV));
  21. descDSV.Format = descDepth.Format;
  22. descDSV.ViewDimension = D3D11_DSV_DIMENSION_TEXTURE2D;
  23. descDSV.Texture2D.MipSlice = ;
  24. hr = m_pd3dDevice->CreateDepthStencilView(m_pDepthStencilBuffer, &descDSV, &m_pDepthStencilView);
  25. if (FAILED(hr))
  26. return hr;

  在实际Demo中每帧要clear一下

  1. //clear depth/stencil view
  2. m_pImmediateContext->ClearDepthStencilView(m_pDepthStencilView, D3D11_CLEAR_DEPTH | D3D11_CLEAR_STENCIL,
  3. 1.0f, );

  

  Dx11DemoBase.h

  1. #ifndef _DX11DEMOBASE_H_
  2. #define _DX11DEMOBASE_H_
  3.  
  4. #include <string>
  5. #include <windows.h>
  6. #include <d3d11.h>
  7. #include <d3dcompiler.h>
  8. #include <DirectXMath.h>//don't use xnamath.h
  9. #include <directxcolors.h>
  10.  
  11. using namespace DirectX;
  12.  
  13. class Dx11DemoBase
  14. {
  15. public:
  16. Dx11DemoBase();
  17. virtual ~Dx11DemoBase();
  18.  
  19. std::wstring m_mainWndCaption; //title
  20. float AspectRatio() const; //width/height
  21.  
  22. bool InitDirect3D(HINSTANCE hInstance, HWND hWnd);
  23.  
  24. void ShutDown(); //release
  25.  
  26. virtual bool LoadContent(); //init concrete content
  27. virtual void UnLoadContent(); //release
  28.  
  29. virtual void Update(float dt) = ;
  30. virtual void Render() = ;
  31.  
  32. virtual void OnMouseDown(WPARAM btnState, int x, int y) {}
  33. virtual void OnMouseUp(WPARAM btnState, int x, int y) {}
  34. virtual void OnMouseMove(WPARAM btnState, int x, int y) {}
  35.  
  36. protected:
  37. UINT m_width; //window width
  38. UINT m_height; //window height
  39. HINSTANCE m_hInstance;
  40. HWND m_hWnd;
  41. D3D_DRIVER_TYPE m_driverType;
  42. D3D_FEATURE_LEVEL m_featureLevel;
  43. ID3D11Device* m_pd3dDevice;
  44. ID3D11DeviceContext* m_pImmediateContext;
  45. IDXGISwapChain* m_pSwapChain;
  46. ID3D11RenderTargetView* m_pRenderTargetView;
  47. ID3D11Texture2D* m_pDepthStencilBuffer;
  48. ID3D11DepthStencilView* m_pDepthStencilView;
  49. };
  50.  
  51. #endif//_DX11DEMOBASE_H_

  Dx11DemoBase.cpp

  1. #include "Dx11DemoBase.h"
  2.  
  3. Dx11DemoBase::Dx11DemoBase():
  4. m_mainWndCaption(L"Directx11 Application"),
  5. m_driverType(D3D_DRIVER_TYPE_HARDWARE),
  6. m_featureLevel(D3D_FEATURE_LEVEL_11_0),
  7. m_pd3dDevice(nullptr),
  8. m_pImmediateContext(nullptr),
  9. m_pRenderTargetView(nullptr),
  10. m_pDepthStencilBuffer(nullptr),
  11. m_pDepthStencilView(nullptr),
  12. m_pSwapChain(nullptr),
  13. m_hWnd(nullptr),
  14. m_width(),
  15. m_height()
  16. {}
  17.  
  18. Dx11DemoBase::~Dx11DemoBase()
  19. {
  20. ShutDown();
  21. }
  22.  
  23. float Dx11DemoBase::AspectRatio() const
  24. {
  25. return static_cast<float>(m_width / m_height);
  26. }
  27.  
  28. bool Dx11DemoBase::InitDirect3D(HINSTANCE hInstance, HWND hWnd)
  29. {
  30. HRESULT hr = S_OK;
  31. m_hInstance = hInstance;
  32. m_hWnd = hWnd;
  33. RECT rc;
  34. GetClientRect(m_hWnd, &rc);
  35. m_width = rc.right - rc.left;
  36. m_height = rc.bottom - rc.top;
  37.  
  38. UINT createDeviceFlags = ;
  39.  
  40. #ifdef _DEBUG
  41. createDeviceFlags |= D3D11_CREATE_DEVICE_DEBUG;
  42. #endif
  43.  
  44. D3D_DRIVER_TYPE driverTypes[] =
  45. {
  46. D3D_DRIVER_TYPE_HARDWARE,
  47. D3D_DRIVER_TYPE_WARP,
  48. D3D_DRIVER_TYPE_REFERENCE
  49. };
  50. UINT numDriverTypes = ARRAYSIZE(driverTypes);
  51.  
  52. D3D_FEATURE_LEVEL featureLevels[] =
  53. {
  54. D3D_FEATURE_LEVEL_11_0,
  55. D3D_FEATURE_LEVEL_10_1,
  56. D3D_FEATURE_LEVEL_10_0
  57. };
  58. UINT numFeatureLevels = ARRAYSIZE(featureLevels);
  59.  
  60. DXGI_SWAP_CHAIN_DESC sd;
  61. ZeroMemory(&sd, sizeof(sd));
  62. sd.BufferCount = ;
  63. sd.BufferDesc.Format = DXGI_FORMAT_R8G8B8A8_UNORM;
  64. sd.BufferDesc.Width = m_width;
  65. sd.BufferDesc.Height = m_height;
  66. sd.BufferDesc.RefreshRate.Numerator = ;
  67. sd.BufferDesc.RefreshRate.Denominator = ;
  68. sd.BufferUsage = DXGI_USAGE_RENDER_TARGET_OUTPUT;
  69. sd.OutputWindow = m_hWnd;
  70. sd.SampleDesc.Count = ;
  71. sd.SampleDesc.Quality = ;
  72. sd.Windowed = TRUE;
  73.  
  74. //create device and swapchain
  75. for (UINT driverTypeIndex = ; driverTypeIndex < numDriverTypes; ++driverTypeIndex)
  76. {
  77. hr = D3D11CreateDeviceAndSwapChain(nullptr, driverTypes[driverTypeIndex], nullptr,
  78. createDeviceFlags, featureLevels, numFeatureLevels, D3D11_SDK_VERSION, &sd, &m_pSwapChain,
  79. &m_pd3dDevice, &m_featureLevel, &m_pImmediateContext);
  80. if (SUCCEEDED(hr))
  81. {
  82. m_driverType = driverTypes[driverTypeIndex];
  83. break;
  84. }
  85. }
  86. if (FAILED(hr))
  87. return hr;
  88.  
  89. //create render target view
  90. ID3D11Texture2D *pBackBuffer = nullptr;
  91. hr = m_pSwapChain->GetBuffer(, __uuidof(ID3D11Texture2D), reinterpret_cast<void**>(&pBackBuffer));
  92. if (FAILED(hr))
  93. return hr;
  94.  
  95. hr = m_pd3dDevice->CreateRenderTargetView(pBackBuffer, nullptr, &m_pRenderTargetView);
  96. pBackBuffer->Release();
  97. if (FAILED(hr))
  98. return hr;
  99.  
  100. m_pImmediateContext->OMSetRenderTargets(, &m_pRenderTargetView, nullptr);
  101.  
  102. //create depth stencil texture
  103. D3D11_TEXTURE2D_DESC descDepth;
  104. descDepth.Width = m_width;
  105. descDepth.Height = m_height;
  106. descDepth.ArraySize = ;
  107. descDepth.MipLevels = ;
  108. descDepth.Format = DXGI_FORMAT_D24_UNORM_S8_UINT;
  109. descDepth.SampleDesc.Count = ;
  110. descDepth.SampleDesc.Quality = ;
  111. descDepth.Usage = D3D11_USAGE_DEFAULT;
  112. descDepth.BindFlags = D3D11_BIND_DEPTH_STENCIL;
  113. descDepth.CPUAccessFlags = ;
  114. descDepth.MiscFlags = ;
  115. hr = m_pd3dDevice->CreateTexture2D(&descDepth, nullptr, &m_pDepthStencilBuffer);
  116. if (FAILED(hr))
  117. return hr;
  118.  
  119. //create the depth stencil view
  120. D3D11_DEPTH_STENCIL_VIEW_DESC descDSV;
  121. ZeroMemory(&descDSV, sizeof(descDSV));
  122. descDSV.Format = descDepth.Format;
  123. descDSV.ViewDimension = D3D11_DSV_DIMENSION_TEXTURE2D;
  124. descDSV.Texture2D.MipSlice = ;
  125. hr = m_pd3dDevice->CreateDepthStencilView(m_pDepthStencilBuffer, &descDSV, &m_pDepthStencilView);
  126. if (FAILED(hr))
  127. return hr;
  128.  
  129. m_pImmediateContext->OMSetRenderTargets(, &m_pRenderTargetView, m_pDepthStencilView);
  130.  
  131. //setup the viewport
  132. D3D11_VIEWPORT vp;
  133. vp.Width = static_cast<float>(m_width);
  134. vp.Height = static_cast<float>(m_height);
  135. vp.MinDepth = 0.0f;
  136. vp.MaxDepth = 1.0f;
  137. vp.TopLeftX = 0.0f;
  138. vp.TopLeftY = 0.0f;
  139. m_pImmediateContext->RSSetViewports(, &vp);
  140.  
  141. return LoadContent();
  142. }
  143.  
  144. void Dx11DemoBase::ShutDown()
  145. {
  146. UnLoadContent();
  147. if (m_pImmediateContext) m_pImmediateContext->ClearState();
  148.  
  149. if (m_pRenderTargetView) m_pRenderTargetView->Release();
  150. if (m_pSwapChain) m_pSwapChain->Release();
  151. if (m_pImmediateContext) m_pImmediateContext->Release();
  152. if (m_pd3dDevice) m_pd3dDevice->Release();
  153. if (m_pDepthStencilBuffer) m_pDepthStencilBuffer->Release();
  154. if (m_pDepthStencilView) m_pDepthStencilView->Release();
  155. }
  156.  
  157. bool Dx11DemoBase::LoadContent()
  158. {
  159. return true;
  160. }
  161.  
  162. void Dx11DemoBase::UnLoadContent(){}

  GeometryGenerator类中代码没什么改变不再给出

HillsDemo.h

  1. #ifndef _HILLSDEMO_H_
  2. #define _HILLSDEMO_H_
  3.  
  4. #include "Dx11DemoBase.h"
  5. #include "d3dx11effect.h"
  6. #include "GeometryGenerator.h"
  7.  
  8. #pragma comment(lib,"d3d11.lib")
  9. #pragma comment(lib,"Effects11.lib")
  10. #pragma comment(lib,"d3dcompiler.lib")
  11. #pragma comment(lib,"winmm.lib")
  12. #pragma comment(lib,"comctl32.lib")
  13. #pragma comment(lib,"dxguid.lib")
  14.  
  15. class HillsDemo : public Dx11DemoBase
  16. {
  17. public:
  18. HillsDemo();
  19. ~HillsDemo();
  20.  
  21. bool LoadContent() override;
  22. void UnLoadContent() override;
  23.  
  24. void Update(float dt) override;
  25. void Render() override;
  26.  
  27. void OnMouseDown(WPARAM btnState, int x, int y) override;
  28. void OnMouseUp(WPARAM btnState, int x, int y) override;
  29. void OnMouseMove(WPARAM btnState, int x, int y) override;
  30. private:
  31. ID3D11Buffer* m_pVertexBuffer;
  32. ID3D11Buffer* m_pIndexBuffer;
  33. ID3D11InputLayout* m_pInputLayout;
  34.  
  35. ID3DX11Effect* m_pFx;
  36. ID3DX11EffectTechnique* m_pTechnique;
  37. ID3DX11EffectMatrixVariable* m_pFxWorldViewProj;
  38. XMFLOAT4X4 m_world;
  39. XMFLOAT4X4 m_view;
  40. XMFLOAT4X4 m_proj;
  41.  
  42. UINT m_gridIndexCount;
  43. float m_theta;
  44. float m_phi;
  45. float m_radius;
  46. POINT m_lastMousePos;
  47.  
  48. float GetHeight(float x, float z)const;
  49.  
  50. };
  51.  
  52. #endif//_HILLSDEMO_H_

HillsDemo.cpp

  1. #include "HillsDemo.h"
  2.  
  3. struct Vertex
  4. {
  5. XMFLOAT3 pos;
  6. XMFLOAT4 color;
  7. Vertex(XMFLOAT3 p, XMFLOAT4 c) : pos(p), color(c) {}
  8. };
  9.  
  10. HillsDemo::HillsDemo() :m_pInputLayout(nullptr), m_pVertexBuffer(nullptr),m_pFx(nullptr), m_gridIndexCount(),
  11. m_theta(1.5f*XM_PI), m_phi(0.1f*XM_PI), m_radius(200.0f)
  12. {
  13. XMMATRIX I = XMMatrixIdentity();
  14. XMStoreFloat4x4(&m_world, I);
  15. XMStoreFloat4x4(&m_view, I);
  16. XMStoreFloat4x4(&m_proj, I);
  17. }
  18.  
  19. HillsDemo::~HillsDemo()
  20. {
  21.  
  22. }
  23.  
  24. bool HillsDemo::LoadContent()
  25. {
  26. HRESULT hr;
  27.  
  28. //create vertex buffer
  29. GeometryGenerator::MeshData grid;
  30. GeometryGenerator geoGen;
  31. geoGen.CreateGrid(160.0f, 160.0f, , , grid);
  32. m_gridIndexCount = grid.indices.size();
  33.  
  34. std::vector<Vertex> vertices(grid.vertices.size(), Vertex(XMFLOAT3(, , ), XMFLOAT4(, , , )));
  35. for (UINT i = ; i < grid.vertices.size(); ++i)
  36. {
  37. XMFLOAT3 p = grid.vertices[i].Position;
  38. p.y = GetHeight(p.x, p.z);
  39.  
  40. vertices[i].pos = p;
  41.  
  42. //render vertex with different color according to height
  43. if (p.y < -10.0f)
  44. {
  45. //sandy beach color
  46. vertices[i].color = XMFLOAT4(1.0f, 0.96f, 0.62f, 1.0f);
  47. }
  48. else if (p.y < 5.0f)
  49. {
  50. //dark yellow-green color
  51. vertices[i].color = XMFLOAT4(0.1f, 0.48f, 0.19f, 1.0f);
  52. }
  53. else if (p.y < 12.0f)
  54. {
  55. //light yellow-green color
  56. vertices[i].color = XMFLOAT4(0.48f, 0.77f, 0.46f, 1.0f);
  57. }
  58. else if (p.y < .f)
  59. {
  60. //dark brown color
  61. vertices[i].color = XMFLOAT4(0.45f, 0.39f, 0.34f, 1.0f);
  62. }
  63. else
  64. {
  65. //white snow color
  66. vertices[i].color = XMFLOAT4(1.0f, 1.0f, 1.0f, 1.0f);
  67. }
  68. }
  69.  
  70. D3D11_BUFFER_DESC vertexDesc;
  71. ZeroMemory(&vertexDesc, sizeof(vertexDesc));
  72. vertexDesc.Usage = D3D11_USAGE_IMMUTABLE;
  73. vertexDesc.BindFlags = D3D11_BIND_VERTEX_BUFFER;
  74. vertexDesc.ByteWidth = sizeof(Vertex)* grid.vertices.size();
  75. D3D11_SUBRESOURCE_DATA resourceData;
  76. ZeroMemory(&resourceData, sizeof(resourceData));
  77. resourceData.pSysMem = &vertices[];
  78. hr = m_pd3dDevice->CreateBuffer(&vertexDesc, &resourceData, &m_pVertexBuffer);
  79. if (FAILED(hr))
  80. {
  81. return false;
  82. }
  83.  
  84. //set vertex buffer
  85. UINT stride = sizeof(Vertex);
  86. UINT offset = ;
  87. m_pImmediateContext->IASetVertexBuffers(, , &m_pVertexBuffer, &stride, &offset);
  88. //set primitive topology
  89. m_pImmediateContext->IASetPrimitiveTopology(D3D11_PRIMITIVE_TOPOLOGY_TRIANGLELIST);
  90.  
  91. //create index buffer
  92. D3D11_BUFFER_DESC indexDesc;
  93. ZeroMemory(&indexDesc, sizeof(indexDesc));
  94. indexDesc.Usage = D3D11_USAGE_IMMUTABLE;
  95. indexDesc.BindFlags = D3D11_BIND_INDEX_BUFFER;
  96. indexDesc.ByteWidth = sizeof(UINT)* m_gridIndexCount;
  97.  
  98. D3D11_SUBRESOURCE_DATA indexData;
  99. ZeroMemory(&indexData, sizeof(indexData));
  100. indexData.pSysMem = &grid.indices[];
  101. hr = m_pd3dDevice->CreateBuffer(&indexDesc, &indexData, &m_pIndexBuffer);
  102. if (FAILED(hr))
  103. {
  104. return false;
  105. }
  106.  
  107. //set index buffer
  108. m_pImmediateContext->IASetIndexBuffer(m_pIndexBuffer, DXGI_FORMAT_R32_UINT, );
  109.  
  110. //compile shader
  111. ID3DBlob* errorBlob;
  112. DWORD shaderFlags = D3DCOMPILE_ENABLE_STRICTNESS;
  113.  
  114. #if defined _DEBUG || defined DEBUG
  115. shaderFlags = D3DCOMPILE_DEBUG;
  116. #endif
  117.  
  118. hr = D3DX11CompileEffectFromFile(L"color.fx", nullptr, D3D_COMPILE_STANDARD_FILE_INCLUDE, shaderFlags,
  119. , m_pd3dDevice, &m_pFx, &errorBlob);
  120. if (FAILED(hr))
  121. {
  122. MessageBox(nullptr, (LPCWSTR)errorBlob->GetBufferPointer(), L"error", MB_OK);
  123. return hr;
  124. }
  125.  
  126. m_pTechnique = m_pFx->GetTechniqueByName("ColorTech");
  127. m_pFxWorldViewProj = m_pFx->GetVariableByName("gWorldViewProj")->AsMatrix();
  128.  
  129. //define the input layout
  130. D3D11_INPUT_ELEMENT_DESC colorLayout[] =
  131. {
  132. { "POSITION", , DXGI_FORMAT_R32G32B32_FLOAT, , , D3D11_INPUT_PER_VERTEX_DATA, },
  133. { "COLOR", , DXGI_FORMAT_R32G32B32A32_FLOAT, , , D3D11_INPUT_PER_VERTEX_DATA, }
  134. };
  135.  
  136. UINT numLayoutElements = ARRAYSIZE(colorLayout);
  137. D3DX11_PASS_DESC passDesc;
  138. m_pTechnique->GetPassByIndex()->GetDesc(&passDesc);
  139.  
  140. //create the input layout
  141. hr = m_pd3dDevice->CreateInputLayout(colorLayout, numLayoutElements, passDesc.pIAInputSignature,
  142. passDesc.IAInputSignatureSize, &m_pInputLayout);
  143. if (FAILED(hr))
  144. return hr;
  145.  
  146. //set input layout
  147. m_pImmediateContext->IASetInputLayout(m_pInputLayout);
  148.  
  149. return true;
  150. }
  151.  
  152. void HillsDemo::UnLoadContent()
  153. {
  154. if (m_pVertexBuffer) m_pVertexBuffer->Release();
  155. if (m_pIndexBuffer) m_pIndexBuffer->Release();
  156. if (m_pInputLayout) m_pInputLayout->Release();
  157. if (m_pTechnique) m_pTechnique->Release();
  158. }
  159.  
  160. void HillsDemo::Update(float dt)
  161. {
  162. float x = m_radius*sinf(m_phi)*cosf(m_theta);
  163. float z = m_radius*sinf(m_phi)*sinf(m_theta);
  164. float y = m_radius*cosf(m_phi);
  165.  
  166. XMVECTOR pos = XMVectorSet(x, y, z, 1.0f);
  167. XMVECTOR target = XMVectorSet(0.0f, 0.0f, 0.0f, 1.0f);
  168. XMVECTOR up = XMVectorSet(0.0f, 1.0f, 0.0f, 0.0f);
  169.  
  170. XMMATRIX V = XMMatrixLookAtLH(pos, target, up);
  171. XMStoreFloat4x4(&m_view, V);
  172. XMMATRIX T = XMMatrixPerspectiveFovLH(XM_PIDIV4, m_width / static_cast<float>(m_height),
  173. 1.0f, 1000.0f);
  174. XMStoreFloat4x4(&m_proj, T);
  175. }
  176.  
  177. void HillsDemo::Render()
  178. {
  179. if (m_pImmediateContext == )
  180. return;
  181. //clear render target view
  182. float clearColor[] = { 0.0f, 0.0f, 1.0f, 1.0f };
  183. m_pImmediateContext->ClearRenderTargetView(m_pRenderTargetView, clearColor);
  184.  
  185. //clear depth/stencil view
  186. m_pImmediateContext->ClearDepthStencilView(m_pDepthStencilView, D3D11_CLEAR_DEPTH | D3D11_CLEAR_STENCIL,
  187. 1.0f, );
  188.  
  189. //set constant buffer
  190. XMMATRIX world = XMLoadFloat4x4(&m_world);
  191. XMMATRIX view = XMLoadFloat4x4(&m_view);
  192. XMMATRIX proj = XMLoadFloat4x4(&m_proj);
  193. XMMATRIX worldViewProj = world*view*proj;
  194.  
  195. D3DX11_TECHNIQUE_DESC techDesc;
  196. m_pTechnique->GetDesc(&techDesc);
  197. for (UINT i = ; i < techDesc.Passes; ++i)
  198. {
  199. m_pFxWorldViewProj->SetMatrix(reinterpret_cast<float*>(&worldViewProj));
  200. m_pTechnique->GetPassByIndex(i)->Apply(, m_pImmediateContext);
  201. m_pImmediateContext->DrawIndexed(m_gridIndexCount, , );
  202. }
  203.  
  204. m_pSwapChain->Present(, );
  205. }
  206.  
  207. void HillsDemo::OnMouseDown(WPARAM btnState, int x, int y)
  208. {
  209. m_lastMousePos.x = x;
  210. m_lastMousePos.y = y;
  211. SetCapture(m_hWnd);
  212. }
  213.  
  214. void HillsDemo::OnMouseUp(WPARAM btnState, int x, int y)
  215. {
  216. ReleaseCapture();
  217. }
  218.  
  219. //restrict the number
  220. template<typename T>
  221. static T Clamp(const T& x, const T& low, const T& high)
  222. {
  223. return x < low ? low : (x > high ? high : x);
  224. }
  225.  
  226. void HillsDemo::OnMouseMove(WPARAM btnState, int x, int y)
  227. {
  228. if ((btnState & MK_LBUTTON) != )
  229. {
  230. // make each pixel correspond to a quarter of a degree.
  231. float dx = XMConvertToRadians(0.25f*static_cast<float>(x - m_lastMousePos.x));
  232. float dy = XMConvertToRadians(0.25f*static_cast<float>(y - m_lastMousePos.y));
  233.  
  234. // update angles based on input to orbit camera around box.
  235. m_theta += dx;
  236. m_phi += dy;
  237.  
  238. // restrict the angle mPhi.
  239. m_phi = Clamp(m_phi, 0.1f, XM_PI - 0.1f);
  240. }
  241. else if ((btnState & MK_RBUTTON) != )
  242. {
  243. // make each pixel correspond to 0.2 unit in the scene.
  244. float dx = 0.2f*static_cast<float>(x - m_lastMousePos.x);
  245. float dy = 0.2f*static_cast<float>(y - m_lastMousePos.y);
  246.  
  247. // update the camera radius based on input.
  248. m_radius += dx - dy;
  249.  
  250. // restrict the radius.
  251. m_radius = Clamp(m_radius, 50.0f, 500.0f);
  252. }
  253.  
  254. m_lastMousePos.x = x;
  255. m_lastMousePos.y = y;
  256. }
  257.  
  258. float HillsDemo::GetHeight(float x, float z) const
  259. {
  260. return 0.3f*(z*sinf(0.1f*x) + x*cosf(0.1f*z));
  261. }

main.cpp

  1. #include <windows.h>
  2. #include <windowsx.h>
  3. #include <memory>
  4. #include "HillsDemo.h"
  5. using namespace std;
  6.  
  7. std::shared_ptr<Dx11DemoBase> demo = make_shared<HillsDemo>();
  8.  
  9. LRESULT CALLBACK WndProc(HWND, UINT, WPARAM, LPARAM);
  10.  
  11. int WINAPI wWinMain(HINSTANCE hInstance, HINSTANCE hPrevInstance, LPWSTR lpCmdLine, int nShowCmd)
  12. {
  13. UNREFERENCED_PARAMETER(hPrevInstance);
  14. UNREFERENCED_PARAMETER(lpCmdLine);
  15.  
  16. WNDCLASSEX wcex;
  17. wcex.cbClsExtra = ;
  18. wcex.cbSize = sizeof(wcex);
  19. wcex.cbWndExtra = ;
  20. wcex.hbrBackground = (HBRUSH)(COLOR_WINDOW + );
  21. wcex.hCursor = LoadCursor(nullptr, IDC_ARROW);
  22. wcex.hIcon = LoadIcon(nullptr, IDI_WINLOGO);
  23. wcex.hIconSm = wcex.hIcon;
  24. wcex.hInstance = hInstance;
  25. wcex.lpfnWndProc = WndProc;
  26. wcex.lpszClassName = L"HillsDemo";
  27. wcex.lpszMenuName = nullptr;
  28. wcex.style = CS_HREDRAW | CS_VREDRAW;
  29.  
  30. if (!RegisterClassEx(&wcex))
  31. return ;
  32.  
  33. RECT rc = { , , , };
  34. AdjustWindowRect(&rc, WS_OVERLAPPEDWINDOW, false);
  35.  
  36. HWND hwnd = CreateWindowEx(WS_EX_APPWINDOW, L"HillsDemo", L"HillsDemo", WS_OVERLAPPEDWINDOW, CW_USEDEFAULT,
  37. CW_USEDEFAULT, rc.right - rc.left, rc.bottom - rc.top, nullptr, nullptr, hInstance, nullptr);
  38.  
  39. if (!hwnd)
  40. return ;
  41.  
  42. ShowWindow(hwnd, nShowCmd);
  43.  
  44. bool result = demo->InitDirect3D(hInstance, hwnd);
  45. if (!result)
  46. return ;
  47.  
  48. MSG msg;
  49. ZeroMemory(&msg, sizeof(msg));
  50. while (msg.message != WM_QUIT)
  51. {
  52. if (PeekMessage(&msg, nullptr, , , PM_REMOVE))
  53. {
  54. TranslateMessage(&msg);
  55. DispatchMessage(&msg);
  56. }
  57. demo->Update(0.0f);
  58. demo->Render();
  59. }
  60. demo->ShutDown();
  61. return static_cast<int>(msg.wParam);
  62. }
  63.  
  64. LRESULT CALLBACK WndProc(HWND hWnd, UINT message, WPARAM wParam, LPARAM lParam)
  65. {
  66. PAINTSTRUCT paintStruct;
  67. HDC hdc;
  68. switch (message)
  69. {
  70. case WM_PAINT:
  71. hdc = BeginPaint(hWnd, &paintStruct);
  72. EndPaint(hWnd, &paintStruct);
  73. break;
  74. case WM_DESTROY:
  75. PostQuitMessage();
  76. break;
  77. case WM_LBUTTONDOWN:
  78. case WM_MBUTTONDOWN:
  79. case WM_RBUTTONDOWN:
  80. demo->OnMouseDown(wParam, GET_X_LPARAM(lParam), GET_Y_LPARAM(lParam));
  81. return ;
  82. case WM_LBUTTONUP:
  83. case WM_MBUTTONUP:
  84. case WM_RBUTTONUP:
  85. demo->OnMouseUp(wParam, GET_X_LPARAM(lParam), GET_Y_LPARAM(lParam));
  86. return ;
  87. case WM_MOUSEMOVE:
  88. demo->OnMouseMove(wParam, GET_X_LPARAM(lParam), GET_Y_LPARAM(lParam));
  89. return ;
  90. default:
  91. return DefWindowProc(hWnd, message, wParam, lParam);
  92. }
  93. return ;
  94. }

好了代码就这些了,最后让我们看张图缓解下疲劳吧

Directx11学习笔记【十四】 使用最新的Effect框架和SDK的更多相关文章

  1. python3.4学习笔记(十四) 网络爬虫实例代码,抓取新浪爱彩双色球开奖数据实例

    python3.4学习笔记(十四) 网络爬虫实例代码,抓取新浪爱彩双色球开奖数据实例 新浪爱彩双色球开奖数据URL:http://zst.aicai.com/ssq/openInfo/ 最终输出结果格 ...

  2. (C/C++学习笔记) 十四. 动态分配

    十四. 动态分配 ● C语言实现动态数组 C语言实现动态数组,克服静态数组大小固定的缺陷 C语言中,数组长度必须在创建数组时指定,并且只能是一个常数,不能是变量.一旦定义了一个数组,系统将为它分配一个 ...

  3. SharpGL学习笔记(十四) 材质:十二个材质球

    材质颜色 OpenGL用材料对光的红.绿.蓝三原色的反射率来近似定义材料的颜色.象光源一样,材料颜色也分成环境.漫反射和镜面反射成分,它们决定了材料对环境光.漫反射光和镜面反射光的反射程度.在进行光照 ...

  4. 【转】angular学习笔记(十四)-$watch(1)

    本篇主要介绍$watch的基本概念: $watch是所有控制器的$scope中内置的方法: $scope.$watch(watchObj,watchCallback,ifDeep) watchObj: ...

  5. Directx11学习笔记【四】 封装一个简单的Dx11DemoBase

    根据前面两个笔记的内容,我们来封装一个简单的基类,方便以后的使用. 代码和前面类似,没有什么新的内容,直接看代码吧(由于代码上次都注释了,这次代码就没怎么写注释o(╯□╰)o) Dx11DemoBas ...

  6. angular学习笔记(十四)-$watch(1)

    本篇主要介绍$watch的基本概念: $watch是所有控制器的$scope中内置的方法: $scope.$watch(watchObj,watchCallback,ifDeep) watchObj: ...

  7. angular学习笔记(十四)-$watch(3)

    同样的例子,还可以这样写: <!DOCTYPE html> <html ng-app> <head> <title>11.3$watch监控数据变化&l ...

  8. Java学习笔记十四:如何定义Java中的类以及使用对象的属性

    如何定义Java中的类以及使用对象的属性 一:类的重要性: 所有Java程序都以类class为组织单元: 二:什么是类: 类是模子,确定对象将会拥有的特征(属性)和行为(方法): 三:类的组成: 属性 ...

  9. MYSQL进阶学习笔记十四:MySQL 应用程序优化!(视频序号:进阶_32)

    知识点十五:MySQL 的应用程序优化(32) 一.访问数据库采用连接池 把连接当做对象或设备,统一放在‘连接池’里.凡是需要访问数据库的地方都从连接池里取连接 二.采用缓存减少对于MySQL的访问: ...

随机推荐

  1. c++ stl algorithm: std::fill, std::fill_n

    std::fill 在[first, last)范围内填充值 #include <iostream> #include <vector> #include <algori ...

  2. 什么是Spring?Spring是什么?

    Spring概述: Spring是一个开源框架,是为了解决企业应用程序开发复杂性而开发的. 从简单性.可測试性和松耦合的角度而言,不论什么java应用都能够从Spring中受益. 简而言之,Sprin ...

  3. js快速分享代码

    这是一款简单易用的文章分享工具,您只需将下面的html代码拷贝到模板中就可以实现文章快速分享功能.如果您想分享你的博客.个人网站或者企业网站等等,下面是两款不错的分享工具,值得拥有! 1. <d ...

  4. Cygwin下vim按方向键出现ABCD;

    1:乱码解决Option->Text设置编码 2:vim按方向键出现A.B.C.D 解决:--$ cd /usr/share/vim/vim73 (ps:看你的版本号.假设没有这个文件可能是/u ...

  5. python实用小代码

    栈的实现 #!/usr/bin/env python #coding=utf-8 #python version 2.7.4 class stack: def __init__(self,list=N ...

  6. C#的百度地图开发(二)转换JSON数据为相应的类

    原文:C#的百度地图开发(二)转换JSON数据为相应的类 在<C#的百度地图开发(一)发起HTTP请求>一文中我们向百度提供的API的URL发起请求,并得到了返回的结果,结果是一串JSON ...

  7. linux下用shell删除三天前或者三天内的文件

    说明:+n 大于 n, -n 小于 n, n 相等于 n. find / -amin -30 -ls # 查找在系统中最后30分钟访问的文件find / -atime -2 -ls # 查找在系统中最 ...

  8. 158个JAVA免豆精品资料汇总

    附件完整版下载地址: http://down.51cto.com/data/431561 附件部分预览~ java中国移动收费系统[源代码] http://down.51cto.com/data/70 ...

  9. 聊天demo SignalR

    1首先这个demo是针对 net版本是4.5的  SignalR   获取的是2.2的 2新建一个mvc项目 3  Nuget  搜索 SignalR   安装如图的一项 4新建一个 集线器类 修改新 ...

  10. zoj3822 期望dp

    每天在一个n*m的棋盘上放棋子,问使得每一行,每一列都有棋子的期望天数 dp[n][m][k] 表示用k个棋子占据了n行,m列,距离目标状态还需要的期望天数 那么dp[n][m][k] = p1 * ...