原文 http://www.johanfalk.eu/blog/sharpdx-beginners-tutorial-part-5-coloring-the-triangle

第4部分中,我们创建了一个三角形,我们可以在像素着色器中为整个三角形设置单一颜色。在本教程中,我们将看到如何为三角形的每个顶点添加单独的颜色。我们将继续处理上一个教程中的代码,您也可以在此处找到该代码。

最终结果如下:

1.创建顶点结构

请记住,当我们渲染三角形时,我们上传了一个数组Vector3,因为每个顶点只是一个位置。现在我们希望每个顶点都有一个位置和一个颜色。因此,我们首先创建一个VertexPositionColor.cs通过右键单击项目调用的新文件,然后选择Add -> New Item...:

选择“ 代码文件 ” 类型,并为其命名VertexPositionColor.cs,然后单击“ 添加”

现在使用以下代码创建一个结构:

using SharpDX;
using System.Runtime.InteropServices; namespace MySharpDXGame
{
[StructLayoutAttribute(LayoutKind.Sequential)]
public struct VertexPositionColor
{
public readonly Vector3 Position;
public readonly Color4 Color; public VertexPositionColor(Vector3 position, Color4 color)
{
Position = position;
Color = color;
}
}
}

所以,现在我们有一个不可变的结构,它同时具有PositionColor。我们还将该[StructLayoutAttribute(LayoutKind.Sequential)] 属性添加到结构中。这样可以确保值以与struct中指定的顺序相同的顺序排列在内存中。这很重要,因为我们后来需要告诉GPU。

2.更改顶点

作为下一步,我们需要Game.cs使用新顶点类型的数组替换上一个教程中的顶点数组。我们还为每个顶点选择一种颜色。所以替换这段代码:

private Vector3[] vertices = new Vector3[] { new Vector3(-0.5f, 0.5f, 0.0f), new Vector3(0.5f, 0.5f, 0.0f), new Vector3(0.0f, -0.5f, 0.0f) };

使用此代码:

private VertexPositionColor[] vertices = new VertexPositionColor[]
{
new VertexPositionColor(new Vector3(-0.5f, 0.5f, 0.0f), SharpDX.Color.Red),
new VertexPositionColor(new Vector3(0.5f, 0.5f, 0.0f), SharpDX.Color.Green),
new VertexPositionColor(new Vector3(0.0f, -0.5f, 0.0f), SharpDX.Color.Blue)
};

3.更新VertexBuffer

我们还需要更改我们的顶点缓冲区以包含新的顶点结构而不是Vector3,所以<Vector3>从以下行中删除(在InitializeTriangle()方法中):

triangleVertexBuffer = D3D11.Buffer.Create<Vector3>(d3dDevice, D3D11.BindFlags.VertexBuffer, vertices);

现在编译器会自动推断它是<VertexPositionColor>来自参数的,所以如果我们以后更改它,我们将不需要再次更改。

我们也必须改变在顶点缓冲器中的每个元件的尺寸,所以更换Vector3 VertexPositionColor 下面的行(在Draw()法):

d3dDeviceContext.InputAssembler.SetVertexBuffers(0, new D3D11.VertexBufferBinding(triangleVertexBuffer, Utilities.SizeOf<Vector3VertexPositionColor>(), 0));

4.更改输入布局

您可能还记得在上一个教程中我们创建了一个输入布局,它描述了顶点数据的结构。在上一个教程中,它看起来像这样:

private D3D11.InputElement[] inputElements = new D3D11.InputElement[]
{
new D3D11.InputElement("POSITION", 0, Format.R32G32B32_Float, 0)
};

由于我们还为每个顶点添加了颜色,我们需要将输入布局更改为以下内容:

private D3D11.InputElement[] inputElements = new D3D11.InputElement[]
{
new D3D11.InputElement("POSITION", 0, Format.R32G32B32_Float, 0, 0, D3D11.InputClassification.PerVertexData, 0),
new D3D11.InputElement("COLOR", 0, Format.R32G32B32A32_Float, 12, 0, D3D11.InputClassification.PerVertexData, 0)
};

