I'm beginning to create a basic diffuse lighting shader, I'm using uniforms arrays to store the lights' infos.
The loops are of variable size dictated by the "DirectionLightsLength" uniform. For some reason, all elements asides from the zeroeth is being optimized out of my code (OpenGL can't find it's location). Is there anyway to prevent this without manually unrolling my for-loops and removing their variable length?
I'm setting up the arrays on the shader end by setting the uniform location of "shaderName[index]",
uniform vec3 DirectionLightsDirections[4];
uniform vec3 DirectionLightsColors[4];
uniform int DirectionLightsLength;
out vec2 v2f_uv;
out vec3 v2f_diffuse;
out vec3 v2f_normal_world;
uniform mat4 ModelRotation;
uniform mat4 ModelToWorld;
uniform mat4 WorldToView;
void main()
{
vec4 worldPos = vec4(in_position, 1f) * ModelToWorld;
vec4 viewPos = worldPos * WorldToView;
gl_Position = viewPos;
v2f_uv = in_uv;
v2f_normal_world = (vec4(in_normal, 1f) * ModelRotation).xyz;
vec3 diffuseColorSum = vec3(0,0,0);
for (int i = 0; i < DirectionLightsLength; i++){
float product = dot(DirectionLightsDirections[i], v2f_normal_world);
float diffuseShade = clamp(product, 0, 1);
vec3 diffuseColor = product * DirectionLightsColors[i];
diffuseColorSum += diffuseColor;
}
v2f_diffuse = clamp(diffuseColorSum, 0, 1);
}
Thanks for any help! I'm using OpenTK, a c# wrapper for OpenGL.
Found a solution: if I declare my light uniforms inside a single struct in the shader like this
They are then counted as active uniforms when I cache all uniform locations of a material, and I can therefore access their locations via a string-key (I cache uniform locations in a c# dictionary) which follows the following format:
$"{light_name}[{index}]{member_name}"
I don't know if this means OpenTK doesn't support raw uniform arrays that aren't structs, but this is the only thing I've found works. I was going to eventually refactor all my uniforms into structs anyways so I guess this is fine.
Thanks for the help everybody, and my bad for a sloppy question!