From 22167a1b93312b004ef4c4b62d0dee34afeab861 Mon Sep 17 00:00:00 2001 From: Bruno BELANYI Date: Mon, 16 Mar 2020 17:40:49 +0100 Subject: [PATCH] library: light: add PointLight implementation --- src/light/mod.rs | 3 ++ src/light/point_light.rs | 66 ++++++++++++++++++++++++++++++++++++++++ 2 files changed, 69 insertions(+) create mode 100644 src/light/point_light.rs diff --git a/src/light/mod.rs b/src/light/mod.rs index 1fd13e8..abec195 100644 --- a/src/light/mod.rs +++ b/src/light/mod.rs @@ -12,3 +12,6 @@ pub trait SpatialLight: Light { /// Get a unit vector from the origin to the position of the light, and its distance fn to_source(&self, origin: &Point) -> (Vector, f32); } + +pub mod point_light; +pub use point_light::*; diff --git a/src/light/point_light.rs b/src/light/point_light.rs new file mode 100644 index 0000000..596b026 --- /dev/null +++ b/src/light/point_light.rs @@ -0,0 +1,66 @@ +use super::super::core::LinearColor; +use super::super::{Point, Vector}; +use super::{Light, SpatialLight}; + +/// Represent a light emanating from a point in space, following the square distance law. +#[derive(Debug, PartialEq)] +pub struct PointLight { + position: Point, + color: LinearColor, +} + +impl PointLight { + pub fn new(position: Point, color: LinearColor) -> Self { + PointLight { position, color } + } +} + +impl Light for PointLight { + fn illumination(&self, point: &Point) -> LinearColor { + let dist = (self.position - point).norm(); + self.color.clone() / dist + } +} + +impl SpatialLight for PointLight { + fn to_source(&self, point: &Point) -> (Vector, f32) { + let delt = self.position - point; + let dist = delt.norm(); + (delt.normalize(), dist) + } +} + +#[cfg(test)] +mod test { + use super::*; + + #[test] + fn new_works() { + let position = Point::origin(); + let color = LinearColor::black(); + let light = PointLight::new(position, color.clone()); + let res = PointLight { position, color }; + assert_eq!(light, res) + } + + fn simple_light() -> impl SpatialLight { + let position = Point::origin(); + let color = LinearColor::new(1., 1., 1.); + PointLight::new(position, color) + } + + #[test] + fn illumination_is_correct() { + let light = simple_light(); + let lum = light.illumination(&Point::new(1., 0., 0.)); + assert_eq!(lum, LinearColor::new(1., 1., 1.)) + } + + #[test] + fn to_source_is_correct() { + let light = simple_light(); + let ans = light.to_source(&Point::new(1., 0., 0.)); + let expected = (Vector::new(-1., 0., 0.), 1.); + assert_eq!(ans, expected); + } +}