我们添加了另一个InputElement,其中类型是a R32G32B32A32_Float,因为SharpDX.Color4我们在vertex结构中使用的结构包含4个浮点数(以RGBA顺序)。我们还添加了一些其他参数,大多数现在都是无关紧要的,除了第4个,我们为“POSITION”指定0 ,但为“COLOR”元素指定12 。此参数是此数据开始的结构中的偏移量(以字节为单位),并且因为位置首先出现偏移0,并且每个位置Vector3 包含3个浮点数(x,y,z),每个字节数为4个字节= 12字节。因此,颜色数据将在12个字节后找到。

5.更新顶点着色器

打开vertexShader.hlsl文件。首先,我们将更改主要功能参数列表以包含颜色:

float4 main(float4 position : POSITION, float4 color : COLOR) : SV_POSITION
{
[...]
}

正如您所看到的,顶点着色器现在也会接收颜色,但由于颜色是在像素着色器中设置的,因此我们还需要从此函数返回颜色。要从函数返回多个值,我们需要创建一个结构,其中包含着色器文件顶部的位置和颜色:

struct VSOut
{
float4 position : SV_POSITION;
float4 color : COLOR;
};

现在我们将函数返回值更改为此结构,并删除SV_POSITION 语义:

VSOut main(float4 position : POSITION, float4 color : COLOR)
{
[…]
}

而不是仅仅从着色器返回位置,我们将创建一个VSOut 结构,并在其中设置位置和颜色值。所以最终的顶点着色器应如下所示:

struct VSOut
{
float4 position : SV_POSITION;
float4 color : COLOR;
}; VSOut main(float4 position : POSITION, float4 color : COLOR)
{
VSOut output;
output.position = position;
output.color = color; return output;
}

6.更新像素着色器

在像素着色器(pixelShader.hlsl)中,我们需要将颜色添加为函数参数,然后返回红色而不是返回提供的颜色,因此完整像素着色器应如下所示:

float4 main(float4 position : SV_POSITION, float4 color : COLOR) : SV_TARGET
{
return color;
}

7.修复bug

如果您在02-08-2016之前已经按照之前的教程进行操作,那么您可能会遇到错误(在GitHub repo和教程中已修复)。你必须移动这一行 Game.cs

d3dDeviceContext.OutputMerger.SetRenderTargets(renderTargetView);

从最后开始InitializeDeviceResources(), 并将其置于第一位Draw(),因为必须在每帧的开头调用它。

8.最终结果

我们现在已经完成了,如果您运行该项目,您现在应该得到以下结果:

