1
0
Fork 0
mirror of https://github.com/BLAKE3-team/BLAKE3 synced 2024-06-08 03:56:06 +02:00
BLAKE3/build.rs
Jack O'Connor 52ea6487f8 switch to representing CVs as words for the compression function
The portable implementation was getting slowed down by converting back
and forth between words and bytes.

I made the corresponding change on the C side first
(12a37be8b5),
and as part of this commit I'm re-vendoring the C code. I'm also
exposing a small FFI interface to C so that blake3_neon.c can link
against portable.rs rather than blake3_portable.c, see c_neon.rs.
2019-12-11 18:05:26 -05:00

77 lines
2.5 KiB
Rust

use std::env;
fn defined(var: &str) -> bool {
env::var_os(var).is_some()
}
fn is_windows() -> bool {
let target = env::var("TARGET").unwrap();
let target_components: Vec<&str> = target.split("-").collect();
let target_os = target_components[2];
target_os == "windows"
}
fn is_armv7() -> bool {
let target = env::var("TARGET").unwrap();
let target_components: Vec<&str> = target.split("-").collect();
let target_arch = target_components[0];
target_arch == "armv7"
}
fn new_build() -> cc::Build {
let mut build = cc::Build::new();
if !is_windows() {
build.flag("-std=c11");
}
build
}
fn main() -> Result<(), Box<dyn std::error::Error>> {
if defined("CARGO_FEATURE_C_AVX512") {
let mut build = new_build();
build.file("src/c/blake3_avx512.c");
if is_windows() {
// Note that a lot of versions of MSVC don't support /arch:AVX512,
// and they'll discard it with a warning, hopefully leading to a
// build error.
build.flag("/arch:AVX512");
} else {
build.flag("-mavx512f");
build.flag("-mavx512vl");
}
build.compile("blake3_avx512");
}
if defined("CARGO_FEATURE_C_NEON") {
let mut build = new_build();
// Note that blake3_neon.c normally depends on the blake3_portable.c
// for the single-instance compression function, but we expose
// portable.rs over FFI instead. See c_neon.rs.
build.file("src/c/blake3_neon.c");
// ARMv7 platforms that support NEON generally need the following
// flags. AArch64 supports NEON by default and does not support -mpfu.
if is_armv7() {
build.flag("-mfpu=neon-vfpv4");
build.flag("-mfloat-abi=hard");
}
build.compile("blake3_neon");
}
// The `cc` crate does not automatically emit rerun-if directives for the
// environment variables it supports, in particular for $CC. We expect to
// do a lot of benchmarking across different compilers, so we explicitly
// add the variables that we're likely to need.
println!("cargo:rerun-if-env-changed=CC");
println!("cargo:rerun-if-env-changed=CFLAGS");
// Ditto for source files, though these shouldn't change as often.
for file in std::fs::read_dir("src/c")? {
println!(
"cargo:rerun-if-changed={}",
file?.path().to_str().expect("utf-8")
);
}
Ok(())
}