use cubic_spline::spline;
use get_input_index;
use primitive::InterpolationPrimitive;
pub fn catmull_rom_spline_interpolate<T>(
input: f32,
inputs: &[f32],
outputs: &[T],
normalize: bool,
) -> T
where
T: InterpolationPrimitive + Clone,
{
let input_index = match get_input_index(input, inputs) {
Some(index) => index,
None => return outputs[1].clone(),
};
if input_index >= (inputs.len() - 1) {
outputs[outputs.len() - 2].clone()
} else {
let t_diff = inputs[input_index + 1] - inputs[input_index];
let v = spline(
input,
inputs[input_index],
t_diff,
&outputs[input_index + 1],
&outputs[input_index + 2],
&catmull_tangent(input_index, inputs, outputs),
&catmull_tangent(input_index + 1, inputs, outputs),
);
if normalize {
v.normalize()
} else {
v
}
}
}
fn catmull_tangent<D>(index: usize, inputs: &[f32], outputs: &[D]) -> D
where
D: InterpolationPrimitive + Clone,
{
let output_index = index + 1;
if index == 0 {
outputs[0].clone()
} else if index == inputs.len() - 1 {
outputs[outputs.len() - 1].clone()
} else {
outputs[output_index + 1]
.sub(&outputs[output_index - 1])
.mul(1. / (inputs[index + 1] - inputs[index - 1]))
}
}
#[cfg(test)]
mod tests {
use super::*;
use mint::{Quaternion, Vector3};
#[test]
fn test_catmull_arr3() {
let input = vec![0., 1., 2., 3., 4.];
let output = vec![
[1., 0., 0.],
[0., 0., 0.],
[1., 0., 0.],
[0., 0., 0.],
[-1., 0., 0.],
[0., 0., 0.],
[-1., 0., 0.],
];
assert_eq!(
[0.625, 0., 0.],
catmull_rom_spline_interpolate(0.5, &input, &output, false)
);
}
#[test]
fn test_catmull_arr4() {
let input = vec![0., 1., 2., 3., 4.];
let output = vec![
[1., 0., 0., 0.],
[0., 0., 0., 0.],
[1., 0., 0., 0.],
[0., 0., 0., 0.],
[-1., 0., 0., 0.],
[0., 0., 0., 0.],
[-1., 0., 0., 0.],
];
assert_eq!(
[1., 0., 0., 0.],
catmull_rom_spline_interpolate(0.5, &input, &output, true)
);
}
#[test]
fn test_catmull_vec3() {
let input = vec![0., 1., 2., 3., 4.];
let output = vec![
Vector3::from([1., 0., 0.]),
Vector3::from([0., 0., 0.]),
Vector3::from([1., 0., 0.]),
Vector3::from([0., 0., 0.]),
Vector3::from([-1., 0., 0.]),
Vector3::from([0., 0., 0.]),
Vector3::from([-1., 0., 0.]),
];
assert_eq!(
Vector3::from([0.625, 0., 0.]),
catmull_rom_spline_interpolate(0.5, &input, &output, false)
);
}
#[test]
fn test_catmull_quat() {
let input = vec![0., 1., 2., 3., 4.];
let output = vec![
Quaternion::from([1., 0., 0., 0.]),
Quaternion::from([0., 0., 0., 0.]),
Quaternion::from([1., 0., 0., 0.]),
Quaternion::from([0., 0., 0., 0.]),
Quaternion::from([-1., 0., 0., 0.]),
Quaternion::from([0., 0., 0., 0.]),
Quaternion::from([-1., 0., 0., 0.]),
];
assert_eq!(
Quaternion::from([1., 0., 0., 0.]),
catmull_rom_spline_interpolate(0.5, &input, &output, true)
);
}
}