和往常一样,GitHub上提供了完整的代码:https//github.com/mrjfalk/SharpDXTutorials/tree/master/BeginnersTutorial-Part5

    public class Game : IDisposable
{
private RenderForm renderForm; private const int Width = ;
private const int Height = ; private D3D11.Device d3dDevice;
private D3D11.DeviceContext d3dDeviceContext;
private SwapChain swapChain;
private D3D11.RenderTargetView renderTargetView;
private Viewport viewport; // Shaders
private D3D11.VertexShader vertexShader;
private D3D11.PixelShader pixelShader;
private ShaderSignature inputSignature;
private D3D11.InputLayout inputLayout; private D3D11.InputElement[] inputElements = new D3D11.InputElement[]
{
new D3D11.InputElement("POSITION", , Format.R32G32B32_Float, , , D3D11.InputClassification.PerVertexData, ),
new D3D11.InputElement("COLOR", , Format.R32G32B32A32_Float, , , D3D11.InputClassification.PerVertexData, )
}; // Triangle vertices
private VertexPositionColor[] vertices = new VertexPositionColor[] { new VertexPositionColor(new Vector3(-0.5f, 0.5f, 0.0f), SharpDX.Color.Red), new VertexPositionColor(new Vector3(0.5f, 0.5f, 0.0f), SharpDX.Color.Green), new VertexPositionColor(new Vector3(0.0f, -0.5f, 0.0f), SharpDX.Color.Blue) };
private D3D11.Buffer triangleVertexBuffer; /// <summary>
/// Create and initialize a new game.
/// </summary>
public Game()
{
// Set window properties
renderForm = new RenderForm("My first SharpDX game");
renderForm.ClientSize = new Size(Width, Height);
renderForm.AllowUserResizing = false; InitializeDeviceResources();
InitializeShaders();
InitializeTriangle();
} /// <summary>
/// Start the game.
/// </summary>
public void Run()
{
// Start the render loop
RenderLoop.Run(renderForm, RenderCallback);
} private void RenderCallback()
{
Draw();
} private void InitializeDeviceResources()
{
ModeDescription backBufferDesc = new ModeDescription(Width, Height, new Rational(, ), Format.R8G8B8A8_UNorm); // Descriptor for the swap chain
SwapChainDescription swapChainDesc = new SwapChainDescription()
{
ModeDescription = backBufferDesc,
SampleDescription = new SampleDescription(, ),
Usage = Usage.RenderTargetOutput,
BufferCount = ,
OutputHandle = renderForm.Handle,
IsWindowed = true
}; // Create device and swap chain
D3D11.Device.CreateWithSwapChain(DriverType.Hardware, D3D11.DeviceCreationFlags.None, swapChainDesc, out d3dDevice, out swapChain);
d3dDeviceContext = d3dDevice.ImmediateContext; viewport = new Viewport(, , Width, Height);
d3dDeviceContext.Rasterizer.SetViewport(viewport); // Create render target view for back buffer
using(D3D11.Texture2D backBuffer = swapChain.GetBackBuffer<D3D11.Texture2D>())
{
renderTargetView = new D3D11.RenderTargetView(d3dDevice, backBuffer);
}
} private void InitializeShaders()
{
// Compile the vertex shader code
using(var vertexShaderByteCode = ShaderBytecode.CompileFromFile("vertexShader.hlsl", "main", "vs_4_0", ShaderFlags.Debug))
{
// Read input signature from shader code
inputSignature = ShaderSignature.GetInputSignature(vertexShaderByteCode); vertexShader = new D3D11.VertexShader(d3dDevice, vertexShaderByteCode);
} // Compile the pixel shader code
using(var pixelShaderByteCode = ShaderBytecode.CompileFromFile("pixelShader.hlsl", "main", "ps_4_0", ShaderFlags.Debug))
{
pixelShader = new D3D11.PixelShader(d3dDevice, pixelShaderByteCode);
} // Set as current vertex and pixel shaders
d3dDeviceContext.VertexShader.Set(vertexShader);
d3dDeviceContext.PixelShader.Set(pixelShader); d3dDeviceContext.InputAssembler.PrimitiveTopology = PrimitiveTopology.TriangleList; // Create the input layout from the input signature and the input elements
inputLayout = new D3D11.InputLayout(d3dDevice, inputSignature, inputElements); // Set input layout to use
d3dDeviceContext.InputAssembler.InputLayout = inputLayout;
} private void InitializeTriangle()
{
// Create a vertex buffer, and use our array with vertices as data
triangleVertexBuffer = D3D11.Buffer.Create(d3dDevice, D3D11.BindFlags.VertexBuffer, vertices);
} /// <summary>
/// Draw the game.
/// </summary>
private void Draw()
{
// Set render targets
d3dDeviceContext.OutputMerger.SetRenderTargets(renderTargetView); // Clear the screen
d3dDeviceContext.ClearRenderTargetView(renderTargetView, new SharpDX.Color(, , )); // Set vertex buffer
d3dDeviceContext.InputAssembler.SetVertexBuffers(, new D3D11.VertexBufferBinding(triangleVertexBuffer, Utilities.SizeOf<VertexPositionColor>(), )); // Draw the triangle
d3dDeviceContext.Draw(vertices.Count(), ); // Swap front and back buffer
swapChain.Present(, PresentFlags.None);
} public void Dispose()
{
inputLayout.Dispose();
inputSignature.Dispose();
triangleVertexBuffer.Dispose();
vertexShader.Dispose();
pixelShader.Dispose();
renderTargetView.Dispose();
swapChain.Dispose();
d3dDevice.Dispose();
d3dDeviceContext.Dispose();
renderForm.Dispose();
}
}

