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