-
Notifications
You must be signed in to change notification settings - Fork 151
/
env.rs
601 lines (521 loc) · 18.3 KB
/
env.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
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
// Copyright (c) 2018-2021 The MobileCoin Foundation
//! This module contains a structure wrapping up the build environment.
use crate::vars::*;
use displaydoc::Display;
use std::{
borrow::ToOwned,
collections::{hash_map::Iter as HashMapIter, hash_set::Iter as HashSetIter, HashMap, HashSet},
convert::TryFrom,
env::{split_paths, var, var_os, vars, VarError},
num::ParseIntError,
path::{Path, PathBuf},
str::FromStr,
};
/// An enumeration of target family types
#[derive(Clone, Copy, Debug)]
pub enum TargetFamily {
/// The environment is some form of unix
Unix,
/// The environment is some form of windows
Windows,
}
/// An enumeration of errors which can occur while parsing the target family
/// environment variable
#[derive(Clone, Debug, Display)]
pub enum TargetFamilyError {
/// Unknown family: {0}
Unknown(String),
}
impl TryFrom<&str> for TargetFamily {
type Error = TargetFamilyError;
fn try_from(src: &str) -> Result<TargetFamily, Self::Error> {
match src {
"unix" => Ok(TargetFamily::Unix),
"windows" => Ok(TargetFamily::Windows),
other => Err(TargetFamilyError::Unknown(other.to_owned())),
}
}
}
/// An enumeration of endianness types
#[derive(Clone, Copy, Debug)]
pub enum Endianness {
/// The target platform is little-endian
Little,
/// The target platform is big-endian
Big,
}
/// An enumeration of errors which can occur while parsing the endianness
/// environment variable
#[derive(Clone, Debug, Display)]
pub enum EndiannessError {
/// Unknown endianness: {0}
Unknown(String),
}
impl TryFrom<&str> for Endianness {
type Error = EndiannessError;
fn try_from(src: &str) -> Result<Endianness, Self::Error> {
match src {
"little" => Ok(Endianness::Little),
"big" => Ok(Endianness::Big),
other => Err(EndiannessError::Unknown(other.to_owned())),
}
}
}
/// An enumeration of errors which can occur when parsing the build environment
#[derive(Clone, Debug, Display)]
pub enum EnvironmentError {
/// Environment variable {0} not readable: {1}
Var(String, VarError),
/// Endianness error: {0}
Endianness(EndiannessError),
/// Target family error: {0}
TargetFamily(TargetFamilyError),
/// Could not parse {0}: {1}
ParseInt(String, ParseIntError),
/// Output directory badly constructed: {0:?}
OutDir(PathBuf),
}
impl From<EndiannessError> for EnvironmentError {
fn from(src: EndiannessError) -> EnvironmentError {
EnvironmentError::Endianness(src)
}
}
impl From<TargetFamilyError> for EnvironmentError {
fn from(src: TargetFamilyError) -> EnvironmentError {
EnvironmentError::TargetFamily(src)
}
}
fn read_depvars() -> HashMap<String, String> {
vars()
.filter_map(|(mut key, value)| {
if key.starts_with("DEP_") {
key.replace_range(.."DEP_".len(), "");
Some((key, value))
} else {
None
}
})
.collect()
}
/// Collect all the cargo features currently set.
fn read_features() -> HashSet<String> {
vars()
.filter_map(|(mut key, _value)| {
if key.starts_with("CARGO_FEATURE_") {
key.replace_range(.."CARGO_FEATURE_".len(), "");
while let Some(pos) = key.find('_') {
key.replace_range(pos..=pos, "-");
}
key.make_ascii_lowercase();
Some(key)
} else {
None
}
})
.collect()
}
/// Parse an integer from a string
fn parse_int_var<T: FromStr<Err = ParseIntError>>(env_var: &str) -> Result<T, EnvironmentError> {
var(env_var)
.map_err(|e| EnvironmentError::Var(env_var.to_owned(), e))?
.parse::<T>()
.map_err(|e| EnvironmentError::ParseInt(env_var.to_owned(), e))
}
/// Create a pathbuf from the contents of the given environment variable
fn env_to_opt_pathbuf(name: &str) -> Option<PathBuf> {
var(name).ok().and_then(|v| {
if v.is_empty() {
None
} else {
Some(PathBuf::from(v))
}
})
}
/// A description of the current build environment
#[derive(Clone, Debug)]
pub struct Environment {
cargo_path: PathBuf,
out_path: PathBuf,
features: HashSet<String>,
// CARGO_MANIFEST_*
manifest_dir: PathBuf,
manifest_links: Option<String>,
// CARGO_PKG_*
pkg_version: String,
version_major: u64,
version_minor: u64,
version_patch: u64,
version_pre: Option<String>,
authors: HashSet<String>,
name: String,
description: String,
homepage: String,
repository: String,
// CARGO_CFG_*
debug_assertions: bool,
proc_macro: bool,
target_arch: String,
target_endian: Endianness,
target_env: String,
target_family: TargetFamily,
target_has_atomic: HashSet<String>,
target_has_atomic_load_store: HashSet<String>,
target_os: String,
target_pointer_width: usize,
target_thread_local: bool,
target_vendor: String,
target_features: HashSet<String>,
// DEP_<CRATE>_VAR
depvars: HashMap<String, String>,
// Other variables
target: String,
host: String,
num_jobs: usize,
opt_level: usize,
debug: bool,
profile: String,
rustc: PathBuf,
rustdoc: PathBuf,
linker: PathBuf,
locked: bool,
// Derived variables
target_dir: PathBuf,
profile_target_dir: PathBuf,
}
impl Default for Environment {
fn default() -> Environment {
Environment::new().expect("Could not read environment")
}
}
impl Environment {
/// Construct a new build configuration structure, or die trying.
pub fn new() -> Result<Environment, EnvironmentError> {
let out_dir = PathBuf::from(
var(ENV_OUT_DIR).map_err(|e| EnvironmentError::Var(ENV_OUT_DIR.to_owned(), e))?,
);
let target =
var(ENV_TARGET).map_err(|e| EnvironmentError::Var(ENV_TARGET.to_owned(), e))?;
let profile =
var(ENV_PROFILE).map_err(|e| EnvironmentError::Var(ENV_PROFILE.to_owned(), e))?;
let profile_target_dir = out_dir
.as_path()
.ancestors()
.find(|path| path.ends_with(&target) || path.ends_with(&profile))
.ok_or_else(|| EnvironmentError::OutDir(out_dir.clone()))?
.to_owned();
let target_dir = profile_target_dir
.parent()
.ok_or_else(|| EnvironmentError::OutDir(out_dir.clone()))?
.to_owned();
let target_has_atomic = var(ENV_CARGO_CFG_TARGET_HAS_ATOMIC)
.unwrap_or_default()
.split(',')
.map(ToOwned::to_owned)
.collect::<HashSet<String>>();
let target_has_atomic_load_store = var(ENV_CARGO_CFG_TARGET_HAS_ATOMIC_LOAD_STORE)
.unwrap_or_default()
.split(',')
.map(ToOwned::to_owned)
.collect::<HashSet<String>>();
let linker = env_to_opt_pathbuf(ENV_RUSTC_LINKER)
.or_else(|| env_to_opt_pathbuf(ENV_LD))
.or_else(|| {
Some(
var_os(ENV_PATH)
.and_then(|paths| {
split_paths(&paths)
.filter_map(|dir| {
let full_path = dir.join("ld");
if full_path.is_file() {
Some(full_path)
} else {
None
}
})
.next()
})
.expect("Could not find `ld` in path environment variable"),
)
})
.expect("Could not find linker to use");
let features = read_features();
let depvars = read_depvars();
Ok(Self {
// CARGO_*
cargo_path: var(ENV_CARGO)
.map_err(|e| EnvironmentError::Var(ENV_CARGO.to_owned(), e))?
.into(),
locked: var(ENV_CARGO_LOCKED).is_ok(),
// CARGO_MANIFEST_*
manifest_dir: var(ENV_CARGO_MANIFEST_DIR)
.map_err(|e| EnvironmentError::Var(ENV_CARGO_MANIFEST_DIR.to_owned(), e))?
.into(),
manifest_links: var(ENV_CARGO_MANIFEST_LINKS).ok(),
// Other variables
debug: var(ENV_DEBUG).is_ok(),
host: var(ENV_HOST).map_err(|e| EnvironmentError::Var(ENV_HOST.to_owned(), e))?,
linker,
num_jobs: parse_int_var(ENV_NUM_JOBS)?,
out_path: out_dir,
opt_level: parse_int_var(ENV_OPT_LEVEL)?,
profile,
rustc: var(ENV_RUSTC)
.map_err(|e| EnvironmentError::Var(ENV_RUSTC.to_owned(), e))?
.into(),
rustdoc: var(ENV_RUSTDOC)
.map_err(|e| EnvironmentError::Var(ENV_RUSTDOC.to_owned(), e))?
.into(),
target: var(ENV_TARGET).map_err(|e| EnvironmentError::Var(ENV_TARGET.to_owned(), e))?,
// CARGO_FEATURE_*
features,
// DEP_<crate>_<var>
depvars,
// CARGO_PKG_*
pkg_version: var(ENV_CARGO_PKG_VERSION)
.map_err(|e| EnvironmentError::Var(ENV_CARGO_PKG_VERSION.to_owned(), e))?,
version_major: parse_int_var(ENV_CARGO_PKG_VERSION_MAJOR)?,
version_minor: parse_int_var(ENV_CARGO_PKG_VERSION_MINOR)?,
version_patch: parse_int_var(ENV_CARGO_PKG_VERSION_PATCH)?,
version_pre: match var(ENV_CARGO_PKG_VERSION_PRE) {
Ok(value) => {
if value.is_empty() {
None
} else {
Some(value)
}
}
Err(VarError::NotPresent) => None,
Err(other) => {
return Err(EnvironmentError::Var(
ENV_CARGO_PKG_VERSION_PRE.to_owned(),
other,
))
}
},
authors: var(ENV_CARGO_PKG_AUTHORS)
.map_err(|e| EnvironmentError::Var(ENV_CARGO_PKG_AUTHORS.to_owned(), e))?
.split(':')
.map(ToOwned::to_owned)
.collect(),
name: var(ENV_CARGO_PKG_NAME)
.map_err(|e| EnvironmentError::Var(ENV_CARGO_PKG_NAME.to_owned(), e))?,
description: var(ENV_CARGO_PKG_DESCRIPTION)
.map_err(|e| EnvironmentError::Var(ENV_CARGO_PKG_DESCRIPTION.to_owned(), e))?,
homepage: var(ENV_CARGO_PKG_HOMEPAGE)
.map_err(|e| EnvironmentError::Var(ENV_CARGO_PKG_HOMEPAGE.to_owned(), e))?,
repository: var(ENV_CARGO_PKG_REPOSITORY)
.map_err(|e| EnvironmentError::Var(ENV_CARGO_PKG_REPOSITORY.to_owned(), e))?,
// CARGO_CFG_*
debug_assertions: var(ENV_CARGO_CFG_DEBUG_ASSERTIONS).is_ok(),
proc_macro: var(ENV_CARGO_CFG_PROC_MACRO).is_ok(),
target_arch: var(ENV_CARGO_CFG_TARGET_ARCH)
.map_err(|e| EnvironmentError::Var(ENV_CARGO_CFG_TARGET_ARCH.to_owned(), e))?,
target_endian: Endianness::try_from(
var(ENV_CARGO_CFG_TARGET_ENDIAN)
.map_err(|e| EnvironmentError::Var(ENV_CARGO_CFG_TARGET_ENDIAN.to_owned(), e))?
.as_str(),
)?,
target_env: var(ENV_CARGO_CFG_TARGET_ENV)
.map_err(|e| EnvironmentError::Var(ENV_CARGO_CFG_TARGET_ENV.to_owned(), e))?,
target_family: TargetFamily::try_from(
var(ENV_CARGO_CFG_TARGET_FAMILY)
.map_err(|e| EnvironmentError::Var(ENV_CARGO_CFG_TARGET_FAMILY.to_owned(), e))?
.as_ref(),
)?,
target_features: var(ENV_CARGO_CFG_TARGET_FEATURE)
.map_err(|e| EnvironmentError::Var(ENV_CARGO_CFG_TARGET_FEATURE.to_owned(), e))?
.split(',')
.map(ToOwned::to_owned)
.collect(),
target_has_atomic,
target_has_atomic_load_store,
target_os: var(ENV_CARGO_CFG_TARGET_OS)
.map_err(|e| EnvironmentError::Var(ENV_CARGO_CFG_TARGET_OS.to_owned(), e))?,
target_pointer_width: parse_int_var(ENV_CARGO_CFG_TARGET_POINTER_WIDTH)?,
target_thread_local: var(ENV_CARGO_CFG_TARGET_THREAD_LOCAL).is_ok(),
target_vendor: var(ENV_CARGO_CFG_TARGET_VENDOR)
.map_err(|e| EnvironmentError::Var(ENV_CARGO_CFG_TARGET_VENDOR.to_owned(), e))?,
// Derived variables
target_dir,
profile_target_dir,
})
}
/// Get the path to the cargo executables
pub fn cargo(&self) -> &Path {
&self.cargo_path
}
/// Get whether cargo was invoked with the `--locked` flag
pub fn locked(&self) -> bool {
self.locked
}
/// Get a reference to a hash set of enabled cargo features (as
/// `lower-kebab-case` strings)
pub fn features(&self) -> HashSetIter<String> {
self.features.iter()
}
/// Get whether a feature is enabled or not.
///
/// Feature names are normalized into `lower-kebab-case` (as opposed to
/// `UPPER_SNAKE_CASE`).
pub fn feature(&self, feature: &str) -> bool {
self.features.contains(feature)
}
/// Get a reference to a hash map of variables injected by the current
/// crate's dependencies
pub fn depvars(&self) -> HashMapIter<String, String> {
self.depvars.iter()
}
/// Get the contents of a particular depvar, if one is provided.
pub fn depvar(&self, var: &str) -> Option<&str> {
self.depvars.get(var).map(String::as_str)
}
/// Get the directory where the current `Cargo.toml` resides
pub fn dir(&self) -> &Path {
&self.manifest_dir
}
/// Get the string contents of this crate's `links` key
pub fn links(&self) -> Option<&str> {
self.manifest_links.as_deref()
}
/// Get whether debug is enabled on this build
pub fn debug(&self) -> bool {
self.debug
}
/// Get the hostname of the build
pub fn host(&self) -> &str {
&self.host
}
/// Get the path to the linker executable being used
pub fn linker(&self) -> &Path {
&self.linker
}
/// Get the number of jobs which can be run in parallel
pub fn num_jobs(&self) -> usize {
self.num_jobs
}
/// Get the output directory path
pub fn out_dir(&self) -> &Path {
&self.out_path
}
/// Get the optimization level
pub fn opt_level(&self) -> usize {
self.opt_level
}
/// Get the build profile as a string
pub fn profile(&self) -> &str {
&self.profile
}
/// Get the path to the rustc compiler being used
pub fn rustc(&self) -> &Path {
&self.rustc
}
/// Get the path to the rustdoc executable being used
pub fn rustdoc(&self) -> &Path {
&self.rustdoc
}
/// Get the target triple string
pub fn target(&self) -> &str {
&self.target
}
/// Get the package version string
pub fn version(&self) -> &str {
&self.pkg_version
}
/// Get the package version major number
pub fn version_major(&self) -> u64 {
self.version_major
}
/// Get the package version minor number
pub fn version_minor(&self) -> u64 {
self.version_minor
}
/// Get the package version patch number
pub fn version_patch(&self) -> u64 {
self.version_patch
}
/// Get the package version pre-release number
pub fn version_pre(&self) -> Option<String> {
self.version_pre.clone()
}
/// Get a reference to a hash set of package author strings
pub fn authors(&self) -> &HashSet<String> {
&self.authors
}
/// Get the name of the package of the current package
pub fn name(&self) -> &str {
&self.name
}
/// Get the description of the current package
pub fn description(&self) -> &str {
&self.description
}
/// Get the homepage of the current package
pub fn homepage(&self) -> &str {
&self.homepage
}
/// Get the repository of the current package
pub fn repository(&self) -> &str {
&self.repository
}
/// Get whether or not debug assertions are enabled in this build
pub fn debug_assertions(&self) -> bool {
self.debug_assertions
}
/// Get whether or not proc macros are enabled in this build
pub fn proc_macro(&self) -> bool {
self.proc_macro
}
/// Get the target architecture
pub fn target_arch(&self) -> &str {
&self.target_arch
}
/// Get the endianness
pub fn target_endian(&self) -> Endianness {
self.target_endian
}
/// Get the target environment
pub fn target_env(&self) -> &str {
&self.target_env
}
/// Get the target architecture family
pub fn target_family(&self) -> TargetFamily {
self.target_family
}
/// Get a reference to the target feature set
pub fn target_features(&self) -> &HashSet<String> {
&self.target_features
}
/// Get a list of types which support atomic operations on the target
/// platform
pub fn target_has_atomic(&self) -> &HashSet<String> {
&self.target_has_atomic
}
/// Get a list of types which support atomic load and store
pub fn target_has_atomic_load_store(&self) -> &HashSet<String> {
&self.target_has_atomic_load_store
}
/// Get the target OS
pub fn target_os(&self) -> &str {
&self.target_os
}
/// Get the target pointer width
pub fn target_pointer_width(&self) -> usize {
self.target_pointer_width
}
/// Get whether thread-local storage is available
pub fn target_thread_local(&self) -> bool {
self.target_thread_local
}
/// Get the target triple vendor
pub fn target_vendor(&self) -> &str {
&self.target_vendor
}
/// Get the target directory (i.e. the `--target-dir` flag)
pub fn target_dir(&self) -> &Path {
&self.target_dir
}
/// Get the profile target directory
pub fn profile_target_dir(&self) -> &Path {
&self.profile_target_dir
}
}