SharpDX初学者教程第5部分:着色三角形的更多相关文章

  1. SharpDX初学者教程第4部分:绘制三角形

    原文 http://www.johanfalk.eu/blog/sharpdx-beginners-tutorial-part-4-drawing-a-triangle 现在我们有了一个Direct3 ...

  2. SharpDX初学者教程第3部分:初始化DirectX

    原文 http://www.johanfalk.eu/blog/sharpdx-beginners-tutorial-part-3-initializing-directx 在这部分中,我们将初始化D ...

  3. SharpDX初学者教程第1部分:在Visual Studio 2013中设置SharpDX项目

    原文 http://www.johanfalk.eu/blog/sharpdx-tutorial-part-1-setting-up-a-sharpdx-project-in-visual-studi ...

  4. SharpDX初学者教程第2部分:创建窗口

    原文 http://www.johanfalk.eu/blog/sharpdx-tutorial-part-2-creating-a-window 在第二篇教程中,我们将介绍如何创建一个稍后将呈现的简 ...

  5. WebGL简易教程(三):绘制一个三角形(缓冲区对象)

    目录 1. 概述 2. 示例:绘制三角形 1) HelloTriangle.html 2) HelloTriangle.js 3) 缓冲区对象 (1) 创建缓冲区对象(gl.createBuffer( ...

  6. Go GraphQL初学者教程

    Go GraphQL初学者教程 https://tutorialedge.net/golang/go-graphql-beginners-tutorial/ https://tutorialedge. ...

  7. 《SLAM for Dummies》中文版《SLAM初学者教程》

    SLAM for Dummies  SLAM初学者教程A Tutorial Approach to Simultaneous Localization and Mapping  一本关于实时定位及绘图 ...

  8. SLAM for Dummies SLAM初学者教程 中文翻译 1到4章

    SLAM for Dummies  SLAM初学者教程A Tutorial Approach to Simultaneous Localization and Mapping  一本关于实时定位及绘图 ...

  9. PANDAS 数据分析初学者教程

    Pandas 初学者教程       2018-05-19 六尺巷人 对于数据科学家,无论是数据分析还是数据挖掘来说,Pandas是一个非常重要的Python包.它不仅提供了很多方法,使得数据处理非常 ...

随机推荐

  1. Java数据结构和算法(六)--二叉树

    什么是树? 上面图例就是一个树,用圆代表节点,连接圆的直线代表边.树的顶端总有一个节点,通过它连接第二层的节点,然后第二层连向更下一层的节点,以此递推 ,所以树的顶端小,底部大.和现实中的树是相反的, ...

  2. h5文件简介

    h5文件是层次格式的第5代版本,用于存储科学数据的一种文件格式和库文件,由美国超级计算中心与应用中心研发的文件格式,用以存储和组织大规模数据. H5将文件结构简化成两个主要的对象类型: 1 数据集da ...

  3. webpack4配置react开发环境

    webpack4大大提高了开发效率,简化了配置复杂度,作为一个大的版本更新,作为一个对开发效率执着的爱折腾的程序员,已经忍不住要尝尝鲜了 首先是cli和webpack的分离,开发webpack应用程序 ...

  4. spring JdbcTemplate最基本的使用

    package com.com.jdbctemplate; import org.springframework.jdbc.core.JdbcTemplate; import org.springfr ...

  5. Linux 基础命令3 shell

    echo 显示一行文本 各种展开的实例 波浪线展开 算术表达式展开 支持的运算 奇怪的花括号展开 花括号的..用法 花括号(任选一个)的嵌套 参数展开$符很重要哦(一种展开做另一种的参数) 命令的替换 ...

  6. 洛谷P2723 丑数 Humble Numbers [2017年 6月计划 数论07]

    P2723 丑数 Humble Numbers 题目背景 对于一给定的素数集合 S = {p1, p2, ..., pK},考虑一个正整数集合,该集合中任一元素的质因数全部属于S.这个正整数集合包括, ...

  7. qq在线

    <a target="_blank" href="http://wpa.qq.com/msgrd?v=3&uin=1749904992&site=q ...

  8. 洛谷 P1567 统计天数【最长上升子序列/断则归一】

    题目背景 统计天数 题目描述 炎热的夏日,KC非常的不爽.他宁可忍受北极的寒冷,也不愿忍受厦门的夏天.最近,他开始研究天气的变化.他希望用研究的结果预测未来的天气. 经历千辛万苦,他收集了连续N(1& ...

  9. vue-cli3 关闭eslint

    关闭eslint 直接注释掉package.json文件中eslint的配置就可以了(以下是vue-cli的默认配置) "eslintConfig": { "root&q ...

  10. 数据库lib7第2, 3题(创建索引和触发器)

    2. 分别为上述建立的表格建立适当的索引,请描述建立索引的过程(可以截图或者写SQL).其中,要求对SPJ标中的SNo, PNo字段各建立一个索引,为(PNo, JNo)的组合建立一个索引.请问,SN ...