From 08db4241695b401c01ad3209b533bb8fb0e91f30 Mon Sep 17 00:00:00 2001 From: Imbris Date: Fri, 20 Mar 2020 23:23:46 -0400 Subject: [PATCH] Add safe_slerp function that ensures that slerping returns non-NaN normalized values --- common/src/states/climb.rs | 16 +- common/src/states/dash_melee.rs | 4 +- common/src/states/glide.rs | 10 +- common/src/states/roll.rs | 10 +- common/src/states/utils.rs | 29 +-- common/src/sys/movement.rs | 261 --------------------------- common/src/util/color.rs | 141 +++++++++++++++ common/src/util/mod.rs | 199 ++++++++------------ voxygen/src/anim/mod.rs | 2 +- voxygen/src/ecs/sys/interpolation.rs | 10 +- voxygen/src/scene/figure/mod.rs | 40 +--- voxygen/src/scene/simple.rs | 1 - 12 files changed, 248 insertions(+), 475 deletions(-) delete mode 100644 common/src/sys/movement.rs create mode 100644 common/src/util/color.rs diff --git a/common/src/states/climb.rs b/common/src/states/climb.rs index 27f51c8da5..314086ef6f 100644 --- a/common/src/states/climb.rs +++ b/common/src/states/climb.rs @@ -5,6 +5,7 @@ use crate::{ character_behavior::{CharacterBehavior, JoinData}, phys::GRAVITY, }, + util::safe_slerp, }; use std::collections::VecDeque; use vek::{ @@ -67,16 +68,11 @@ impl CharacterBehavior for Data { }; // Smooth orientation - if ori_dir.magnitude_squared() > 0.0001 - && (update.ori.0.normalized() - Vec3::from(ori_dir).normalized()).magnitude_squared() - > 0.001 - { - update.ori.0 = vek::ops::Slerp::slerp( - update.ori.0, - ori_dir.into(), - if data.physics.on_ground { 9.0 } else { 2.0 } * data.dt.0, - ); - } + update.ori.0 = safe_slerp( + update.ori.0, + ori_dir.into(), + if data.physics.on_ground { 9.0 } else { 2.0 } * data.dt.0, + ); // Apply Vertical Climbing Movement if let (true, Some(_wall_dir)) = ( diff --git a/common/src/states/dash_melee.rs b/common/src/states/dash_melee.rs index c52447218f..7b1cdfd51a 100644 --- a/common/src/states/dash_melee.rs +++ b/common/src/states/dash_melee.rs @@ -1,6 +1,7 @@ use crate::{ comp::{Attacking, CharacterState, EnergySource, StateUpdate}, sys::character_behavior::*, + util::safe_slerp, }; use std::{collections::VecDeque, time::Duration}; use vek::Vec3; @@ -34,7 +35,6 @@ impl CharacterBehavior for Data { if self.initialize { update.vel.0 = data.inputs.look_dir * 20.0; - update.ori.0 = update.vel.0; } if self.buildup_duration != Duration::default() && data.physics.touch_entity.is_none() { @@ -99,6 +99,8 @@ impl CharacterBehavior for Data { } } + update.ori.0 = safe_slerp(update.ori.0, update.vel.0, 9.0 * data.dt.0); + update } } diff --git a/common/src/states/glide.rs b/common/src/states/glide.rs index 4d7a73eddf..3f947399cc 100644 --- a/common/src/states/glide.rs +++ b/common/src/states/glide.rs @@ -1,9 +1,10 @@ use crate::{ comp::{CharacterState, StateUpdate}, sys::character_behavior::{CharacterBehavior, JoinData}, + util::safe_slerp, }; use std::collections::VecDeque; -use vek::{Vec2, Vec3}; +use vek::Vec2; // Gravity is 9.81 * 4, so this makes gravity equal to .15 const GLIDE_ANTIGRAV: f32 = crate::sys::phys::GRAVITY * 0.96; @@ -46,12 +47,7 @@ impl CharacterBehavior for Data { // Determine orientation vector from movement direction vector let ori_dir = Vec2::from(update.vel.0); - if ori_dir.magnitude_squared() > 0.0001 - && (update.ori.0.normalized() - Vec3::from(ori_dir).normalized()).magnitude_squared() - > 0.001 - { - update.ori.0 = vek::ops::Slerp::slerp(update.ori.0, ori_dir.into(), 2.0 * data.dt.0); - } + update.ori.0 = safe_slerp(update.ori.0, ori_dir.into(), 2.0 * data.dt.0); // Apply Glide antigrav lift if Vec2::::from(update.vel.0).magnitude_squared() < GLIDE_SPEED.powf(2.0) diff --git a/common/src/states/roll.rs b/common/src/states/roll.rs index 2d0795d95c..e09405c8e1 100644 --- a/common/src/states/roll.rs +++ b/common/src/states/roll.rs @@ -1,6 +1,7 @@ use crate::{ comp::{CharacterState, StateUpdate}, sys::character_behavior::{CharacterBehavior, JoinData}, + util::safe_slerp, }; use std::{collections::VecDeque, time::Duration}; use vek::Vec3; @@ -33,14 +34,7 @@ impl CharacterBehavior for Data { * ROLL_SPEED; // Smooth orientation - if update.vel.0.magnitude_squared() > 0.0001 - && (update.ori.0.normalized() - Vec3::from(update.vel.0).normalized()) - .magnitude_squared() - > 0.001 - { - update.ori.0 = - vek::ops::Slerp::slerp(update.ori.0, update.vel.0.into(), 9.0 * data.dt.0); - } + update.ori.0 = safe_slerp(update.ori.0, update.vel.0.into(), 9.0 * data.dt.0); if self.remaining_duration == Duration::default() { // Roll duration has expired diff --git a/common/src/states/utils.rs b/common/src/states/utils.rs index a02d5ad99f..bcf938470d 100644 --- a/common/src/states/utils.rs +++ b/common/src/states/utils.rs @@ -3,9 +3,10 @@ use crate::{ event::LocalEvent, states::*, sys::{character_behavior::JoinData, phys::GRAVITY}, + util::safe_slerp, }; use std::time::Duration; -use vek::vec::{Vec2, Vec3}; +use vek::vec::Vec2; pub const MOVEMENT_THRESHOLD_VEL: f32 = 3.0; const BASE_HUMANOID_ACCEL: f32 = 100.0; @@ -59,18 +60,13 @@ fn basic_move(data: &JoinData, update: &mut StateUpdate) { pub fn handle_orientation(data: &JoinData, update: &mut StateUpdate) { // Set direction based on move direction let ori_dir = if update.character.is_attack() || update.character.is_block() { - Vec2::from(data.inputs.look_dir).normalized() + Vec2::from(data.inputs.look_dir) } else { Vec2::from(data.inputs.move_dir) }; // Smooth orientation - if ori_dir.magnitude_squared() > 0.0001 - && (update.ori.0.normalized() - Vec3::from(ori_dir).normalized()).magnitude_squared() - > 0.001 - { - update.ori.0 = vek::ops::Slerp::slerp(update.ori.0, ori_dir.into(), 9.0 * data.dt.0); - } + update.ori.0 = safe_slerp(update.ori.0, ori_dir.into(), 9.0 * data.dt.0); } /// Updates components to move player as if theyre swimming @@ -86,21 +82,16 @@ fn swim_move(data: &JoinData, update: &mut StateUpdate) { // Set direction based on move direction when on the ground let ori_dir = if update.character.is_attack() || update.character.is_block() { - Vec2::from(data.inputs.look_dir).normalized() + Vec2::from(data.inputs.look_dir) } else { Vec2::from(update.vel.0) }; - if ori_dir.magnitude_squared() > 0.0001 - && (update.ori.0.normalized() - Vec3::from(ori_dir).normalized()).magnitude_squared() - > 0.001 - { - update.ori.0 = vek::ops::Slerp::slerp( - update.ori.0, - ori_dir.into(), - if data.physics.on_ground { 9.0 } else { 2.0 } * data.dt.0, - ); - } + update.ori.0 = safe_slerp( + update.ori.0, + ori_dir.into(), + if data.physics.on_ground { 9.0 } else { 2.0 } * data.dt.0, + ); // Force players to pulse jump button to swim up if data.inputs.jump.is_pressed() && !data.inputs.jump.is_long_press(Duration::from_millis(600)) diff --git a/common/src/sys/movement.rs b/common/src/sys/movement.rs deleted file mode 100644 index b0f41858f4..0000000000 --- a/common/src/sys/movement.rs +++ /dev/null @@ -1,261 +0,0 @@ -use super::phys::GRAVITY; -use crate::{ - comp::{ - ActionState, CharacterState, Controller, Energy, EnergySource, Mounting, MovementState::*, - Ori, PhysicsState, Pos, Stats, Vel, - }, - event::{EventBus, ServerEvent}, - state::DeltaTime, - sync::Uid, - terrain::TerrainGrid, -}; -use specs::{Entities, Join, Read, ReadExpect, ReadStorage, System, WriteStorage}; -use std::time::Duration; -use vek::*; - -pub const ROLL_DURATION: Duration = Duration::from_millis(600); - -const BASE_HUMANOID_ACCEL: f32 = 100.0; -const BASE_HUMANOID_SPEED: f32 = 120.0; -const BASE_HUMANOID_AIR_ACCEL: f32 = 15.0; -const BASE_HUMANOID_AIR_SPEED: f32 = 100.0; -const BASE_HUMANOID_WATER_ACCEL: f32 = 70.0; -const BASE_HUMANOID_WATER_SPEED: f32 = 120.0; -const BASE_HUMANOID_CLIMB_ACCEL: f32 = 10.0; -const ROLL_SPEED: f32 = 17.0; -const CHARGE_SPEED: f32 = 20.0; -const GLIDE_ACCEL: f32 = 15.0; -const GLIDE_SPEED: f32 = 45.0; -const BLOCK_ACCEL: f32 = 30.0; -const BLOCK_SPEED: f32 = 75.0; -// Gravity is 9.81 * 4, so this makes gravity equal to .15 -const GLIDE_ANTIGRAV: f32 = GRAVITY * 0.96; -const CLIMB_SPEED: f32 = 5.0; -const CLIMB_COST: i32 = 5; - -pub const MOVEMENT_THRESHOLD_VEL: f32 = 3.0; - -/// # Movement System -/// #### Applies forces, calculates new positions and velocities,7 -/// #### based on Controller(Inputs) and CharacterState. -/// ---- -/// -/// **Writes:** -/// Pos, Vel, Ori -/// -/// **Reads:** -/// Uid, Stats, Controller, PhysicsState, CharacterState, Mounting -pub struct Sys; -impl<'a> System<'a> for Sys { - type SystemData = ( - Entities<'a>, - ReadExpect<'a, TerrainGrid>, - Read<'a, EventBus>, - Read<'a, DeltaTime>, - WriteStorage<'a, Pos>, - WriteStorage<'a, Vel>, - WriteStorage<'a, Ori>, - WriteStorage<'a, Energy>, - ReadStorage<'a, Uid>, - ReadStorage<'a, Stats>, - ReadStorage<'a, Controller>, - ReadStorage<'a, PhysicsState>, - ReadStorage<'a, CharacterState>, - ReadStorage<'a, Mounting>, - ); - - fn run( - &mut self, - ( - entities, - _terrain, - _server_bus, - dt, - mut positions, - mut velocities, - mut orientations, - mut energies, - uids, - stats, - controllers, - physics_states, - character_states, - mountings, - ): Self::SystemData, - ) { - // Apply movement inputs - for ( - _entity, - mut _pos, - mut vel, - mut ori, - mut energy, - _uid, - stats, - controller, - physics, - character, - mount, - ) in ( - &entities, - &mut positions, - &mut velocities, - &mut orientations, - &mut energies.restrict_mut(), - &uids, - &stats, - &controllers, - &physics_states, - &character_states, - mountings.maybe(), - ) - .join() - { - if stats.is_dead { - continue; - } - - if mount.is_some() { - continue; - } - - let inputs = &controller.inputs; - - if character.action.is_dodge() { - vel.0 = Vec3::new(0.0, 0.0, vel.0.z) - + (vel.0 * Vec3::new(1.0, 1.0, 0.0) - + 1.5 * inputs.move_dir.try_normalized().unwrap_or_default()) - .try_normalized() - .unwrap_or_default() - * ROLL_SPEED; - } else if character.action.is_charge() { - vel.0 = Vec3::new(0.0, 0.0, vel.0.z) - + (vel.0 * Vec3::new(1.0, 1.0, 0.0) - + 1.5 * inputs.move_dir.try_normalized().unwrap_or_default()) - .try_normalized() - .unwrap_or_default() - * CHARGE_SPEED; - } else if character.action.is_block() { - vel.0 += Vec2::broadcast(dt.0) - * inputs.move_dir - * match physics.on_ground { - true if vel.0.magnitude_squared() < BLOCK_SPEED.powf(2.0) => BLOCK_ACCEL, - _ => 0.0, - } - } else { - // Move player according to move_dir - vel.0 += Vec2::broadcast(dt.0) - * inputs.move_dir - * match (physics.on_ground, &character.movement) { - (true, Run) - if vel.0.magnitude_squared() - < (BASE_HUMANOID_SPEED + stats.fitness as f32 * 50.0).powf(2.0) => - { - BASE_HUMANOID_ACCEL - }, - (false, Climb) - if vel.0.magnitude_squared() < BASE_HUMANOID_SPEED.powf(2.0) => - { - BASE_HUMANOID_CLIMB_ACCEL - }, - (false, Glide) if vel.0.magnitude_squared() < GLIDE_SPEED.powf(2.0) => { - GLIDE_ACCEL - }, - (false, Fall) | (false, Jump) - if vel.0.magnitude_squared() - < (BASE_HUMANOID_AIR_SPEED + stats.fitness as f32 * 10.0) - .powf(2.0) => - { - BASE_HUMANOID_AIR_ACCEL - }, - (false, Swim) - if vel.0.magnitude_squared() - < (BASE_HUMANOID_WATER_SPEED + stats.fitness as f32 * 30.0) - .powf(2.0) => - { - BASE_HUMANOID_WATER_ACCEL + stats.fitness as f32 * 10.0 - }, - _ => 0.0, - }; - } - - // Set direction based on move direction when on the ground - let ori_dir = if - //character.action.is_wield() || - character.action.is_attack() || character.action.is_block() { - Vec2::from(inputs.look_dir).normalized() - } else if let (Climb, Some(wall_dir)) = (character.movement, physics.on_wall) { - if Vec2::::from(wall_dir).magnitude_squared() > 0.001 { - Vec2::from(wall_dir).normalized() - } else { - Vec2::from(inputs.move_dir) - } - } else if let Glide = character.movement { - // Note: non-gliding forces will also affect velocity and thus orientation - // producing potentially unexpected changes in direction - Vec2::from(vel.0) - } else { - if let ActionState::Roll { .. } = character.action { - // So can can't spin/slip around while rolling - Vec2::from(vel.0) - } else { - Vec2::from(inputs.move_dir) - } - }; - - if ori_dir.magnitude_squared() > 0.0001 - && (ori.0.normalized() - Vec3::from(ori_dir).normalized()).magnitude_squared() - > 0.001 - { - ori.0 = vek::ops::Slerp::slerp( - ori.0, - ori_dir.into(), - if physics.on_ground { 9.0 } else { 2.0 } * dt.0, - ); - } - - // Glide - if character.movement == Glide - && Vec2::::from(vel.0).magnitude_squared() < GLIDE_SPEED.powf(2.0) - && vel.0.z < 0.0 - { - let lift = GLIDE_ANTIGRAV + vel.0.z.abs().powf(2.0) * 0.15; - vel.0.z += dt.0 - * lift - * (Vec2::::from(vel.0).magnitude() * 0.075) - .min(1.0) - .max(0.2); - } - - // Climb - if let (true, Some(_wall_dir)) = ( - character.movement == Climb && vel.0.z <= CLIMB_SPEED, - physics.on_wall, - ) { - if inputs.climb_down.is_pressed() && !inputs.climb.is_pressed() { - if energy - .get_mut_unchecked() - .try_change_by(-CLIMB_COST, EnergySource::Climb) - .is_ok() - { - vel.0 -= dt.0 * vel.0.map(|e| e.abs().powf(1.5) * e.signum() * 6.0); - } - } else if inputs.climb.is_pressed() && !inputs.climb_down.is_pressed() { - if energy - .get_mut_unchecked() - .try_change_by(-CLIMB_COST, EnergySource::Climb) - .is_ok() - { - vel.0.z = (vel.0.z + dt.0 * GRAVITY * 1.25).min(CLIMB_SPEED).max(0.0); - } - } else { - vel.0.z = (vel.0.z - dt.0 * GRAVITY * 0.01).min(CLIMB_SPEED); - } - } - - if character.movement == Swim && inputs.jump.is_pressed() { - vel.0.z = (vel.0.z + dt.0 * GRAVITY * 1.25).min(BASE_HUMANOID_WATER_SPEED); - } - } - } -} diff --git a/common/src/util/color.rs b/common/src/util/color.rs new file mode 100644 index 0000000000..a1b91394da --- /dev/null +++ b/common/src/util/color.rs @@ -0,0 +1,141 @@ +use vek::{Mat3, Rgb, Rgba, Vec3}; + +#[inline(always)] +pub fn srgb_to_linear(col: Rgb) -> Rgb { + col.map(|c| { + if c <= 0.104 { + c * 0.08677088 + } else { + 0.012522878 * c + 0.682171111 * c * c + 0.305306011 * c * c * c + } + }) +} + +#[inline(always)] +pub fn linear_to_srgb(col: Rgb) -> Rgb { + col.map(|c| { + if c <= 0.0060 { + c * 11.500726 + } else { + let s1 = c.sqrt(); + let s2 = s1.sqrt(); + let s3 = s2.sqrt(); + 0.585122381 * s1 + 0.783140355 * s2 - 0.368262736 * s3 + } + }) +} + +#[inline(always)] +pub fn srgba_to_linear(col: Rgba) -> Rgba { + Rgba::from_translucent(srgb_to_linear(Rgb::from(col)), col.a) +} + +#[inline(always)] +pub fn linear_to_srgba(col: Rgba) -> Rgba { + Rgba::from_translucent(linear_to_srgb(Rgb::from(col)), col.a) +} + +/// Convert rgb to hsv. Expects rgb to be [0, 1]. +#[inline(always)] +pub fn rgb_to_hsv(rgb: Rgb) -> Vec3 { + let (r, g, b) = rgb.into_tuple(); + let (max, min, diff, add) = { + let (max, min, diff, add) = if r > g { + (r, g, g - b, 0.0) + } else { + (g, r, b - r, 2.0) + }; + if b > max { + (b, min, r - g, 4.0) + } else { + (max, b.min(min), diff, add) + } + }; + + let v = max; + let h = if max == min { + 0.0 + } else { + let mut h = 60.0 * (add + diff / (max - min)); + if h < 0.0 { + h += 360.0; + } + h + }; + let s = if max == 0.0 { 0.0 } else { (max - min) / max }; + + Vec3::new(h, s, v) +} + +/// Convert hsv to rgb. Expects h [0, 360], s [0, 1], v [0, 1] +#[inline(always)] +pub fn hsv_to_rgb(hsv: Vec3) -> Rgb { + let (h, s, v) = hsv.into_tuple(); + let c = s * v; + let h = h / 60.0; + let x = c * (1.0 - (h % 2.0 - 1.0).abs()); + let m = v - c; + + let (r, g, b) = if h >= 0.0 && h <= 1.0 { + (c, x, 0.0) + } else if h <= 2.0 { + (x, c, 0.0) + } else if h <= 3.0 { + (0.0, c, x) + } else if h <= 4.0 { + (0.0, x, c) + } else if h <= 5.0 { + (x, 0.0, c) + } else { + (c, 0.0, x) + }; + + Rgb::new(r + m, g + m, b + m) +} + +/// Convert linear rgb to CIExyY +#[inline(always)] +pub fn rgb_to_xyy(rgb: Rgb) -> Vec3 { + // XYZ + let xyz = Mat3::new( + 0.4124, 0.3576, 0.1805, 0.2126, 0.7152, 0.0722, 0.0193, 0.1192, 0.9504, + ) * Vec3::from(rgb); + + let sum = xyz.sum(); + Vec3::new(xyz.x / sum, xyz.y / sum, xyz.y) +} + +/// Convert to CIExyY to linear rgb +#[inline(always)] +pub fn xyy_to_rgb(xyy: Vec3) -> Rgb { + let xyz = Vec3::new( + xyy.z / xyy.y * xyy.x, + xyy.z, + xyy.z / xyy.y * (1.0 - xyy.x - xyy.y), + ); + + Rgb::from( + Mat3::new( + 3.2406, -1.5372, -0.4986, -0.9689, 1.8758, 0.0415, 0.0557, -0.2040, 1.0570, + ) * xyz, + ) +} + +// TO-DO: speed this up +#[inline(always)] +pub fn saturate_srgb(col: Rgb, value: f32) -> Rgb { + let mut hsv = rgb_to_hsv(srgb_to_linear(col)); + hsv.y *= 1.0 + value; + linear_to_srgb(hsv_to_rgb(hsv).map(|e| e.min(1.0).max(0.0))) +} + +/// Preserves the luma of one color while changing its chromaticty to match the +/// other +#[inline(always)] +pub fn chromify_srgb(luma: Rgb, chroma: Rgb) -> Rgb { + let l = rgb_to_xyy(srgb_to_linear(luma)).z; + let mut xyy = rgb_to_xyy(srgb_to_linear(chroma)); + xyy.z = l; + + linear_to_srgb(xyy_to_rgb(xyy).map(|e| e.min(1.0).max(0.0))) +} diff --git a/common/src/util/mod.rs b/common/src/util/mod.rs index cdd725a716..36ef3841e0 100644 --- a/common/src/util/mod.rs +++ b/common/src/util/mod.rs @@ -1,3 +1,5 @@ +mod color; + pub const GIT_VERSION: &str = include_str!(concat!(env!("OUT_DIR"), "/githash")); lazy_static::lazy_static! { @@ -5,144 +7,85 @@ lazy_static::lazy_static! { pub static ref GIT_DATE: &'static str = GIT_VERSION.split("/").nth(1).expect("failed to retrieve git_date!"); } -use vek::{Mat3, Rgb, Rgba, Vec3}; +pub use color::*; +/// Begone ye NaN's +/// Slerp two `Vec3`s skipping the slerp if their directions are very close +/// This avoids a case where `vek`s slerp produces NaN's +/// Additionally, it avoids unnecessary calculations if they are near identical +/// Assumes `from` is normalized and returns a normalized vector, but `to` +/// doesn't need to be normalized +// TODO: in some cases we might want to base the slerp rate on the magnitude of +// `to` for example when `to` is velocity and `from` is orientation #[inline(always)] -pub fn srgb_to_linear(col: Rgb) -> Rgb { - col.map(|c| { - if c <= 0.104 { - c * 0.08677088 - } else { - 0.012522878 * c + 0.682171111 * c * c + 0.305306011 * c * c * c +pub fn safe_slerp(from: vek::Vec3, to: vek::Vec3, factor: f32) -> vek::Vec3 { + use vek::Vec3; + + debug_assert!(!to.map(f32::is_nan).reduce_or()); + debug_assert!(!from.map(f32::is_nan).reduce_or()); + // Ensure from is normalized + #[cfg(debug_assertions)] + { + if { + let len_sq = from.magnitude_squared(); + len_sq < 0.999 || len_sq > 1.001 + } { + panic!("Called safe_slerp with unnormalized from: {:?}", from); } - }) -} + } -#[inline(always)] -pub fn linear_to_srgb(col: Rgb) -> Rgb { - col.map(|c| { - if c <= 0.0060 { - c * 11.500726 + let to = if to.magnitude_squared() > 0.001 { + to.normalized() + } else { + return from; + }; + + let dot = from.dot(to); + if dot > 0.999 { + // Close together, just use to + return to; + } + + let (from, to, factor) = if dot < -0.999 { + // Not linearly independent (slerp will fail since it doesn't check for this) + // Instead we will choose a midpoint and slerp from or to that depending on the + // factor + let mid_dir = if from.z > 0.999 { + // If vec's lie along the z-axis default to (1, 0, 0) as midpoint + Vec3::unit_x() } else { - let s1 = c.sqrt(); - let s2 = s1.sqrt(); - let s3 = s2.sqrt(); - 0.585122381 * s1 + 0.783140355 * s2 - 0.368262736 * s3 - } - }) -} - -#[inline(always)] -pub fn srgba_to_linear(col: Rgba) -> Rgba { - Rgba::from_translucent(srgb_to_linear(Rgb::from(col)), col.a) -} - -#[inline(always)] -pub fn linear_to_srgba(col: Rgba) -> Rgba { - Rgba::from_translucent(linear_to_srgb(Rgb::from(col)), col.a) -} - -/// Convert rgb to hsv. Expects rgb to be [0, 1]. -#[inline(always)] -pub fn rgb_to_hsv(rgb: Rgb) -> Vec3 { - let (r, g, b) = rgb.into_tuple(); - let (max, min, diff, add) = { - let (max, min, diff, add) = if r > g { - (r, g, g - b, 0.0) - } else { - (g, r, b - r, 2.0) + // Default to picking midpoint in the xy plane + Vec3::new(from.y, -from.x, 0.0).normalized() }; - if b > max { - (b, min, r - g, 4.0) + + if factor > 0.5 { + (mid_dir, to, factor * 2.0 - 1.0) } else { - (max, b.min(min), diff, add) + (from, mid_dir, factor * 2.0) } + } else { + (from, to, factor) }; - let v = max; - let h = if max == min { - 0.0 - } else { - let mut h = 60.0 * (add + diff / (max - min)); - if h < 0.0 { - h += 360.0; + let slerped = Vec3::slerp(from, to, factor); + let slerped_normalized = slerped.normalized(); + // Ensure normalization worked + // This should not be possible but I will leave it here for now just in case + // something was missed + #[cfg(debug_assertions)] + { + if { + let len_sq = slerped_normalized.magnitude_squared(); + len_sq < 0.999 || len_sq > 1.001 + } || slerped_normalized.map(f32::is_nan).reduce_or() + { + panic!( + "Failed to normalize {:?} produced from:\nslerp(\n {:?},\n {:?},\n \ + {:?},\n)\nWith result: {:?})", + slerped, from, to, factor, slerped_normalized + ); } - h - }; - let s = if max == 0.0 { 0.0 } else { (max - min) / max }; + } - Vec3::new(h, s, v) -} - -/// Convert hsv to rgb. Expects h [0, 360], s [0, 1], v [0, 1] -#[inline(always)] -pub fn hsv_to_rgb(hsv: Vec3) -> Rgb { - let (h, s, v) = hsv.into_tuple(); - let c = s * v; - let h = h / 60.0; - let x = c * (1.0 - (h % 2.0 - 1.0).abs()); - let m = v - c; - - let (r, g, b) = if h >= 0.0 && h <= 1.0 { - (c, x, 0.0) - } else if h <= 2.0 { - (x, c, 0.0) - } else if h <= 3.0 { - (0.0, c, x) - } else if h <= 4.0 { - (0.0, x, c) - } else if h <= 5.0 { - (x, 0.0, c) - } else { - (c, 0.0, x) - }; - - Rgb::new(r + m, g + m, b + m) -} - -/// Convert linear rgb to CIExyY -#[inline(always)] -pub fn rgb_to_xyy(rgb: Rgb) -> Vec3 { - // XYZ - let xyz = Mat3::new( - 0.4124, 0.3576, 0.1805, 0.2126, 0.7152, 0.0722, 0.0193, 0.1192, 0.9504, - ) * Vec3::from(rgb); - - let sum = xyz.sum(); - Vec3::new(xyz.x / sum, xyz.y / sum, xyz.y) -} - -/// Convert to CIExyY to linear rgb -#[inline(always)] -pub fn xyy_to_rgb(xyy: Vec3) -> Rgb { - let xyz = Vec3::new( - xyy.z / xyy.y * xyy.x, - xyy.z, - xyy.z / xyy.y * (1.0 - xyy.x - xyy.y), - ); - - Rgb::from( - Mat3::new( - 3.2406, -1.5372, -0.4986, -0.9689, 1.8758, 0.0415, 0.0557, -0.2040, 1.0570, - ) * xyz, - ) -} - -// TO-DO: speed this up -#[inline(always)] -pub fn saturate_srgb(col: Rgb, value: f32) -> Rgb { - let mut hsv = rgb_to_hsv(srgb_to_linear(col)); - hsv.y *= 1.0 + value; - linear_to_srgb(hsv_to_rgb(hsv).map(|e| e.min(1.0).max(0.0))) -} - -/// Preserves the luma of one color while changing its chromaticty to match the -/// other -#[inline(always)] -pub fn chromify_srgb(luma: Rgb, chroma: Rgb) -> Rgb { - let l = rgb_to_xyy(srgb_to_linear(luma)).z; - let mut xyy = rgb_to_xyy(srgb_to_linear(chroma)); - xyy.z = l; - - linear_to_srgb(xyy_to_rgb(xyy).map(|e| e.min(1.0).max(0.0))) + slerped_normalized } diff --git a/voxygen/src/anim/mod.rs b/voxygen/src/anim/mod.rs index 5860306ecf..bfe6b38b5d 100644 --- a/voxygen/src/anim/mod.rs +++ b/voxygen/src/anim/mod.rs @@ -44,7 +44,7 @@ impl Bone { // TODO: Make configurable. let factor = (15.0 * dt).min(1.0); self.offset += (target.offset - self.offset) * factor; - self.ori = vek::ops::Slerp::slerp(self.ori, target.ori, factor); + self.ori = vek::Slerp::slerp(self.ori, target.ori, factor); self.scale += (target.scale - self.scale) * factor; } } diff --git a/voxygen/src/ecs/sys/interpolation.rs b/voxygen/src/ecs/sys/interpolation.rs index 80ddfc6261..3d71af2601 100644 --- a/voxygen/src/ecs/sys/interpolation.rs +++ b/voxygen/src/ecs/sys/interpolation.rs @@ -2,6 +2,7 @@ use crate::ecs::comp::Interpolated; use common::{ comp::{Ori, Pos, Vel}, state::DeltaTime, + util::safe_slerp, }; use log::warn; use specs::{Entities, Join, Read, ReadStorage, System, WriteStorage}; @@ -29,14 +30,7 @@ impl<'a> System<'a> for Sys { // Update interpolation values if i.pos.distance_squared(pos.0) < 64.0 * 64.0 { i.pos = Lerp::lerp(i.pos, pos.0 + vel.0 * 0.03, 10.0 * dt.0); - let ori_interp = Slerp::slerp(i.ori, ori.0, 5.0 * dt.0); - // Check for NaNs - // TODO: why are we getting NaNs here! Zero-length ori vectors? - i.ori = if !ori_interp.map(|e| e.is_nan()).reduce_or() { - ori_interp - } else { - ori.0 - }; + i.ori = safe_slerp(i.ori, ori.0, 5.0 * dt.0); } else { i.pos = pos.0; i.ori = ori.0; diff --git a/voxygen/src/scene/figure/mod.rs b/voxygen/src/scene/figure/mod.rs index 96ef4a057e..c2cbbdd10e 100644 --- a/voxygen/src/scene/figure/mod.rs +++ b/voxygen/src/scene/figure/mod.rs @@ -12,6 +12,7 @@ use crate::{ object::ObjectSkeleton, quadruped_medium::QuadrupedMediumSkeleton, quadruped_small::QuadrupedSmallSkeleton, Animation, Skeleton, }, + ecs::comp::Interpolated, render::{Consts, FigureBoneData, FigureLocals, Globals, Light, Renderer, Shadow}, scene::{ camera::{Camera, CameraMode}, @@ -115,8 +116,8 @@ impl FigureMgr { for ( entity, pos, + interpolated, vel, - ori, scale, body, character, @@ -127,8 +128,8 @@ impl FigureMgr { ) in ( &ecs.entities(), &ecs.read_storage::(), + ecs.read_storage::().maybe(), &ecs.read_storage::(), - ecs.read_storage::().maybe(), ecs.read_storage::().maybe(), &ecs.read_storage::(), ecs.read_storage::().maybe(), @@ -139,7 +140,9 @@ impl FigureMgr { ) .join() { - let ori = ori.copied().unwrap_or(Ori(Vec3::unit_y())); + let (pos, ori) = interpolated + .map(|i| (Pos(i.pos), Ori(i.ori))) + .unwrap_or((*pos, Ori(Vec3::unit_y()))); // Don't process figures outside the vd let vd_frac = Vec2::from(pos.0 - player_pos) @@ -613,7 +616,6 @@ impl FigureMgr { state.update( renderer, pos.0, - vel.0, ori.0, scale, col, @@ -694,7 +696,6 @@ impl FigureMgr { state.update( renderer, pos.0, - vel.0, ori.0, scale, col, @@ -777,7 +778,6 @@ impl FigureMgr { state.update( renderer, pos.0, - vel.0, ori.0, scale, col, @@ -852,7 +852,6 @@ impl FigureMgr { state.update( renderer, pos.0, - vel.0, ori.0, scale, col, @@ -927,7 +926,6 @@ impl FigureMgr { state.update( renderer, pos.0, - vel.0, ori.0, scale, col, @@ -1002,7 +1000,6 @@ impl FigureMgr { state.update( renderer, pos.0, - vel.0, ori.0, scale, col, @@ -1077,7 +1074,6 @@ impl FigureMgr { state.update( renderer, pos.0, - vel.0, ori.0, scale, col, @@ -1152,7 +1148,6 @@ impl FigureMgr { state.update( renderer, pos.0, - vel.0, ori.0, scale, col, @@ -1227,7 +1222,6 @@ impl FigureMgr { state.update( renderer, pos.0, - vel.0, ori.0, scale, col, @@ -1302,7 +1296,6 @@ impl FigureMgr { state.update( renderer, pos.0, - vel.0, ori.0, scale, col, @@ -1322,7 +1315,6 @@ impl FigureMgr { state.update( renderer, pos.0, - vel.0, ori.0, scale, col, @@ -1678,8 +1670,6 @@ pub struct FigureState { locals: Consts, state_time: f64, skeleton: S, - pos: Vec3, - ori: Vec3, last_ori: Vec3, lpindex: u8, visible: bool, @@ -1694,8 +1684,6 @@ impl FigureState { locals: renderer.create_consts(&[FigureLocals::default()]).unwrap(), state_time: 0.0, skeleton, - pos: Vec3::zero(), - ori: Vec3::zero(), last_ori: Vec3::zero(), lpindex: 0, visible: false, @@ -1706,7 +1694,6 @@ impl FigureState { &mut self, renderer: &mut Renderer, pos: Vec3, - vel: Vec3, ori: Vec3, scale: f32, col: Rgba, @@ -1717,23 +1704,14 @@ impl FigureState { ) { self.visible = visible; self.lpindex = lpindex; + // What is going on here? + // (note: that ori is now the slerped ori) self.last_ori = Lerp::lerp(self.last_ori, ori, 15.0 * dt); - // Update interpolation values - // TODO: use values from Interpolated component instead of recalculating - if self.pos.distance_squared(pos) < 64.0 * 64.0 { - self.pos = Lerp::lerp(self.pos, pos + vel * 0.03, 10.0 * dt); - self.ori = Slerp::slerp(self.ori, ori, 5.0 * dt); - } else { - self.pos = pos; - self.ori = ori; - } - self.state_time += (dt * state_animation_rate) as f64; - // TODO: what are the interpolated ori values used for if not here??? let mat = Mat4::::identity() - * Mat4::translation_3d(self.pos) + * Mat4::translation_3d(pos) * Mat4::rotation_z(-ori.x.atan2(ori.y)) * Mat4::rotation_x(ori.z.atan2(Vec2::from(ori).magnitude())) * Mat4::scaling_3d(Vec3::from(0.8 * scale)); diff --git a/voxygen/src/scene/simple.rs b/voxygen/src/scene/simple.rs index abb47585fc..34aaec83e4 100644 --- a/voxygen/src/scene/simple.rs +++ b/voxygen/src/scene/simple.rs @@ -192,7 +192,6 @@ impl Scene { self.figure_state.update( renderer, Vec3::zero(), - Vec3::zero(), Vec3::new(self.char_ori.sin(), -self.char_ori.cos(), 0.0), 1.0, Rgba::broadcast(1.0),