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
104
105
106
107
use burn_tensor::Shape;
use crate::config::Config;
use crate::tensor::backend::Backend;
use crate::tensor::{Distribution, ElementConversion, Tensor};
use crate as burn;
#[derive(Config, Debug, PartialEq)]
pub enum Initializer {
Uniform(f64, f64),
UniformDefault,
Normal(f64, f64),
Constant(f64),
Ones,
Zeros,
}
impl Initializer {
pub fn init<B: Backend, const D: usize, S: Into<Shape<D>>>(&self, shape: S) -> Tensor<B, D> {
match self {
Self::Uniform(a, b) => Tensor::<B, D>::random(
shape,
Distribution::Uniform((*a).elem::<B::FloatElem>(), (*b).elem::<B::FloatElem>()),
),
Self::UniformDefault => unimplemented!("The caller should implement the default"),
Self::Normal(mean, std) => {
Tensor::<B, D>::random(shape, Distribution::Normal(*mean, *std))
}
Self::Constant(value) => Tensor::<B, D>::zeros(shape) + *value, Self::Ones => Tensor::<B, D>::ones(shape),
Self::Zeros => Tensor::<B, D>::zeros(shape),
}
}
}
#[cfg(test)]
mod tests {
use super::*;
use burn_tensor::Data;
pub type TB = burn_ndarray::NdArrayBackend<f32>;
#[test]
fn initializer_uniform_init() {
TB::seed(0);
let (a, b) = (0.0, 1.0);
let uniform: Tensor<TB, 4> = Initializer::Uniform(a, b).init([2, 2, 2, 2]);
for item in uniform.to_data().value.iter() {
if *item < a as f32 || *item > b as f32 {
panic!("Element ({item}) is not within range ({a},{b})");
}
}
}
#[test]
#[should_panic]
fn initializer_uniform_default_init() {
let _: Tensor<TB, 4> = Initializer::UniformDefault.init([2, 2, 2, 2]);
}
#[test]
fn initializer_normal_init() {
TB::seed(0);
let (mean, std) = (0.0, 1.0);
let normal: Tensor<TB, 1> = Initializer::Normal(mean, std).init([1000]);
let (var_act, mean_act) = normal.var_mean(0);
var_act
.to_data()
.assert_approx_eq(&Data::from([std as f32]), 1);
mean_act
.to_data()
.assert_approx_eq(&Data::from([mean as f32]), 1);
}
#[test]
fn initializer_constant_init() {
let value = 5.0;
let constants: Tensor<TB, 4> = Initializer::Constant(value).init([2, 2, 2, 2]);
constants
.sum()
.to_data()
.assert_approx_eq(&Data::from([value as f32 * 16.0]), 3);
}
#[test]
fn initializer_zeros_init() {
let zeros: Tensor<TB, 4> = Initializer::Zeros.init([2, 2, 2, 2]);
zeros
.sum()
.to_data()
.assert_approx_eq(&Data::from([0.0]), 3);
}
#[test]
fn initializer_ones_init() {
let ones: Tensor<TB, 4> = Initializer::Ones.init([2, 2, 2, 2]);
ones.sum()
.to_data()
.assert_approx_eq(&Data::from([16.0]), 3);
}
}