use std::{cmp::Ordering, fmt::Debug, hash::Hash, marker, time::Duration};
use derivative::Derivative;
use fnv::FnvHashMap;
use log::error;
use minterpolate::{get_input_index, InterpolationFunction, InterpolationPrimitive};
use serde::{Deserialize, Serialize};
use amethyst_assets::{Asset, AssetStorage, Handle, PrefabData};
use amethyst_core::{
ecs::prelude::{Component, DenseVecStorage, Entity, VecStorage, WriteStorage},
shred::SystemData,
timing::{duration_to_secs, secs_to_duration},
};
use amethyst_derive::PrefabData;
use amethyst_error::Error;
#[derive(Clone, Copy, Debug, PartialOrd, PartialEq, Eq, Hash)]
pub enum BlendMethod {
Linear,
}
pub trait ApplyData<'a> {
type ApplyData: SystemData<'a>;
}
pub trait AnimationSampling: Send + Sync + 'static + for<'b> ApplyData<'b> {
type Primitive: InterpolationPrimitive + Debug + Clone + Send + Sync + 'static;
type Channel: Debug + Clone + Hash + Eq + Send + Sync + 'static;
fn apply_sample<'a>(
&mut self,
channel: &Self::Channel,
data: &Self::Primitive,
extra: &<Self as ApplyData<'a>>::ApplyData,
);
fn current_sample<'a>(
&self,
channel: &Self::Channel,
extra: &<Self as ApplyData<'a>>::ApplyData,
) -> Self::Primitive;
fn default_primitive(channel: &Self::Channel) -> Self::Primitive;
fn blend_method(&self, channel: &Self::Channel) -> Option<BlendMethod>;
}
#[derive(Debug, Clone, Serialize, Deserialize)]
pub struct Sampler<T>
where
T: InterpolationPrimitive,
{
pub input: Vec<f32>,
pub output: Vec<T>,
pub function: InterpolationFunction<T>,
}
impl<T> Asset for Sampler<T>
where
T: InterpolationPrimitive + Send + Sync + 'static,
{
const NAME: &'static str = "animation::Sampler";
type Data = Self;
type HandleStorage = VecStorage<Handle<Self>>;
}
#[derive(Debug, Clone, Deserialize, Serialize, PrefabData)]
#[prefab(Component)]
pub struct RestState<T>
where
T: AnimationSampling + Clone,
{
state: T,
}
impl<T> RestState<T>
where
T: AnimationSampling + Clone,
{
pub fn new(t: T) -> Self {
RestState { state: t }
}
pub fn state(&self) -> &T {
&self.state
}
}
impl<T> Component for RestState<T>
where
T: AnimationSampling + Clone,
{
type Storage = DenseVecStorage<Self>;
}
#[derive(Derivative, Debug, Clone)]
#[derivative(Default(bound = ""))]
pub struct AnimationHierarchy<T> {
pub nodes: FnvHashMap<usize, Entity>,
m: marker::PhantomData<T>,
}
macro_rules! hashmap {
($( $key: expr => $val: expr ),*) => {{
let mut map = ::fnv::FnvHashMap::default();
$( map.insert($key, $val); )*
map
}}
}
impl<T> AnimationHierarchy<T>
where
T: AnimationSampling,
{
pub fn new() -> Self {
Self::default()
}
pub fn new_single(index: usize, entity: Entity) -> Self {
AnimationHierarchy {
nodes: hashmap![index => entity],
m: marker::PhantomData,
}
}
pub fn new_many(nodes: FnvHashMap<usize, Entity>) -> Self {
AnimationHierarchy {
nodes,
m: marker::PhantomData,
}
}
pub fn rest_state<F>(&self, get_component: F, states: &mut WriteStorage<'_, RestState<T>>)
where
T: AnimationSampling + Clone,
F: Fn(Entity) -> Option<T>,
{
for entity in self.nodes.values() {
if !states.contains(*entity) {
if let Some(comp) = get_component(*entity) {
if let Err(err) = states.insert(*entity, RestState::new(comp)) {
error!(
"Failed creating rest state for AnimationHierarchy, because of: {}",
err
);
}
}
}
}
}
}
impl<T> Component for AnimationHierarchy<T>
where
T: AnimationSampling,
{
type Storage = DenseVecStorage<Self>;
}
#[derive(Clone, Debug, Default)]
pub struct Animation<T>
where
T: AnimationSampling,
{
pub nodes: Vec<(usize, T::Channel, Handle<Sampler<T::Primitive>>)>,
}
impl<T> Animation<T>
where
T: AnimationSampling,
{
pub fn new() -> Self {
Animation { nodes: vec![] }
}
pub fn new_single(
index: usize,
channel: T::Channel,
sampler: Handle<Sampler<T::Primitive>>,
) -> Self {
Animation {
nodes: vec![(index, channel, sampler)],
}
}
pub fn add(
&mut self,
node_index: usize,
channel: T::Channel,
sampler: Handle<Sampler<T::Primitive>>,
) {
self.nodes.push((node_index, channel, sampler));
}
pub fn with(
mut self,
node_index: usize,
channel: T::Channel,
sampler: Handle<Sampler<T::Primitive>>,
) -> Self {
self.nodes.push((node_index, channel, sampler));
self
}
}
impl<T> Asset for Animation<T>
where
T: AnimationSampling,
{
const NAME: &'static str = "animation::Animation";
type Data = Self;
type HandleStorage = VecStorage<Handle<Self>>;
}
#[derive(Debug, Clone, PartialEq)]
pub enum ControlState {
Requested,
Deferred(Duration),
Running(Duration),
Paused(Duration),
Abort,
Done,
}
impl ControlState {
pub fn is_running(&self) -> bool {
match *self {
ControlState::Running(_) => true,
_ => false,
}
}
pub fn is_paused(&self) -> bool {
match *self {
ControlState::Paused(_) => true,
_ => false,
}
}
}
#[derive(Debug, Clone)]
pub enum EndControl {
Loop(Option<u32>),
Normal,
Stay,
}
#[derive(Clone, Debug)]
pub struct SamplerControl<T>
where
T: AnimationSampling,
{
pub control_id: u64,
pub channel: T::Channel,
pub blend_weight: f32,
pub sampler: Handle<Sampler<T::Primitive>>,
pub state: ControlState,
pub end: EndControl,
pub after: T::Primitive,
pub rate_multiplier: f32,
}
#[derive(Clone, Debug)]
pub struct SamplerControlSet<T>
where
T: AnimationSampling,
{
pub samplers: Vec<SamplerControl<T>>,
}
impl<T> Default for SamplerControlSet<T>
where
T: AnimationSampling,
{
fn default() -> Self {
SamplerControlSet {
samplers: Vec::default(),
}
}
}
impl<T> SamplerControlSet<T>
where
T: AnimationSampling,
{
pub fn add_control(&mut self, control: SamplerControl<T>) {
match self
.samplers
.iter()
.position(|t| t.control_id == control.control_id && t.channel == control.channel)
{
Some(index) => {
self.samplers[index] = control;
}
None => {
self.samplers.push(control);
}
}
}
pub fn clear(&mut self, control_id: u64) {
self.samplers.retain(|t| t.control_id != control_id);
}
pub fn is_empty(&self) -> bool {
self.samplers.is_empty()
}
pub fn abort(&mut self, control_id: u64) {
self.samplers
.iter_mut()
.filter(|t| t.control_id == control_id)
.filter(|t| t.state != ControlState::Done)
.for_each(|sampler| sampler.state = ControlState::Abort);
}
pub fn pause(&mut self, control_id: u64) {
for sampler in self
.samplers
.iter_mut()
.filter(|t| t.control_id == control_id)
{
sampler.state = match sampler.state {
ControlState::Running(dur) => ControlState::Paused(dur),
_ => ControlState::Paused(Duration::from_secs(0)),
}
}
}
pub fn unpause(&mut self, control_id: u64) {
for sampler in self
.samplers
.iter_mut()
.filter(|t| t.control_id == control_id)
{
if let ControlState::Paused(dur) = sampler.state {
sampler.state = ControlState::Running(dur);
}
}
}
pub fn set_rate_multiplier(&mut self, control_id: u64, rate_multiplier: f32)
where
T: AnimationSampling,
{
self.samplers
.iter_mut()
.filter(|t| t.control_id == control_id)
.for_each(|sampler| sampler.rate_multiplier = rate_multiplier);
}
pub fn set_input(&mut self, control_id: u64, input: f32)
where
T: AnimationSampling,
{
let dur = secs_to_duration(input);
self.samplers
.iter_mut()
.filter(|t| t.control_id == control_id)
.for_each(|sampler| {
if let ControlState::Running(_) = sampler.state {
sampler.state = ControlState::Running(dur);
}
});
}
pub fn check_termination(&self, control_id: u64) -> bool {
self.samplers
.iter()
.filter(|t| t.control_id == control_id)
.all(|t| t.state == ControlState::Done || t.state == ControlState::Requested)
}
pub fn step(
&mut self,
control_id: u64,
samplers: &AssetStorage<Sampler<T::Primitive>>,
direction: &StepDirection,
) {
self.samplers
.iter_mut()
.filter(|t| t.control_id == control_id && t.state != ControlState::Done)
.map(|c| {
(
samplers
.get(&c.sampler)
.expect("Referring to a missing sampler"),
c,
)
})
.for_each(|(s, c)| {
set_step_state(c, s, direction);
});
}
pub fn set_blend_weight(&mut self, control_id: u64, channel: &T::Channel, blend_weight: f32) {
self.samplers
.iter_mut()
.filter(|t| t.control_id == control_id)
.filter(|t| t.state != ControlState::Done)
.filter(|t| t.channel == *channel)
.for_each(|t| t.blend_weight = blend_weight);
}
pub fn get_running_duration(&self, control_id: u64) -> Option<f32> {
self.samplers
.iter()
.filter(|t| t.control_id == control_id)
.map(|t| {
if let ControlState::Running(dur) = t.state {
duration_to_secs(dur)
} else {
0.
}
})
.max_by(|a, b| a.partial_cmp(&b).unwrap_or(Ordering::Equal))
}
}
fn set_step_state<T>(
control: &mut SamplerControl<T>,
sampler: &Sampler<T::Primitive>,
direction: &StepDirection,
) where
T: AnimationSampling,
{
if let ControlState::Running(dur) = control.state {
let dur_s = duration_to_secs(dur);
let new_index = match (get_input_index(dur_s, &sampler.input), direction) {
(Some(index), &StepDirection::Forward) if index >= sampler.input.len() - 1 => {
sampler.input.len() - 1
}
(Some(0), &StepDirection::Backward) => 0,
(Some(index), &StepDirection::Forward) => index + 1,
(Some(index), &StepDirection::Backward) => index - 1,
(None, _) => 0,
};
control.state = ControlState::Running(secs_to_duration(sampler.input[new_index]));
}
}
impl<T> Component for SamplerControlSet<T>
where
T: AnimationSampling,
{
type Storage = DenseVecStorage<Self>;
}
#[derive(Clone, Debug)]
pub enum StepDirection {
Forward,
Backward,
}
#[derive(Clone, Debug)]
pub enum AnimationCommand<T>
where
T: AnimationSampling,
{
Start,
Step(StepDirection),
SetInputValue(f32),
SetBlendWeights(Vec<(usize, T::Channel, f32)>),
Pause,
Abort,
Init,
}
#[derive(Clone, Debug)]
pub struct AnimationControl<T>
where
T: AnimationSampling,
{
pub animation: Handle<Animation<T>>,
pub id: u64,
pub end: EndControl,
pub state: ControlState,
pub command: AnimationCommand<T>,
pub rate_multiplier: f32,
m: marker::PhantomData<T>,
}
impl<T> AnimationControl<T>
where
T: AnimationSampling,
{
pub fn new(
animation: Handle<Animation<T>>,
end: EndControl,
state: ControlState,
command: AnimationCommand<T>,
rate_multiplier: f32,
) -> Self {
AnimationControl {
id: 0,
animation,
end,
state,
command,
rate_multiplier,
m: marker::PhantomData,
}
}
}
impl<T> Component for AnimationControl<T>
where
T: AnimationSampling,
{
type Storage = DenseVecStorage<Self>;
}
#[derive(Debug, Clone, PartialEq)]
pub enum DeferStartRelation {
Start(f32),
End,
}
#[derive(Debug, Clone)]
pub(crate) struct DeferredStart<I, T>
where
T: AnimationSampling,
{
pub animation_id: I,
pub relation: (I, DeferStartRelation),
pub control: AnimationControl<T>,
}
#[derive(Clone, Debug)]
pub struct AnimationControlSet<I, T>
where
T: AnimationSampling,
{
pub animations: Vec<(I, AnimationControl<T>)>,
pub(crate) deferred_animations: Vec<DeferredStart<I, T>>,
}
impl<I, T> Default for AnimationControlSet<I, T>
where
T: AnimationSampling,
{
fn default() -> Self {
AnimationControlSet {
animations: Vec::default(),
deferred_animations: Vec::default(),
}
}
}
impl<I, T> AnimationControlSet<I, T>
where
I: PartialEq,
T: AnimationSampling,
{
pub fn is_empty(&self) -> bool {
self.animations.is_empty() && self.deferred_animations.is_empty()
}
pub fn remove(&mut self, id: I) -> &mut Self {
if let Some(index) = self.animations.iter().position(|a| a.0 == id) {
self.animations.remove(index);
}
self
}
fn set_command(&mut self, id: I, command: AnimationCommand<T>) -> &mut Self {
if let Some(&mut (_, ref mut control)) = self.animations.iter_mut().find(|a| a.0 == id) {
control.command = command;
} else if let Some(ref mut control) = self
.deferred_animations
.iter_mut()
.find(|a| a.animation_id == id)
{
control.control.command = command;
}
self
}
pub fn start(&mut self, id: I) -> &mut Self {
self.set_command(id, AnimationCommand::Start)
}
pub fn pause(&mut self, id: I) -> &mut Self {
self.set_command(id, AnimationCommand::Pause)
}
pub fn toggle(&mut self, id: I) -> &mut Self {
if let Some(&mut (_, ref mut control)) = self.animations.iter_mut().find(|a| a.0 == id) {
if control.state.is_running() {
control.command = AnimationCommand::Pause;
} else {
control.command = AnimationCommand::Start;
}
}
self
}
pub fn set_rate(&mut self, id: I, rate_multiplier: f32) -> &mut Self {
if let Some(&mut (_, ref mut control)) = self.animations.iter_mut().find(|a| a.0 == id) {
control.rate_multiplier = rate_multiplier;
}
if let Some(ref mut control) = self
.deferred_animations
.iter_mut()
.find(|a| a.animation_id == id)
{
control.control.rate_multiplier = rate_multiplier;
}
self
}
pub fn step(&mut self, id: I, direction: StepDirection) -> &mut Self {
self.set_command(id, AnimationCommand::Step(direction))
}
pub fn set_input(&mut self, id: I, input: f32) -> &mut Self {
self.set_command(id, AnimationCommand::SetInputValue(input))
}
pub fn set_blend_weight(&mut self, id: I, weights: Vec<(usize, T::Channel, f32)>) -> &mut Self {
self.set_command(id, AnimationCommand::SetBlendWeights(weights))
}
pub fn abort(&mut self, id: I) -> &mut Self {
self.set_command(id, AnimationCommand::Abort)
}
pub fn add_animation(
&mut self,
id: I,
animation: &Handle<Animation<T>>,
end: EndControl,
rate_multiplier: f32,
command: AnimationCommand<T>,
) -> &mut Self {
if !self.animations.iter().any(|a| a.0 == id) {
self.animations.push((
id,
AnimationControl::new(
animation.clone(),
end,
ControlState::Requested,
command,
rate_multiplier,
),
));
}
self
}
pub fn add_deferred_animation(
&mut self,
id: I,
animation: &Handle<Animation<T>>,
end: EndControl,
rate_multiplier: f32,
command: AnimationCommand<T>,
wait_for: I,
wait_deferred_for: DeferStartRelation,
) -> &mut Self {
if !self.animations.iter().any(|a| a.0 == id) {
self.deferred_animations.push(DeferredStart {
animation_id: id,
relation: (wait_for, wait_deferred_for),
control: AnimationControl::new(
animation.clone(),
end,
ControlState::Requested,
command,
rate_multiplier,
),
});
}
self
}
pub fn insert(&mut self, id: I, control: AnimationControl<T>) -> &mut Self {
if !self.animations.iter().any(|a| a.0 == id) {
self.animations.push((id, control));
}
self
}
pub fn has_animation(&self, id: I) -> bool {
self.animations.iter().any(|a| a.0 == id)
}
}
impl<I, T> Component for AnimationControlSet<I, T>
where
I: Send + Sync + 'static,
T: AnimationSampling,
{
type Storage = DenseVecStorage<Self>;
}
#[derive(Debug, Clone)]
pub struct AnimationSet<I, T>
where
I: Eq + Hash,
T: AnimationSampling,
{
pub animations: FnvHashMap<I, Handle<Animation<T>>>,
}
impl<I, T> Default for AnimationSet<I, T>
where
I: Eq + Hash,
T: AnimationSampling,
{
fn default() -> Self {
AnimationSet {
animations: FnvHashMap::default(),
}
}
}
impl<I, T> AnimationSet<I, T>
where
I: Eq + Hash,
T: AnimationSampling,
{
pub fn new() -> Self {
AnimationSet {
animations: FnvHashMap::default(),
}
}
pub fn insert(&mut self, id: I, handle: Handle<Animation<T>>) -> &mut Self {
self.animations.insert(id, handle);
self
}
pub fn get(&self, id: &I) -> Option<&Handle<Animation<T>>> {
self.animations.get(id)
}
}
impl<I, T> Component for AnimationSet<I, T>
where
I: Eq + Hash + Send + Sync + 'static,
T: AnimationSampling,
{
type Storage = DenseVecStorage<Self>;
}