This repository has been archived on 2024-03-22. You can view files and clone it, but cannot push or open issues or pull requests.
DX11Starter/VertexShader.hlsl
2022-04-03 17:14:54 -04:00

49 lines
2 KiB
HLSL

#include "Defines.hlsli"
cbuffer ExternalData : register(b0)
{
matrix world;
matrix worldInvTranspose;
matrix view;
matrix projection;
}
// --------------------------------------------------------
// The entry point (main method) for our vertex shader
//
// - Input is exactly one vertex worth of data (defined by a struct)
// - Output is a single struct of data to pass down the pipeline
// - Named "main" because that's the default the shader compiler looks for
// --------------------------------------------------------
VertexToPixel main( VertexShaderInput input )
{
// Set up output struct
VertexToPixel output;
// Convert vertex to world view projection
matrix worldViewProjection = mul(projection, mul(view, world));
// Here we're essentially passing the input position directly through to the next
// stage (rasterizer), though it needs to be a 4-component vector now.
// - To be considered within the bounds of the screen, the X and Y components
// must be between -1 and 1.
// - The Z component must be between 0 and 1.
// - Each of these components is then automatically divided by the W component,
// which we're leaving at 1.0 for now (this is more useful when dealing with
// a perspective projection matrix, which we'll get to in the future).
output.screenPosition = mul(worldViewProjection, float4(input.localPosition, 1.0f));
// Pass the uvs through
// - The values will be interpolated per-pixel by the rasterizer
// - We don't need to alter it here, but we do need to send it to the pixel shader
output.uv = input.uv;
// Pass normal and world position throuh
output.normal = normalize(mul((float3x3)worldInvTranspose, input.normal));
output.tangent = normalize(mul((float3x3)worldInvTranspose, input.tangent));
output.worldPosition = mul(world, float4(input.localPosition, 1)).xyz;
// Whatever we return will make its way through the pipeline to the
// next programmable stage we're using (the pixel shader for now)
return output;
}