I'm working on a small ray tracing project and I'm trying to add a point light system to my rendering engine. Here's an excerpt of my main ray_color
function, which calculates the color of a ray based on ambient lighting and reflections:
my source for this project :
t_color ray_color(t_rt *rt, t_ray ray, int depth)
{
t_color color;
t_color attenuation;
t_hit_record hit_record;
t_color bounce_color;
t_color amb;
t_color light_color;
t_ray scatted;
float ratio;
if (depth <= 0)
return (t_color){0, 0, 0};
color = rt->scene.amb_light.color;
amb = rt->scene.amb_light.color;
ratio = rt->scene.amb_light.ratio;
color.r *= rt->scene.amb_light.ratio;
color.g *= rt->scene.amb_light.ratio;
color.b *= rt->scene.amb_light.ratio;
if (hit_register(rt, ray, &hit_record) == 1)
{
if (calc_ray_reflection(hit_record, ray, &scatted, &attenuation, rt))
{
bounce_color = ray_color(rt, scatted, depth - 1);
light_color = compute_light(&hit_record, rt);
color.r = bounce_color.r * attenuation.r / 255;
color.g = bounce_color.g * attenuation.g / 255;
color.b = bounce_color.b * attenuation.b / 255;
return (color);
}
return (t_color){0, 0, 0};
}
return (color);
}
My compute_light function already returns the sum of all light sources at the hit point, but I'm not sure how to integrate it correctly into my existing system, which currently works with only ambiant light.
My main issue is understanding how to properly add the light values and the reflection bounce of the child ray in the correct proportions. I want to adjust the impact of the light on the final ray color, while also accounting for reflections in a realistic way.
Thanks in advance for your help!
How can I correctly add the contribution of each light source to the color at the hit point?
How do I integrate the point light into this calculation while considering the impact of reflections?
What is the best way to adjust the proportions of ambient light and point light in the final rendering?