generated from unleashed/rust-template
-
Notifications
You must be signed in to change notification settings - Fork 8
/
build.rs
776 lines (690 loc) · 26.9 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
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
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
static REQUIRED_MAJOR: usize = 1;
static REQUIRED_MINOR: usize = 52;
fn main() -> Result<(), Box<dyn std::error::Error>> {
let mut ac = autocfg::AutoCfg::new()?;
if !ac.probe_rustc_version(REQUIRED_MAJOR, REQUIRED_MINOR) {
println!(
"cargo:warning=rustc version {}.{} or greater required, compilation might fail",
REQUIRED_MAJOR, REQUIRED_MINOR
);
}
ac.emit_expression_maybe_using_feature(
"unsafe_op_in_unsafe_fn",
"{\n#[deny(unknown_lints, unsafe_op_in_unsafe_fn)]\nunsafe fn t() {}\nunsafe { t() }\n}",
);
if !ac.emit_type_cfg("!", "supports_never_type") {
ac.emit_features_with(&["never_type"], |fac| {
fac.emit_type_cfg("!", "supports_never_type")
});
}
ac.emit_feature("test");
autocfg::rerun_path("build.rs");
Ok(())
}
// *** autocfg-with-feature-detection inline vendoring ***
// This vendored fork of autocfg has been modified to conform to the Rust
// edition of the crate, with the main difference being the try! macro which
// has been dropped in favor of the `?` operator. This is otherwise the same
// code except modules have also been inlined and dead code warnings have been
// suppressed, as we don't need to use the full public interface.
mod autocfg {
#![allow(dead_code)]
#![deny(missing_debug_implementations)]
#![deny(missing_docs)]
// allow future warnings that can't be fixed while keeping 1.0 compatibility
#![allow(unknown_lints)]
#![allow(bare_trait_objects)]
#![allow(ellipsis_inclusive_range_patterns)]
use std::collections::HashSet;
use std::env;
use std::ffi::OsString;
use std::fs;
use std::io::{stderr, Write};
use std::path::{Path, PathBuf};
use std::process::{Command, Stdio};
#[allow(deprecated)]
use std::sync::atomic::ATOMIC_USIZE_INIT;
use std::sync::atomic::{AtomicUsize, Ordering};
mod error {
use std::error;
use std::fmt;
use std::io;
use std::num;
use std::str;
/// A common error type for the `autocfg` crate.
#[derive(Debug)]
pub struct Error {
kind: ErrorKind,
}
impl error::Error for Error {
fn description(&self) -> &str {
"AutoCfg error"
}
fn cause(&self) -> Option<&error::Error> {
match self.kind {
ErrorKind::Io(ref e) => Some(e),
ErrorKind::Num(ref e) => Some(e),
ErrorKind::Utf8(ref e) => Some(e),
ErrorKind::Other(_) => None,
}
}
}
impl fmt::Display for Error {
fn fmt(&self, f: &mut fmt::Formatter) -> Result<(), fmt::Error> {
match self.kind {
ErrorKind::Io(ref e) => e.fmt(f),
ErrorKind::Num(ref e) => e.fmt(f),
ErrorKind::Utf8(ref e) => e.fmt(f),
ErrorKind::Other(s) => s.fmt(f),
}
}
}
#[derive(Debug)]
enum ErrorKind {
Io(io::Error),
Num(num::ParseIntError),
Utf8(str::Utf8Error),
Other(&'static str),
}
pub fn from_io(e: io::Error) -> Error {
Error {
kind: ErrorKind::Io(e),
}
}
pub fn from_num(e: num::ParseIntError) -> Error {
Error {
kind: ErrorKind::Num(e),
}
}
pub fn from_utf8(e: str::Utf8Error) -> Error {
Error {
kind: ErrorKind::Utf8(e),
}
}
pub fn from_str(s: &'static str) -> Error {
Error {
kind: ErrorKind::Other(s),
}
}
}
pub use error::Error;
mod version {
use std::path::Path;
use std::process::Command;
use std::str;
use super::{error, Error};
/// A version structure for making relative comparisons.
#[derive(Clone, Debug, PartialEq, Eq, PartialOrd, Ord)]
pub struct Version {
major: usize,
minor: usize,
patch: usize,
extra: Option<String>,
}
impl Version {
/// Creates a `Version` instance for a specific `major.minor.patch` version.
pub fn new(major: usize, minor: usize, patch: usize) -> Self {
Version {
major,
minor,
patch,
extra: None,
}
}
pub fn from_rustc(rustc: &Path) -> Result<Self, Error> {
// Get rustc's verbose version
let output = Command::new(rustc)
.args(["--version", "--verbose"])
.output()
.map_err(error::from_io)?;
if !output.status.success() {
return Err(error::from_str("could not execute rustc"));
}
let output = str::from_utf8(&output.stdout).map_err(error::from_utf8)?;
// Find the release line in the verbose version output.
let release = match output.lines().find(|line| line.starts_with("release: ")) {
Some(line) => &line["release: ".len()..],
None => return Err(error::from_str("could not find rustc release")),
};
// Strip off any extra channel info, e.g. "-beta.N", "-nightly", and
// store the contents after the dash in the `extra` field.
let (version, extra) = match release.find('-') {
Some(i) => (&release[..i], Some(release[i + 1..].to_string())),
None => (release, None),
};
// Split the version into semver components.
let mut iter = version.splitn(3, '.');
let major = iter
.next()
.ok_or_else(|| error::from_str("missing major version"))?;
let minor = iter
.next()
.ok_or_else(|| error::from_str("missing minor version"))?;
let patch = iter
.next()
.ok_or_else(|| error::from_str("missing patch version"))?;
Ok(Version {
major: major.parse().map_err(error::from_num)?,
minor: minor.parse().map_err(error::from_num)?,
patch: patch.parse().map_err(error::from_num)?,
extra,
})
}
pub(crate) fn extra(&self) -> Option<&str> {
#[allow(clippy::option_as_ref_deref)]
self.extra.as_ref().map(|s| s.as_str())
}
}
}
use version::Version;
/// Helper to detect compiler features for `cfg` output in build scripts.
#[derive(Clone, Debug)]
pub struct AutoCfg {
out_dir: PathBuf,
rustc: PathBuf,
rustc_version: Version,
target: Option<OsString>,
no_std: bool,
features: HashSet<String>,
rustflags: Option<Vec<String>>,
}
/// Writes a config flag for rustc on standard out.
///
/// This looks like: `cargo:rustc-cfg=CFG`
///
/// Cargo will use this in arguments to rustc, like `--cfg CFG`.
pub fn emit(cfg: &str) {
println!("cargo:rustc-cfg={}", cfg);
}
/// Writes a line telling Cargo to rerun the build script if `path` changes.
///
/// This looks like: `cargo:rerun-if-changed=PATH`
///
/// This requires at least cargo 0.7.0, corresponding to rustc 1.6.0. Earlier
/// versions of cargo will simply ignore the directive.
pub fn rerun_path(path: &str) {
println!("cargo:rerun-if-changed={}", path);
}
/// Writes a line telling Cargo to rerun the build script if the environment
/// variable `var` changes.
///
/// This looks like: `cargo:rerun-if-env-changed=VAR`
///
/// This requires at least cargo 0.21.0, corresponding to rustc 1.20.0. Earlier
/// versions of cargo will simply ignore the directive.
pub fn rerun_env(var: &str) {
println!("cargo:rerun-if-env-changed={}", var);
}
/// Create a new `AutoCfg` instance.
///
/// # Panics
///
/// Panics if `AutoCfg::new()` returns an error.
pub fn new() -> AutoCfg {
AutoCfg::new().unwrap()
}
impl AutoCfg {
/// Create a new `AutoCfg` instance.
///
/// # Common errors
///
/// - `rustc` can't be executed, from `RUSTC` or in the `PATH`.
/// - The version output from `rustc` can't be parsed.
/// - `OUT_DIR` is not set in the environment, or is not a writable directory.
///
pub fn new() -> Result<Self, Error> {
match env::var_os("OUT_DIR") {
Some(d) => Self::with_dir(d),
None => Err(error::from_str("no OUT_DIR specified!")),
}
}
/// Create a new `AutoCfg` instance with the specified output directory.
///
/// # Common errors
///
/// - `rustc` can't be executed, from `RUSTC` or in the `PATH`.
/// - The version output from `rustc` can't be parsed.
/// - `dir` is not a writable directory.
///
pub fn with_dir<T: Into<PathBuf>>(dir: T) -> Result<Self, Error> {
let rustc = env::var_os("RUSTC").unwrap_or_else(|| "rustc".into());
let rustc: PathBuf = rustc.into();
let rustc_version = Version::from_rustc(&rustc)?;
let target = env::var_os("TARGET");
// Sanity check the output directory
let dir = dir.into();
let meta = fs::metadata(&dir).map_err(error::from_io)?;
if !meta.is_dir() || meta.permissions().readonly() {
return Err(error::from_str("output path is not a writable directory"));
}
// Cargo only applies RUSTFLAGS for building TARGET artifact in
// cross-compilation environment. Sadly, we don't have a way to detect
// when we're building HOST artifact in a cross-compilation environment,
// so for now we only apply RUSTFLAGS when cross-compiling an artifact.
//
// See https://github.com/cuviper/autocfg/pull/10#issuecomment-527575030.
let rustflags = if target != env::var_os("HOST")
|| dir_contains_target(&target, &dir, env::var_os("CARGO_TARGET_DIR"))
{
env::var("RUSTFLAGS").ok().map(|rustflags| {
// This is meant to match how cargo handles the RUSTFLAG environment
// variable.
// See https://github.com/rust-lang/cargo/blob/69aea5b6f69add7c51cca939a79644080c0b0ba0/src/cargo/core/compiler/build_context/target_info.rs#L434-L441
rustflags
.split(' ')
.map(str::trim)
.filter(|s| !s.is_empty())
.map(str::to_string)
.collect::<Vec<String>>()
})
} else {
None
};
let mut ac = AutoCfg {
out_dir: dir,
rustc,
rustc_version,
target,
no_std: false,
features: HashSet::new(),
rustflags,
};
// Sanity check with and without `std`.
if !ac.probe("").unwrap_or(false) {
ac.no_std = true;
if !ac.probe("").unwrap_or(false) {
// Neither worked, so assume nothing...
ac.no_std = false;
let warning = b"warning: autocfg could not probe for `std`\n";
stderr().write_all(warning).ok();
}
}
Ok(ac)
}
/// Test whether the current `rustc` reports a version greater than
/// or equal to "`major`.`minor`".
pub fn probe_rustc_version(&self, major: usize, minor: usize) -> bool {
self.rustc_version >= Version::new(major, minor, 0)
}
/// Sets a `cfg` value of the form `rustc_major_minor`, like `rustc_1_29`,
/// if the current `rustc` is at least that version.
///
/// Returns true if the underlying probe was successful.
pub fn emit_rustc_version(&self, major: usize, minor: usize) -> bool {
if self.probe_rustc_version(major, minor) {
emit(&format!("rustc_{}_{}", major, minor));
true
} else {
false
}
}
fn probe<T: AsRef<[u8]>>(&self, code: T) -> Result<bool, Error> {
#[allow(deprecated)]
static ID: AtomicUsize = ATOMIC_USIZE_INIT;
let id = ID.fetch_add(1, Ordering::Relaxed);
let mut command = Command::new(&self.rustc);
command
.arg("--crate-name")
.arg(format!("probe{}", id))
.arg("--crate-type=lib")
.arg("--out-dir")
.arg(&self.out_dir)
.arg("--emit=llvm-ir");
if let Some(ref rustflags) = self.rustflags {
command.args(rustflags);
}
if let Some(target) = self.target.as_ref() {
command.arg("--target").arg(target);
}
command.arg("-").stdin(Stdio::piped());
let mut child = command.spawn().map_err(error::from_io)?;
let mut stdin = child.stdin.take().expect("rustc stdin");
if self.no_std {
stdin.write_all(b"#![no_std]\n").map_err(error::from_io)?;
}
for feature in &self.features {
stdin
.write_all(format!("#![feature({})]\n", feature).as_bytes())
.map_err(error::from_io)?;
}
stdin.write_all(code.as_ref()).map_err(error::from_io)?;
drop(stdin);
let status = child.wait().map_err(error::from_io)?;
Ok(status.success())
}
/// Tests whether the given sysroot crate can be used.
///
/// The test code is subject to change, but currently looks like:
///
/// ```ignore
/// extern crate CRATE as probe;
/// ```
pub fn probe_sysroot_crate(&self, name: &str) -> bool {
self.probe(format!("extern crate {} as probe;", name)) // `as _` wasn't stabilized until Rust 1.33
.unwrap_or(false)
}
/// Emits a config value `has_CRATE` if `probe_sysroot_crate` returns true.
///
/// Returns true if the underlying probe was successful.
pub fn emit_sysroot_crate(&self, name: &str) -> bool {
if self.probe_sysroot_crate(name) {
emit(&format!("has_{}", mangle(name)));
true
} else {
false
}
}
/// Tests whether the given path can be used.
///
/// The test code is subject to change, but currently looks like:
///
/// ```ignore
/// pub use PATH;
/// ```
pub fn probe_path(&self, path: &str) -> bool {
self.probe(format!("pub use {};", path)).unwrap_or(false)
}
/// Emits a config value `has_PATH` if `probe_path` returns true.
///
/// Any non-identifier characters in the `path` will be replaced with
/// `_` in the generated config value.
///
/// Returns true if the underlying probe was successful.
pub fn emit_has_path(&self, path: &str) -> bool {
if self.probe_path(path) {
emit(&format!("has_{}", mangle(path)));
true
} else {
false
}
}
/// Emits the given `cfg` value if `probe_path` returns true.
///
/// Returns true if the underlying probe was successful.
pub fn emit_path_cfg(&self, path: &str, cfg: &str) -> bool {
if self.probe_path(path) {
emit(cfg);
true
} else {
false
}
}
/// Tests whether the given trait can be used.
///
/// The test code is subject to change, but currently looks like:
///
/// ```ignore
/// pub trait Probe: TRAIT + Sized {}
/// ```
pub fn probe_trait(&self, name: &str) -> bool {
self.probe(format!("pub trait Probe: {} + Sized {{}}", name))
.unwrap_or(false)
}
/// Emits a config value `has_TRAIT` if `probe_trait` returns true.
///
/// Any non-identifier characters in the trait `name` will be replaced with
/// `_` in the generated config value.
///
/// Returns true if the underlying probe was successful.
pub fn emit_has_trait(&self, name: &str) -> bool {
if self.probe_trait(name) {
emit(&format!("has_{}", mangle(name)));
true
} else {
false
}
}
/// Emits the given `cfg` value if `probe_trait` returns true.
///
/// Returns true if the underlying probe was successful.
pub fn emit_trait_cfg(&self, name: &str, cfg: &str) -> bool {
if self.probe_trait(name) {
emit(cfg);
true
} else {
false
}
}
/// Tests whether the given type can be used.
///
/// The test code is subject to change, but currently looks like:
///
/// ```ignore
/// pub type Probe = TYPE;
/// ```
pub fn probe_type(&self, name: &str) -> bool {
self.probe(format!("pub type Probe = {};", name))
.unwrap_or(false)
}
/// Emits a config value `has_TYPE` if `probe_type` returns true.
///
/// Any non-identifier characters in the type `name` will be replaced with
/// `_` in the generated config value.
///
/// Returns true if the underlying probe was successful.
pub fn emit_has_type(&self, name: &str) -> bool {
if self.probe_type(name) {
emit(&format!("has_{}", mangle(name)));
true
} else {
false
}
}
/// Emits the given `cfg` value if `probe_type` returns true.
///
/// Returns true if the underlying probe was successful.
pub fn emit_type_cfg(&self, name: &str, cfg: &str) -> bool {
if self.probe_type(name) {
emit(cfg);
true
} else {
false
}
}
/// Tests whether the given expression can be used.
///
/// The test code is subject to change, but currently looks like:
///
/// ```ignore
/// pub fn probe() { let _ = EXPR; }
/// ```
pub fn probe_expression(&self, expr: &str) -> bool {
self.probe(format!("pub fn probe() {{ let _ = {}; }}", expr))
.unwrap_or(false)
}
/// Emits the given `cfg` value if `probe_expression` returns true.
///
/// Returns true if the underlying probe was successful.
pub fn emit_expression_cfg(&self, expr: &str, cfg: &str) -> bool {
if self.probe_expression(expr) {
emit(cfg);
true
} else {
false
}
}
/// Tests whether the given constant expression can be used.
///
/// The test code is subject to change, but currently looks like:
///
/// ```ignore
/// pub const PROBE: () = ((), EXPR).0;
/// ```
pub fn probe_constant(&self, expr: &str) -> bool {
self.probe(format!("pub const PROBE: () = ((), {}).0;", expr))
.unwrap_or(false)
}
/// Emits the given `cfg` value if `probe_constant` returns true.
///
/// Returns true if the underlying probe was successful.
pub fn emit_constant_cfg(&self, expr: &str, cfg: &str) -> bool {
if self.probe_constant(expr) {
emit(cfg);
true
} else {
false
}
}
/// Runs an `action` with `features` enabled and cleans up enabled features
/// afterwards.
///
/// The returned value will be the boolean returned by the given `action`.
pub fn probe_features_with<F: FnOnce(&mut Self) -> bool>(
&mut self,
features: &[&str],
probe_fn: F,
) -> bool {
for &feature in features {
if !self.features.insert(feature.to_string()) {
panic!("feature {} enabled twice", feature);
}
}
let res = probe_fn(self);
for &feature in features {
self.features.remove(feature);
}
res
}
/// Emits a config value `feature_FEATURE` for every feature in `features`
/// if `probe_features_with` returns true.
///
/// Any non-identifier characters in the `feature` will be replaced with
/// `_` in the generated config value.
///
/// Returns true if the underlying probe was successful.
pub fn emit_features_with<F: FnOnce(&mut Self) -> bool>(
&mut self,
features: &[&str],
probe_fn: F,
) -> bool {
if self.probe_features_with(features, probe_fn) {
for &feature in features {
emit(&format!("feature_{}", mangle(feature)));
}
true
} else {
false
}
}
/// Probes the acceptance of a particular `feature`.
pub fn probe_feature(&mut self, feature: &str) -> bool {
let features = &[feature];
self.probe_features_with(features, |ac| ac.probe("").unwrap_or(false))
}
/// Emits a config value `feature_FEATURE` if `probe_feature` returns true.
///
/// Any non-identifier characters in the `feature` will be replaced with
/// `_` in the generated config value.
///
/// Returns true if the underlying probe was successful.
pub fn emit_feature(&mut self, feature: &str) -> bool {
self.emit_features_with(&[feature], |ac| ac.probe("").unwrap_or(false))
}
/// Returns true if using a nightly channel compiler
pub fn is_nightly(&self) -> bool {
self.rustc_version
.extra()
.map(|extra| extra.starts_with("nightly"))
.unwrap_or(false)
}
/// Emits paths via `emit_has_path` determining whether `feature` is needed,
/// and if so it emits the corresponding feature flag.
///
/// If all paths are emitted, then `supports_<feature>` will be emitted.
///
/// Returns true if the underlying probe was successful.
pub fn emit_paths_maybe_using_feature(&mut self, feature: &str, paths: &[&str]) -> bool {
let (mut emitted_paths, feature_paths): (Vec<_>, Vec<_>) = paths
.iter()
.map(|path| (*path, self.emit_has_path(path)))
.partition(|(_, result)| *result);
self.emit_features_with(&[feature], |fac| {
let emitted_feature_paths = feature_paths
.iter()
.map(|(path, _)| (*path, fac.emit_has_path(path)))
.filter(|(_, result)| *result)
.collect::<Vec<_>>();
emitted_paths.extend(emitted_feature_paths.iter());
!emitted_feature_paths.is_empty()
});
// emit supports_<feature> if all paths are emitted
if paths
.iter()
.all(|&path| emitted_paths.contains(&(path, true)))
{
println!("cargo:rustc-cfg=supports_{}", feature);
true
} else {
false
}
}
/// Emits expressions via `emit_expression_cfg` determining whether `feature` is needed,
/// and if so it emits the corresponding feature flag.
///
/// Uses the format `supports_feature` for the configured feature flag.
///
/// Returns true if the underlying probe was successful.
pub fn emit_expression_maybe_using_feature(&mut self, feature: &str, expr: &str) -> bool {
let cfg = format!("supports_{}", feature);
self.emit_expression_maybe_using_feature_cfg(feature, &cfg, expr)
}
/// Emits expressions via `emit_expression_cfg` determining whether `feature` is needed,
/// and if so it emits the corresponding feature flag.
///
/// Returns true if the underlying probe was successful.
pub fn emit_expression_maybe_using_feature_cfg(
&mut self,
feature: &str,
cfg: &str,
expr: &str,
) -> bool {
if !self.emit_expression_cfg(expr, cfg) {
self.emit_features_with(&[feature], |fac| fac.emit_expression_cfg(expr, cfg))
} else {
true
}
}
/// Emits constants via `emit_constant_cfg` determining whether `feature` is needed,
/// and if so it emits the corresponding feature flag.
///
/// Uses the format `supports_feature` for the configured feature flag.
///
/// Returns true if the underlying probe was successful.
pub fn emit_constant_maybe_using_feature(&mut self, feature: &str, expr: &str) -> bool {
let cfg = format!("supports_{}", feature);
if !self.emit_constant_cfg(expr, &cfg) {
self.emit_features_with(&[feature], |fac| fac.emit_constant_cfg(expr, &cfg))
} else {
true
}
}
}
fn mangle(s: &str) -> String {
s.chars()
.map(|c| match c {
'A'...'Z' | 'a'...'z' | '0'...'9' => c,
_ => '_',
})
.collect()
}
fn dir_contains_target(
target: &Option<OsString>,
dir: &Path,
cargo_target_dir: Option<OsString>,
) -> bool {
target
.as_ref()
.and_then(|target| {
dir.to_str().and_then(|dir| {
let mut cargo_target_dir = cargo_target_dir
.map(PathBuf::from)
.unwrap_or_else(|| PathBuf::from("target"));
cargo_target_dir.push(target);
cargo_target_dir
.to_str()
.map(|cargo_target_dir| dir.contains(cargo_target_dir))
})
})
.unwrap_or(false)
}
}