]> git.lizzy.rs Git - rust.git/blob - src/bin/cargo-miri.rs
don't have both MIRI_SYSROOT and --sysroot
[rust.git] / src / bin / cargo-miri.rs
1 #![feature(inner_deref)]
2
3 use std::fs::{self, File};
4 use std::io::{self, Write, BufRead};
5 use std::path::{PathBuf, Path};
6 use std::process::Command;
7
8 const CARGO_MIRI_HELP: &str = r#"Interprets bin crates and tests in Miri
9
10 Usage:
11     cargo miri [subcommand] [options] [--] [<miri opts>...] [--] [<program opts>...]
12
13 Subcommands:
14     run                      Run binaries (default)
15     test                     Run tests
16     setup                    Only perform automatic setup, but without asking questions (for getting a proper libstd)
17
18 Common options:
19     -h, --help               Print this message
20     --features               Features to compile for the package
21     -V, --version            Print version info and exit
22
23 Other [options] are the same as `cargo rustc`.  Everything after the first "--" is
24 passed verbatim to Miri, which will pass everything after the second "--" verbatim
25 to the interpreted program.
26 "#;
27
28 #[derive(Copy, Clone, Debug, PartialEq, Eq)]
29 enum MiriCommand {
30     Run,
31     Test,
32     Setup,
33 }
34
35 fn show_help() {
36     println!("{}", CARGO_MIRI_HELP);
37 }
38
39 fn show_version() {
40     println!("miri {} ({} {})",
41         env!("CARGO_PKG_VERSION"), env!("VERGEN_SHA_SHORT"), env!("VERGEN_COMMIT_DATE"));
42 }
43
44 fn show_error(msg: String) -> ! {
45     eprintln!("fatal error: {}", msg);
46     std::process::exit(1)
47 }
48
49 // Determines whether a `--flag` is present.
50 fn has_arg_flag(name: &str) -> bool {
51     let mut args = std::env::args().take_while(|val| val != "--");
52     args.any(|val| val == name)
53 }
54
55 /// Gets the value of a `--flag`.
56 fn get_arg_flag_value(name: &str) -> Option<String> {
57     // Stop searching at `--`.
58     let mut args = std::env::args().take_while(|val| val != "--");
59     loop {
60         let arg = match args.next() {
61             Some(arg) => arg,
62             None => return None,
63         };
64         if !arg.starts_with(name) {
65             continue;
66         }
67         // Strip leading `name`.
68         let suffix = &arg[name.len()..];
69         if suffix.is_empty() {
70             // This argument is exactly `name`; the next one is the value.
71             return args.next();
72         } else if suffix.starts_with('=') {
73             // This argument is `name=value`; get the value.
74             // Strip leading `=`.
75             return Some(suffix[1..].to_owned());
76         }
77     }
78 }
79
80 fn list_targets() -> impl Iterator<Item=cargo_metadata::Target> {
81     // We need to get the manifest, and then the metadata, to enumerate targets.
82     let manifest_path = get_arg_flag_value("--manifest-path").map(|m|
83         Path::new(&m).canonicalize().unwrap()
84     );
85
86     let mut cmd = cargo_metadata::MetadataCommand::new();
87     if let Some(ref manifest_path) = manifest_path {
88         cmd.manifest_path(manifest_path);
89     }
90     let mut metadata = if let Ok(metadata) = cmd.exec() {
91         metadata
92     } else {
93         show_error(format!("Could not obtain Cargo metadata"));
94     };
95
96     let current_dir = std::env::current_dir();
97
98     let package_index = metadata
99         .packages
100         .iter()
101         .position(|package| {
102             let package_manifest_path = Path::new(&package.manifest_path);
103             if let Some(ref manifest_path) = manifest_path {
104                 package_manifest_path == manifest_path
105             } else {
106                 let current_dir = current_dir.as_ref().expect(
107                     "could not read current directory",
108                 );
109                 let package_manifest_directory = package_manifest_path.parent().expect(
110                     "could not find parent directory of package manifest",
111                 );
112                 package_manifest_directory == current_dir
113             }
114         })
115         .expect("could not find matching package");
116     let package = metadata.packages.remove(package_index);
117
118     // Finally we got the list of targets to build
119     package.targets.into_iter()
120 }
121
122 /// Make sure that the `miri` and `rustc` binary are from the same sysroot.
123 /// This can be violated e.g. when miri is locally built and installed with a different
124 /// toolchain than what is used when `cargo miri` is run.
125 fn test_sysroot_consistency() {
126     fn get_sysroot(mut cmd: Command) -> PathBuf {
127         let out = cmd.arg("--print").arg("sysroot")
128             .env_remove("MIRI_SYSROOT") // We want to test their "native" sysroot, not the manually set one
129             .output().expect("Failed to run rustc to get sysroot info");
130         assert!(out.status.success(), "Bad statuc code when getting sysroot info");
131         let sysroot = out.stdout.lines().nth(0)
132             .expect("didn't get at least one line for the sysroot").unwrap();
133         PathBuf::from(sysroot).canonicalize()
134             .expect("Failed to canonicalize sysroot")
135     }
136
137     let rustc_sysroot = get_sysroot(Command::new("rustc"));
138     let miri_sysroot = {
139         let mut path = std::env::current_exe().expect("current executable path invalid");
140         path.set_file_name("miri");
141         get_sysroot(Command::new(path))
142     };
143
144     if rustc_sysroot != miri_sysroot {
145         show_error(format!(
146             "miri was built for a different sysroot than the rustc in your current toolchain.\n\
147              Make sure you use the same toolchain to run miri that you used to build it!\n\
148              rustc sysroot: `{}`\n\
149              miri sysroot: `{}`",
150              rustc_sysroot.display(), miri_sysroot.display()
151         ));
152     }
153 }
154
155 fn xargo_version() -> Option<(u32, u32, u32)> {
156     let out = Command::new("xargo").arg("--version").output().ok()?;
157     if !out.status.success() {
158         return None;
159     }
160     // Parse output. The first line looks like "xargo 0.3.12 (b004f1c 2018-12-13)".
161     let line = out.stderr.lines().nth(0)
162         .expect("malformed `xargo --version` output: not at least one line")
163         .expect("malformed `xargo --version` output: error reading first line");
164     let (name, version) = {
165         let mut split = line.split(' ');
166         (split.next().expect("malformed `xargo --version` output: empty"),
167          split.next().expect("malformed `xargo --version` output: not at least two words"))
168     };
169     if name != "xargo" {
170         // This is some fork of xargo
171         return None;
172     }
173     let mut version_pieces = version.split('.');
174     let major = version_pieces.next()
175         .expect("malformed `xargo --version` output: not a major version piece")
176         .parse()
177         .expect("malformed `xargo --version` output: major version is not an integer");
178     let minor = version_pieces.next()
179         .expect("malformed `xargo --version` output: not a minor version piece")
180         .parse()
181         .expect("malformed `xargo --version` output: minor version is not an integer");
182     let patch = version_pieces.next()
183         .expect("malformed `xargo --version` output: not a patch version piece")
184         .parse()
185         .expect("malformed `xargo --version` output: patch version is not an integer");
186     if !version_pieces.next().is_none() {
187         panic!("malformed `xargo --version` output: more than three pieces in version");
188     }
189     Some((major, minor, patch))
190 }
191
192 fn ask(question: &str) {
193     let mut buf = String::new();
194     print!("{} [Y/n] ", question);
195     io::stdout().flush().unwrap();
196     io::stdin().read_line(&mut buf).unwrap();
197     match buf.trim().to_lowercase().as_ref() {
198         // Proceed.
199         "" | "y" | "yes" => {},
200         "n" | "no" => show_error(format!("Aborting as per your request")),
201         a => show_error(format!("I do not understand `{}`", a))
202     };
203 }
204
205 /// Performs the setup required to make `cargo miri` work: Getting a custom-built libstd. Then sets
206 /// `MIRI_SYSROOT`. Skipped if `MIRI_SYSROOT` is already set, in which case we expect the user has
207 /// done all this already.
208 fn setup(ask_user: bool) {
209     if std::env::var("MIRI_SYSROOT").is_ok() {
210         if !ask_user {
211             println!("WARNING: MIRI_SYSROOT already set, not doing anything.")
212         }
213         return;
214     }
215
216     // First, we need xargo.
217     let xargo = xargo_version();
218     if xargo.map_or(true, |v| v < (0, 3, 14)) {
219         if ask_user {
220             ask("It seems you do not have a recent enough xargo installed. I will run `cargo install xargo -f`. Proceed?");
221         } else {
222             println!("Installing xargo: `cargo install xargo -f`");
223         }
224         if !Command::new("cargo").args(&["install", "xargo", "-f"]).status().unwrap().success() {
225             show_error(format!("Failed to install xargo"));
226         }
227     }
228
229     // Then, unless `XARGO_RUST_SRC` is set, we also need rust-src.
230     // Let's see if it is already installed.
231     if std::env::var("XARGO_RUST_SRC").is_err() {
232         let sysroot = Command::new("rustc").args(&["--print", "sysroot"]).output().unwrap().stdout;
233         let sysroot = std::str::from_utf8(&sysroot).unwrap();
234         let src = Path::new(sysroot.trim_end_matches('\n')).join("lib").join("rustlib").join("src");
235         if !src.exists() {
236             if ask_user {
237                 ask("It seems you do not have the rust-src component installed. I will run `rustup component add rust-src`. Proceed?");
238             } else {
239                 println!("Installing rust-src component: `rustup component add rust-src`");
240             }
241             if !Command::new("rustup").args(&["component", "add", "rust-src"]).status().unwrap().success() {
242                 show_error(format!("Failed to install rust-src component"));
243             }
244         }
245     }
246
247     // Next, we need our own libstd. We will do this work in whatever is a good cache dir for this platform.
248     let dirs = directories::ProjectDirs::from("miri", "miri", "miri").unwrap();
249     let dir = dirs.cache_dir();
250     if !dir.exists() {
251         fs::create_dir_all(&dir).unwrap();
252     }
253     // The interesting bit: Xargo.toml
254     File::create(dir.join("Xargo.toml")).unwrap()
255         .write_all(br#"
256 [dependencies.std]
257 default_features = false
258 # We need the `panic_unwind` feature because we use the `unwind` panic strategy.
259 # Using `abort` works for libstd, but then libtest will not compile.
260 features = ["panic_unwind"]
261
262 [dependencies.test]
263 stage = 1
264         "#).unwrap();
265     // The boring bits: a dummy project for xargo.
266     File::create(dir.join("Cargo.toml")).unwrap()
267         .write_all(br#"
268 [package]
269 name = "miri-xargo"
270 description = "A dummy project for building libstd with xargo."
271 version = "0.0.0"
272
273 [lib]
274 path = "lib.rs"
275         "#).unwrap();
276     File::create(dir.join("lib.rs")).unwrap();
277     // Run xargo.
278     let target = get_arg_flag_value("--target");
279     let print_env = !ask_user && has_arg_flag("--env"); // whether we just print the necessary environment variable
280     let mut command = Command::new("xargo");
281     command.arg("build").arg("-q")
282         .current_dir(&dir)
283         .env("RUSTFLAGS", miri::miri_default_args().join(" "))
284         .env("XARGO_HOME", dir.to_str().unwrap());
285     if let Some(ref target) = target {
286         command.arg("--target").arg(&target);
287     }
288     if !command.status().unwrap().success()
289     {
290         show_error(format!("Failed to run xargo"));
291     }
292
293     // That should be it! But we need to figure out where xargo built stuff.
294     // Unfortunately, it puts things into a different directory when the
295     // architecture matches the host.
296     let is_host = match target {
297         None => true,
298         Some(target) => target == rustc_version::version_meta().unwrap().host,
299     };
300     let sysroot = if is_host { dir.join("HOST") } else { PathBuf::from(dir) };
301     std::env::set_var("MIRI_SYSROOT", &sysroot);
302     if print_env {
303         println!("MIRI_SYSROOT={}", sysroot.display());
304     } else if !ask_user {
305         println!("A libstd for Miri is now available in `{}`.", sysroot.display());
306     }
307 }
308
309 fn main() {
310     // Check for version and help flags even when invoked as `cargo-miri`.
311     if std::env::args().any(|a| a == "--help" || a == "-h") {
312         show_help();
313         return;
314     }
315     if std::env::args().any(|a| a == "--version" || a == "-V") {
316         show_version();
317         return;
318     }
319
320     if let Some("miri") = std::env::args().nth(1).as_ref().map(AsRef::as_ref) {
321         // This arm is for when `cargo miri` is called. We call `cargo rustc` for each applicable target,
322         // but with the `RUSTC` env var set to the `cargo-miri` binary so that we come back in the other branch,
323         // and dispatch the invocations to `rustc` and `miri`, respectively.
324         in_cargo_miri();
325     } else if let Some("rustc") = std::env::args().nth(1).as_ref().map(AsRef::as_ref) {
326         // This arm is executed when `cargo-miri` runs `cargo rustc` with the `RUSTC_WRAPPER` env var set to itself:
327         // dependencies get dispatched to `rustc`, the final test/binary to `miri`.
328         inside_cargo_rustc();
329     } else {
330         show_error(format!("must be called with either `miri` or `rustc` as first argument."))
331     }
332 }
333
334 fn in_cargo_miri() {
335     let (subcommand, skip) = match std::env::args().nth(2).deref() {
336         Some("test") => (MiriCommand::Test, 3),
337         Some("run") => (MiriCommand::Run, 3),
338         Some("setup") => (MiriCommand::Setup, 3),
339         // Default command, if there is an option or nothing.
340         Some(s) if s.starts_with("-") => (MiriCommand::Run, 2),
341         None => (MiriCommand::Run, 2),
342         // Invalid command.
343         Some(s) => {
344             show_error(format!("Unknown command `{}`", s))
345         }
346     };
347     let verbose = has_arg_flag("-v");
348
349     // Some basic sanity checks
350     test_sysroot_consistency();
351
352     // We always setup.
353     let ask = subcommand != MiriCommand::Setup;
354     setup(ask);
355     if subcommand == MiriCommand::Setup {
356         // Stop here.
357         return;
358     }
359
360     // Now run the command.
361     for target in list_targets() {
362         let mut args = std::env::args().skip(skip);
363         let kind = target.kind.get(0).expect(
364             "badly formatted cargo metadata: target::kind is an empty array",
365         );
366         // Now we run `cargo rustc $FLAGS $ARGS`, giving the user the
367         // change to add additional arguments. `FLAGS` is set to identify
368         // this target.  The user gets to control what gets actually passed to Miri.
369         let mut cmd = Command::new("cargo");
370         cmd.arg("rustc");
371         match (subcommand, kind.as_str()) {
372             (MiriCommand::Run, "bin") => {
373                 // FIXME: we just run all the binaries here.
374                 // We should instead support `cargo miri --bin foo`.
375                 cmd.arg("--bin").arg(target.name);
376             }
377             (MiriCommand::Test, "test") => {
378                 cmd.arg("--test").arg(target.name);
379             }
380             (MiriCommand::Test, "lib") => {
381                 // There can be only one lib.
382                 cmd.arg("--lib").arg("--profile").arg("test");
383             }
384             (MiriCommand::Test, "bin") => {
385                 cmd.arg("--bin").arg(target.name).arg("--profile").arg("test");
386             }
387             // The remaining targets we do not even want to build.
388             _ => continue,
389         }
390         // Add user-defined args until first `--`.
391         while let Some(arg) = args.next() {
392             if arg == "--" {
393                 break;
394             }
395             cmd.arg(arg);
396         }
397         // Add `--` (to end the `cargo` flags), and then the user flags. We add markers around the
398         // user flags to be able to identify them later.  "cargo rustc" adds more stuff after this,
399         // so we have to mark both the beginning and the end.
400         cmd
401             .arg("--")
402             .arg("cargo-miri-marker-begin")
403             .args(args)
404             .arg("cargo-miri-marker-end");
405         let path = std::env::current_exe().expect("current executable path invalid");
406         cmd.env("RUSTC_WRAPPER", path);
407         if verbose {
408             eprintln!("+ {:?}", cmd);
409         }
410
411         let exit_status = cmd
412             .spawn()
413             .expect("could not run cargo")
414             .wait()
415             .expect("failed to wait for cargo?");
416
417         if !exit_status.success() {
418             std::process::exit(exit_status.code().unwrap_or(-1))
419         }
420     }
421 }
422
423 fn inside_cargo_rustc() {
424     let sysroot = std::env::var("MIRI_SYSROOT").expect("The wrapper should have set MIRI_SYSROOT");
425
426     let rustc_args = std::env::args().skip(2); // skip `cargo rustc`
427     let mut args: Vec<String> = rustc_args
428             .chain(Some("--sysroot".to_owned()))
429             .chain(Some(sysroot))
430             .collect();
431     args.splice(0..0, miri::miri_default_args().iter().map(ToString::to_string));
432
433     // See if we can find the `cargo-miri` markers. Those only get added to the binary we want to
434     // run. They also serve to mark the user-defined arguments, which we have to move all the way
435     // to the end (they get added somewhere in the middle).
436     let needs_miri = if let Some(begin) = args.iter().position(|arg| arg == "cargo-miri-marker-begin") {
437         let end = args
438             .iter()
439             .position(|arg| arg == "cargo-miri-marker-end")
440             .expect("cannot find end marker");
441         // These mark the user arguments. We remove the first and last as they are the markers.
442         let mut user_args = args.drain(begin..=end);
443         assert_eq!(user_args.next().unwrap(), "cargo-miri-marker-begin");
444         assert_eq!(user_args.next_back().unwrap(), "cargo-miri-marker-end");
445         // Collect the rest and add it back at the end.
446         let mut user_args = user_args.collect::<Vec<String>>();
447         args.append(&mut user_args);
448         // Run this in Miri.
449         true
450     } else {
451         false
452     };
453
454     let mut command = if needs_miri {
455         let mut path = std::env::current_exe().expect("current executable path invalid");
456         path.set_file_name("miri");
457         Command::new(path)
458     } else {
459         Command::new("rustc")
460     };
461     command.env_remove("MIRI_SYSROOT"); // we already set the --sysroot flag
462     command.args(&args);
463     if has_arg_flag("-v") {
464         eprintln!("+ {:?}", command);
465     }
466
467     match command.status() {
468         Ok(exit) => {
469             if !exit.success() {
470                 std::process::exit(exit.code().unwrap_or(42));
471             }
472         }
473         Err(ref e) if needs_miri => panic!("error during miri run: {:?}", e),
474         Err(ref e) => panic!("error during rustc call: {:?}", e),
475     }
476 }