pathtracer/src/material/uniform.rs
Bruno BELANYI 7112873715 library: replace super::super by crate import
Done with the following shell command:
`sed -e 's/super::super/crate/' -i $(git grep -l super::super)`.

Followed by a `cargo fmt --all`.
2020-03-17 20:49:30 +01:00

65 lines
1.5 KiB
Rust

use super::Material;
use crate::core::color::LinearColor;
use crate::Point2D;
/// A material with the same characteristics on all points.
#[derive(Debug, PartialEq)]
pub struct UniformMaterial {
diffuse: LinearColor,
specular: LinearColor,
}
impl UniformMaterial {
pub fn new(diffuse: LinearColor, specular: LinearColor) -> Self {
UniformMaterial { diffuse, specular }
}
}
impl Material for UniformMaterial {
fn diffuse(&self, _: Point2D) -> LinearColor {
self.diffuse.clone()
}
fn specular(&self, _: Point2D) -> LinearColor {
self.specular.clone()
}
}
#[cfg(test)]
mod test {
use super::*;
#[test]
fn new_works() {
let diffuse = LinearColor::new(0., 0.5, 0.);
let specular = LinearColor::new(1., 1., 1.);
let mat = UniformMaterial::new(diffuse.clone(), specular.clone());
assert_eq!(mat, UniformMaterial { diffuse, specular })
}
fn simple_material() -> impl Material {
UniformMaterial::new(
LinearColor::new(0.5, 0.5, 0.5),
LinearColor::new(1., 1., 1.),
)
}
#[test]
fn diffuse_works() {
let mat = simple_material();
assert_eq!(
mat.diffuse(Point2D::origin()),
LinearColor::new(0.5, 0.5, 0.5)
)
}
#[test]
fn specular_works() {
let mat = simple_material();
assert_eq!(
mat.specular(Point2D::origin()),
LinearColor::new(1., 1., 1.)
)
}
}