зеркало из https://github.com/mozilla/gecko-dev.git
62 строки
1.8 KiB
Rust
62 строки
1.8 KiB
Rust
use std::env;
|
|
|
|
fn main() {
|
|
enable_simd_optimizations();
|
|
enable_libc();
|
|
}
|
|
|
|
// This adds various simd cfgs if this compiler supports it.
|
|
//
|
|
// This can be disabled with RUSTFLAGS="--cfg memchr_disable_auto_simd", but
|
|
// this is generally only intended for testing.
|
|
fn enable_simd_optimizations() {
|
|
if is_env_set("CARGO_CFG_MEMCHR_DISABLE_AUTO_SIMD") {
|
|
return;
|
|
}
|
|
println!("cargo:rustc-cfg=memchr_runtime_simd");
|
|
println!("cargo:rustc-cfg=memchr_runtime_sse2");
|
|
println!("cargo:rustc-cfg=memchr_runtime_sse42");
|
|
println!("cargo:rustc-cfg=memchr_runtime_avx");
|
|
}
|
|
|
|
// This adds a `memchr_libc` cfg if and only if libc can be used, if no other
|
|
// better option is available.
|
|
//
|
|
// This could be performed in the source code, but it's simpler to do it once
|
|
// here and consolidate it into one cfg knob.
|
|
//
|
|
// Basically, we use libc only if its enabled and if we aren't targeting a
|
|
// known bad platform. For example, wasm32 doesn't have a libc and the
|
|
// performance of memchr on Windows is seemingly worse than the fallback
|
|
// implementation.
|
|
fn enable_libc() {
|
|
const NO_ARCH: &'static [&'static str] = &["wasm32", "windows"];
|
|
const NO_ENV: &'static [&'static str] = &["sgx"];
|
|
|
|
if !is_feature_set("LIBC") {
|
|
return;
|
|
}
|
|
|
|
let arch = match env::var("CARGO_CFG_TARGET_ARCH") {
|
|
Err(_) => return,
|
|
Ok(arch) => arch,
|
|
};
|
|
let env = match env::var("CARGO_CFG_TARGET_ENV") {
|
|
Err(_) => return,
|
|
Ok(env) => env,
|
|
};
|
|
if NO_ARCH.contains(&&*arch) || NO_ENV.contains(&&*env) {
|
|
return;
|
|
}
|
|
|
|
println!("cargo:rustc-cfg=memchr_libc");
|
|
}
|
|
|
|
fn is_feature_set(name: &str) -> bool {
|
|
is_env_set(&format!("CARGO_FEATURE_{}", name))
|
|
}
|
|
|
|
fn is_env_set(name: &str) -> bool {
|
|
env::var_os(name).is_some()
|
|
}
|