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
|
use std::process::Command;
#[test]
fn test_backends() {
// Pick an arbitrary platform where linux_raw is enabled by default and
// ensure that the use-default crate uses it.
#[cfg(all(target_os = "linux", target_arch = "aarch64"))]
{
assert!(
!has_dependency("test-crates/use-default", &[], &[], &["RUSTFLAGS"], "libc"),
"use-default depends on libc"
);
assert!(
has_dependency(
"test-crates/use-default",
&[],
&[],
&["RUSTFLAGS"],
"linux-raw-sys"
),
"use-default does not depend on linux-raw-sys"
);
}
#[cfg(windows)]
let libc_dep = "windows-sys";
#[cfg(unix)]
let libc_dep = "libc";
// Test the use-libc crate, which enables the "use-libc" cargo feature.
assert!(
has_dependency("test-crates/use-libc", &[], &[], &["RUSTFLAGS"], libc_dep),
"use-libc doesn't depend on {}",
libc_dep
);
// Test the use-default crate with `--cfg=rustix_use_libc`.
assert!(
has_dependency(
"test-crates/use-default",
&[],
&[("RUSTFLAGS", "--cfg=rustix_use_libc")],
&[],
libc_dep
),
"use-default with --cfg=rustix_use_libc does not depend on {}",
libc_dep
);
assert!(
!has_dependency(
"test-crates/use-default",
&[],
&[("RUSTFLAGS", "--cfg=rustix_use_libc")],
&[],
"linux-raw-sys"
),
"use-default with --cfg=rustix_use_libc depends on linux-raw-sys"
);
// Test the use-default crate with `--features=rustix/use-libc`.
assert!(
has_dependency(
"test-crates/use-default",
&["--features=rustix/use-libc"],
&[],
&[],
libc_dep
),
"use-default with --features=rustix/use-libc does not depend on {}",
libc_dep
);
}
/// Test whether the crate at directory `dir` has a dependency on `dependency`,
/// setting the environment variables `envs` and unsetting the environment
/// variables `remove_envs` when running `cargo`.
fn has_dependency(
dir: &str,
args: &[&str],
envs: &[(&str, &str)],
remove_envs: &[&str],
dependency: &str,
) -> bool {
let mut command = Command::new("cargo");
command
.arg("tree")
.arg("--quiet")
.arg("--edges=normal")
.arg(&format!("--invert={}", dependency))
.current_dir(dir);
command.args(args);
for (key, value) in envs {
command.env(key, value);
}
for key in remove_envs {
command.env_remove(key);
}
let child = command.output().unwrap();
// `cargo tree --invert=foo` can fail in two different ways: it exits with
// a non-zero status if the dependency is not present in the Cargo.toml
// configuration, and it exists with a zero status and prints nothing if
// the dependency is present but optional and not enabled. So we check for
// both here.
child.status.success() && !child.stdout.is_empty()
}
|