use crate::RealNumber; use crate::aliases::{TVec, TVec3}; use crate::traits::Number; /// The cross product of two vectors. pub fn cross(x: &TVec3, y: &TVec3) -> TVec3 { x.cross(y) } /// The distance between two points. /// /// # See also: /// /// * [`distance2`](fn.distance2.html) pub fn distance(p0: &TVec, p1: &TVec) -> T { (p1 - p0).norm() } /// The dot product of two vectors. pub fn dot(x: &TVec, y: &TVec) -> T { x.dot(y) } /// If `dot(nref, i) < 0.0`, return `n`, otherwise, return `-n`. pub fn faceforward( n: &TVec, i: &TVec, nref: &TVec, ) -> TVec { if nref.dot(i) < T::zero() { n.clone() } else { -n.clone() } } /// The magnitude of a vector. /// /// A synonym for [`magnitude`](fn.magnitude.html). /// /// # See also: /// /// * [`length2`](fn.length2.html) /// * [`magnitude`](fn.magnitude.html) /// * [`magnitude2`](fn.magnitude2.html) pub fn length(x: &TVec) -> T { x.norm() } /// The magnitude of a vector. /// /// A wrapper around [`nalgebra::norm`](../nalgebra/fn.norm.html). /// /// # See also: /// /// * [`length`](fn.length.html) /// * [`magnitude2`](fn.magnitude2.html) /// * [`nalgebra::norm`](../nalgebra/fn.norm.html) pub fn magnitude(x: &TVec) -> T { x.norm() } /// Normalizes a vector. pub fn normalize(x: &TVec) -> TVec { x.normalize() } /// For the incident vector `i` and surface orientation `n`, returns the reflection direction : `result = i - 2.0 * dot(n, i) * n`. pub fn reflect_vec(i: &TVec, n: &TVec) -> TVec { let _2 = T::one() + T::one(); i - n * (n.dot(i) * _2) } /// For the incident vector `i` and surface normal `n`, and the ratio of indices of refraction `eta`, return the refraction vector. pub fn refract_vec( i: &TVec, n: &TVec, eta: T, ) -> TVec { let ni = n.dot(i); let k = T::one() - eta * eta * (T::one() - ni * ni); if k < T::zero() { TVec::<_, D>::zeros() } else { i * eta - n * (eta * dot(n, i) + k.sqrt()) } }