-
Notifications
You must be signed in to change notification settings - Fork 62
/
Copy pathbuild.rs
270 lines (243 loc) · 8.61 KB
/
build.rs
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
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
/* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
#![allow(renamed_and_removed_lints)]
#![deny(clippy::cloned_instead_of_copied)]
#![deny(clippy::default_trait_access)]
#![deny(clippy::flat_map_option)]
#![deny(clippy::from_iter_instead_of_collect)]
#![deny(clippy::implicit_clone)]
#![deny(clippy::inconsistent_struct_constructor)]
#![deny(clippy::large_types_passed_by_value)]
#![deny(clippy::let_underscore_drop)]
#![deny(clippy::let_unit_value)]
#![deny(clippy::manual_ok_or)]
#![deny(clippy::map_flatten)]
#![deny(clippy::map_unwrap_or)]
#![deny(clippy::needless_bitwise_bool)]
#![deny(clippy::needless_continue)]
#![deny(clippy::needless_for_each)]
#![deny(clippy::option_option)]
#![deny(clippy::range_minus_one)]
#![deny(clippy::range_plus_one)]
#![deny(clippy::redundant_closure_for_method_calls)]
#![deny(clippy::redundant_else)]
#![deny(clippy::ref_binding_to_reference)]
#![deny(clippy::ref_option_ref)]
#![deny(clippy::semicolon_if_nothing_returned)]
#![deny(clippy::trait_duplication_in_bounds)]
#![deny(clippy::transmute_ptr_to_ptr)]
#![deny(clippy::type_repetition_in_bounds)]
#![deny(clippy::unicode_not_nfc)]
#![deny(clippy::unnecessary_wraps)]
#![deny(clippy::unnested_or_patterns)]
#![deny(clippy::unused_self)]
use std::ffi::OsString;
use std::fs;
use std::path::{Path, PathBuf};
use std::process::Command;
use itertools::Itertools;
use make_cmd::gnu_make;
#[cfg(not(windows))]
fn normalize_path(s: &str) -> &str {
s
}
#[cfg(windows)]
fn normalize_path(s: &str) -> String {
s.replace('\\', "/")
}
fn env(name: &str) -> String {
std::env::var(name).unwrap_or_else(|_| panic!("Failed to get {}", name))
}
fn env_os(name: &str) -> OsString {
std::env::var_os(name).unwrap_or_else(|| panic!("Failed to get {}", name))
}
fn prepare_make(make: &mut Command) -> &mut Command {
let mut build_mk = PathBuf::from(env_os("CARGO_MANIFEST_DIR"));
build_mk.push("src");
build_mk.push("build.mk");
let mut result = make.arg("-f").arg(&build_mk);
for chunk in &std::env::var("CINNABAR_MAKE_FLAGS")
.unwrap_or_else(|_| "".into())
.split('\'')
.chunks(2)
{
let chunk: Vec<_> = chunk.collect();
if chunk.len() == 2 {
let name = chunk[0].trim_start().trim_end_matches('=');
let value = chunk[1];
result = result.arg(format!("{}={}", name, value));
}
}
result.env_remove("PROFILE")
}
fn main() {
let target_arch = env("CARGO_CFG_TARGET_ARCH");
let target_os = env("CARGO_CFG_TARGET_OS");
let target_env = env("CARGO_CFG_TARGET_ENV");
let target_endian = env("CARGO_CFG_TARGET_ENDIAN");
let target_pointer_width = env("CARGO_CFG_TARGET_POINTER_WIDTH");
if target_os == "windows" && target_env != "gnu" {
panic!(
"Compilation for {}-{} is not supported",
target_os, target_env
);
}
let dir = env_os("CARGO_MANIFEST_DIR");
let dir = Path::new(&dir);
let extra_args = if target_os == "linux" {
&["uname_S=Linux"][..]
} else if target_os == "macos" {
&["uname_S=Darwin", "uname_R=15.0"][..]
} else if target_os == "windows" {
static EXTRA_ARGS: [&str; 3] = ["MINGW_WRAPPERS=1", "uname_S=MINGW", "MSYSTEM=MINGW64"];
// If the filesystem is case insensitive, we don't want to use MINGW_WRAPPERS.
if dir.join("src").join("mingw").join("psapi.h").exists() {
&EXTRA_ARGS[1..]
} else {
&EXTRA_ARGS[..]
}
} else if std::env::var("CINNABAR_CROSS_COMPILE_I_KNOW_WHAT_I_M_DOING").is_err()
&& (target_arch != target::arch()
|| target_os != target::os()
|| target_env != target::env()
|| target_endian != target::endian()
|| target_pointer_width != target::pointer_width())
{
panic!("Cross-compilation is not supported");
} else {
&[][..]
};
let out_dir = PathBuf::from(env_os("OUT_DIR"));
let mut make = gnu_make();
let cmd = prepare_make(&mut make);
cmd.arg("libcinnabar.a")
.arg("V=1")
.arg("HAVE_WPGMPTR=")
.arg("LAZYLOAD_LIBCURL=")
.arg("USE_LIBPCRE1=")
.arg("USE_LIBPCRE2=")
.arg("NO_REGEX=1")
.arg("NO_ICONV=1")
.arg("USE_MIMALLOC=")
.arg("FSMONITOR_DAEMON_BACKEND=")
.arg("GENERATED_H=")
.args(extra_args);
let compiler = cc::Build::new()
.force_frame_pointer(true)
.warnings(false)
.get_compiler();
let cflags = [
compiler.cflags_env().into_string().ok(),
// cc-rs ignores TARGET_CFLAGS when TARGET == HOST
if env("TARGET") == env("HOST") {
std::env::var("TARGET_CFLAGS").ok()
} else {
None
},
std::env::var("DEP_CURL_INCLUDE")
.map(|i| format!("-I{}", normalize_path(&i)))
.ok(),
std::env::var("DEP_CURL_STATIC")
.map(|_| "-DCURL_STATICLIB".to_string())
.ok(),
std::env::var("DEP_Z_INCLUDE")
.map(|i| format!("-I{}", normalize_path(&i)))
.ok(),
]
.iter()
.filter_map(Option::as_deref)
.chain(
match &*target_os {
"windows" => &[
"-Dpthread_create=win32_pthread_create",
"-Dpthread_self=win32_pthread_self",
"-D_POSIX_THREAD_SAFE_FUNCTIONS=200112L",
][..],
_ => &[][..],
}
.iter()
.copied(),
)
.join(" ");
cmd.arg(format!("CFLAGS={}", cflags));
cmd.arg(format!("CC={}", compiler.path().display()));
let compile_commands =
cfg!(feature = "compile_commands") || std::env::var("VSCODE_PID").is_ok();
if compile_commands {
cmd.arg("GENERATE_COMPILATION_DATABASE=yes");
cmd.arg("compile_commands.json");
}
if cfg!(feature = "gitdev") || std::env::var("PROFILE").as_deref() == Ok("debug") {
cmd.arg("DEVELOPER=1");
}
cmd.arg("COMPUTE_HEADER_DEPENDENCIES=yes");
println!("cargo:rerun-if-env-changed=CFLAGS_{}", env("TARGET"));
println!(
"cargo:rerun-if-env-changed=CFLAGS_{}",
env("TARGET").replace('-', "_")
);
println!("cargo:rerun-if-env-changed=CFLAGS");
println!("cargo:rerun-if-env-changed=TARGET_CFLAGS");
println!("cargo:rerun-if-env-changed=DEP_CURL_INCLUDE");
println!("cargo:rerun-if-env-changed=DEP_CURL_STATIC");
println!("cargo:rerun-if-env-changed=DEP_Z_INCLUDE");
println!("cargo:rerun-if-env-changed=CC_{}", env("TARGET"));
println!(
"cargo:rerun-if-env-changed=CC_{}",
env("TARGET").replace('-', "_")
);
println!("cargo:rerun-if-env-changed=CC");
println!("cargo:rerun-if-env-changed=CRATE_CC_NO_DEFAULTS");
assert!(cmd
.env("MAKEFLAGS", format!("-j {}", env("CARGO_MAKEFLAGS")))
.current_dir(&out_dir)
.status()
.expect("Failed to execute GNU make")
.success());
if compile_commands {
std::fs::copy(
out_dir.join("compile_commands.json"),
dir.join("compile_commands.json"),
)
.ok();
}
let mut make = gnu_make();
let output = prepare_make(&mut make)
.arg("--no-print-directory")
.arg("linker-flags")
.arg("USE_LIBPCRE1=")
.arg("USE_LIBPCRE2=")
.arg("USE_NED_ALLOCATOR=")
.arg("NO_ICONV=1")
.args(extra_args)
.current_dir(&out_dir)
.output()
.expect("Failed to execute GNU make");
let output = String::from_utf8(output.stdout).unwrap();
println!("cargo:rustc-link-lib=static=cinnabar");
if target_os == "windows" && target_env == "gnu" {
println!("cargo:rustc-link-lib=ssp_nonshared");
println!("cargo:rustc-link-lib=static=ssp");
}
for flag in output.split_whitespace() {
if let Some(lib) = flag.strip_prefix("-l") {
println!("cargo:rustc-link-lib={}", lib);
} else if let Some(libdir) = flag.strip_prefix("-L") {
println!("cargo:rustc-link-search=native={}", libdir);
}
}
for src in fs::read_dir(dir.join("src")).unwrap() {
let path = src.unwrap().path();
let name = path.file_name().unwrap().to_str().unwrap();
if (name.ends_with(".h")
|| name.ends_with(".c")
|| name.ends_with(".c.patch")
|| name.ends_with(".mk"))
&& !name.ends_with("patched.c")
{
println!("cargo:rerun-if-changed={}", path.display());
}
}
println!("cargo:rerun-if-env-changed=CINNABAR_MAKE_FLAGS");
}