2020-12-11 00:17:09 +08:00
|
|
|
use std::env;
|
2020-12-10 07:53:56 +08:00
|
|
|
use std::f64::consts::PI;
|
2020-12-08 02:22:09 +08:00
|
|
|
use std::fs::File;
|
|
|
|
use std::io::prelude::*;
|
2020-12-10 07:53:56 +08:00
|
|
|
use std::path::Path;
|
2020-12-08 02:22:09 +08:00
|
|
|
|
2020-12-10 23:56:13 +08:00
|
|
|
fn write_cossin_table() {
|
|
|
|
const DEPTH: usize = 7;
|
2020-12-08 02:22:09 +08:00
|
|
|
|
2020-12-11 00:17:09 +08:00
|
|
|
let out_dir = env::var_os("OUT_DIR").unwrap();
|
|
|
|
let dest_path = Path::new(&out_dir).join("cossin_table.rs");
|
|
|
|
let mut file = File::create(dest_path).unwrap();
|
|
|
|
|
2020-12-10 23:56:13 +08:00
|
|
|
writeln!(file, "pub(crate) const COSSIN_DEPTH: usize = {};", DEPTH)
|
|
|
|
.unwrap();
|
|
|
|
write!(
|
|
|
|
file,
|
2021-02-27 02:47:48 +08:00
|
|
|
"pub(crate) const COSSIN: [u32; 1 << COSSIN_DEPTH] = ["
|
2020-12-10 23:56:13 +08:00
|
|
|
)
|
|
|
|
.unwrap();
|
2020-12-08 02:22:09 +08:00
|
|
|
|
2020-12-10 23:56:13 +08:00
|
|
|
// Treat sin and cos as unsigned values since the sign will always be
|
|
|
|
// positive in the range [0, pi/4).
|
|
|
|
// No headroom for interpolation rounding error (this is needed for
|
|
|
|
// DEPTH = 6 for example).
|
|
|
|
const AMPLITUDE: f64 = u16::MAX as f64;
|
2020-12-08 02:22:09 +08:00
|
|
|
|
2020-12-10 23:56:13 +08:00
|
|
|
for i in 0..(1 << DEPTH) {
|
|
|
|
if i % 4 == 0 {
|
|
|
|
write!(file, "\n ").unwrap();
|
2020-12-08 02:22:09 +08:00
|
|
|
}
|
2021-03-01 20:29:59 +08:00
|
|
|
// Use midpoint samples to save one entry in the LUT
|
|
|
|
let (sin, cos) =
|
|
|
|
(PI / 4. * ((i as f64 + 0.5) / (1 << DEPTH) as f64)).sin_cos();
|
|
|
|
// Add one bit accuracy to cos due to 0.5 < cos(z) <= 1 for |z| < pi/4
|
|
|
|
// The -1 LSB is cancelled when unscaling with the biased half amplitude
|
|
|
|
let cos = ((cos * 2. - 1.) * AMPLITUDE - 1.).round() as u32;
|
|
|
|
let sin = (sin * AMPLITUDE).round() as u32;
|
2021-02-27 02:47:48 +08:00
|
|
|
write!(file, " {},", cos + (sin << 16)).unwrap();
|
2020-12-08 02:22:09 +08:00
|
|
|
}
|
2020-12-10 23:56:13 +08:00
|
|
|
writeln!(file, "\n];").unwrap();
|
2020-12-11 00:17:59 +08:00
|
|
|
|
|
|
|
println!("cargo:rerun-if-changed=build.rs");
|
2020-12-10 23:56:13 +08:00
|
|
|
}
|
2020-12-08 02:22:09 +08:00
|
|
|
|
2020-12-10 23:56:13 +08:00
|
|
|
fn main() {
|
|
|
|
write_cossin_table();
|
2020-12-08 02:22:09 +08:00
|
|
|
}
|