use derive_cmp_ops::CmpOps;
use glium::uniforms::AsUniformValue;
use crate::prelude::Mat3;
use super::{dvec2::{dvec2, DVec2}, dvec4::{dvec4, DVec4}};
#[derive(Debug, Clone, Copy, PartialEq, PartialOrd, CmpOps)]
pub struct DVec3{
pub x: f64,
pub y: f64,
pub z: f64
}
impl DVec3{
pub const ZERO: Self = dvec3(0.0, 0.0, 0.0);
pub const ONE: Self = dvec3(1.0, 1.0, 1.0);
pub const X: Self = dvec3(1.0, 0.0, 0.0);
pub const Y: Self = dvec3(0.0, 1.0, 0.0);
pub const Z: Self = dvec3(0.0, 0.0, 1.0);
pub fn new(x: f64, y: f64, z: f64) -> Self{
Self { x, y, z }
}
pub fn extend(self, w: f64) -> DVec4{
dvec4(self.x, self.y, self.z, w)
}
pub fn truncate(self) -> DVec2{
dvec2(self.x, self.y)
}
pub fn splat(value: f64) -> Self{
Self::new(value, value, value)
}
pub fn length_squared(self) -> f64{
self.x*self.x + self.y*self.y + self.z*self.z
}
pub fn length(self) -> f64{
self.length_squared().sqrt()
}
pub fn distance_squared(self, other: DVec3) -> f64{
(self - other).length_squared()
}
pub fn distance(self, other: DVec3) -> f64{
(self - other).length()
}
pub fn dot(self, other: DVec3) -> f64{
self.x * other.x + self.y * other.y + self.z * other.z
}
pub fn cross(&self, other: DVec3) -> DVec3{
dvec3(
self.y*other.z - self.z*other.y,
self.z*other.x - self.x*other.z,
self.x*other.y - self.y*other.x
)
}
pub fn scale(self, scalar: f64) -> DVec3{
Self::new(self.x * scalar, self.y * scalar, self.z * scalar)
}
pub fn normalise(self) -> Self{
let length = self.length();
if length == 0.0 { return dvec3(0.0, 0.0, 0.0); }
self.scale(1.0 / length)
}
pub fn transform(self, matrix: &Mat3) -> Self{
let a: DVec3 = matrix.row(0).into();
let b: DVec3 = matrix.row(1).into();
let c: DVec3 = matrix.row(2).into();
dvec3(a.dot(self), b.dot(self), c.dot(self))
}
}
impl AsUniformValue for DVec3{
fn as_uniform_value(&self) -> glium::uniforms::UniformValue<'_> {
glium::uniforms::UniformValue::DoubleVec3([self.x, self.y, self.z])
}
}
impl From<[f64; 3]> for DVec3 {
fn from(value: [f64; 3]) -> Self {
Self { x: value[0], y: value[1], z: value[2] }
}
}
impl From<[f32; 3]> for DVec3 {
fn from(value: [f32; 3]) -> Self {
Self { x: value[0] as f64, y: value[1] as f64, z: value[2] as f64 }
}
}
pub const fn dvec3(x: f64, y: f64, z: f64) -> DVec3{
DVec3 { x, y, z }
}