1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
use crate::Scalar;
pub trait Storage<T: Scalar>: std::fmt::Debug + Clone + PartialEq {
const ORDER: usize;
const SIZE: usize;
fn zeros() -> Self;
fn get<const I: usize, const J: usize>(&self) -> T;
fn get_mut<const I: usize, const J: usize>(&mut self) -> &mut T;
}
pub const fn calculate_space<const ORDER: usize>() -> usize {
(ORDER + 1) * ((ORDER + 1) + 1) / 2
}
const fn calculate_index<const I: usize, const J: usize, const ORDER: usize>() -> usize {
J * (ORDER + 1) - ((J as isize - 1) * J as isize / 2) as usize + I
}
macro_rules! impl_storage_for_order {
( $order:expr ) => {
impl<T: Scalar> Storage<T> for [T; calculate_space::<$order>()] {
const ORDER: usize = $order;
const SIZE: usize = calculate_space::<$order>();
#[inline(always)]
fn zeros() -> Self {
[T::ZERO; calculate_space::<$order>()]
}
#[inline(always)]
fn get<const I: usize, const J: usize>(&self) -> T {
self[calculate_index::<I, J, $order>()]
}
#[inline(always)]
fn get_mut<const I: usize, const J: usize>(&mut self) -> &mut T {
&mut self[calculate_index::<I, J, $order>()]
}
}
};
}
impl_storage_for_order!(0);
impl_storage_for_order!(1);
impl_storage_for_order!(2);
impl_storage_for_order!(3);
#[cfg(test)]
mod tests {
use super::{calculate_index, calculate_space, Storage};
#[test]
fn test_index() {
assert_eq!(calculate_index::<0, 0, 1>(), 0);
assert_eq!(calculate_index::<0, 0, 4>(), 0);
assert_eq!(calculate_index::<0, 1, 4>(), 5);
assert_eq!(calculate_index::<0, 2, 4>(), 9);
assert_eq!(calculate_index::<2, 2, 4>(), 11);
assert_eq!(calculate_index::<0, 3, 4>(), 12);
assert_eq!(calculate_index::<0, 4, 4>(), 14);
assert_eq!(calculate_index::<0, 0, 5>(), 0);
assert_eq!(calculate_index::<0, 2, 5>(), 11);
assert_eq!(calculate_index::<2, 2, 5>(), 13);
assert_eq!(calculate_index::<0, 5, 5>(), 20);
}
#[test]
fn test_space_calculation() {
assert_eq!(calculate_space::<0>(), 1);
assert_eq!(calculate_space::<1>(), 3);
assert_eq!(calculate_space::<2>(), 6);
assert_eq!(calculate_space::<3>(), 10);
assert_eq!(calculate_space::<4>(), 15);
assert_eq!(calculate_space::<5>(), 21);
}
#[test]
fn test_access() {
let mut data = [0.0; calculate_space::<0>()];
assert_eq!(data.get::<0, 0>(), 0.0);
*data.get_mut::<0, 0>() = 42.0;
assert_eq!(data.get::<0, 0>(), 42.0);
}
}