]> git.lizzy.rs Git - rust.git/blob - src/bootstrap/check.rs
add inline attributes to stage 0 methods
[rust.git] / src / bootstrap / check.rs
1 // Copyright 2016 The Rust Project Developers. See the COPYRIGHT
2 // file at the top-level directory of this distribution and at
3 // http://rust-lang.org/COPYRIGHT.
4 //
5 // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6 // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8 // option. This file may not be copied, modified, or distributed
9 // except according to those terms.
10
11 //! Implementation of the test-related targets of the build system.
12 //!
13 //! This file implements the various regression test suites that we execute on
14 //! our CI.
15
16 extern crate build_helper;
17
18 use std::collections::HashSet;
19 use std::env;
20 use std::fmt;
21 use std::fs;
22 use std::path::{PathBuf, Path};
23 use std::process::Command;
24
25 use build_helper::output;
26
27 use {Build, Compiler, Mode};
28 use dist;
29 use util::{self, dylib_path, dylib_path_var, exe};
30
31 const ADB_TEST_DIR: &'static str = "/data/tmp";
32
33 /// The two modes of the test runner; tests or benchmarks.
34 #[derive(Copy, Clone)]
35 pub enum TestKind {
36     /// Run `cargo test`
37     Test,
38     /// Run `cargo bench`
39     Bench,
40 }
41
42 impl TestKind {
43     // Return the cargo subcommand for this test kind
44     fn subcommand(self) -> &'static str {
45         match self {
46             TestKind::Test => "test",
47             TestKind::Bench => "bench",
48         }
49     }
50 }
51
52 impl fmt::Display for TestKind {
53     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
54         f.write_str(match *self {
55             TestKind::Test => "Testing",
56             TestKind::Bench => "Benchmarking",
57         })
58     }
59 }
60
61 /// Runs the `linkchecker` tool as compiled in `stage` by the `host` compiler.
62 ///
63 /// This tool in `src/tools` will verify the validity of all our links in the
64 /// documentation to ensure we don't have a bunch of dead ones.
65 pub fn linkcheck(build: &Build, host: &str) {
66     println!("Linkcheck ({})", host);
67     let compiler = Compiler::new(0, host);
68
69     let _time = util::timeit();
70     build.run(build.tool_cmd(&compiler, "linkchecker")
71                    .arg(build.out.join(host).join("doc")));
72 }
73
74 /// Runs the `cargotest` tool as compiled in `stage` by the `host` compiler.
75 ///
76 /// This tool in `src/tools` will check out a few Rust projects and run `cargo
77 /// test` to ensure that we don't regress the test suites there.
78 pub fn cargotest(build: &Build, stage: u32, host: &str) {
79     let ref compiler = Compiler::new(stage, host);
80
81     // Configure PATH to find the right rustc. NB. we have to use PATH
82     // and not RUSTC because the Cargo test suite has tests that will
83     // fail if rustc is not spelled `rustc`.
84     let path = build.sysroot(compiler).join("bin");
85     let old_path = ::std::env::var("PATH").expect("");
86     let sep = if cfg!(windows) { ";" } else {":" };
87     let ref newpath = format!("{}{}{}", path.display(), sep, old_path);
88
89     // Note that this is a short, cryptic, and not scoped directory name. This
90     // is currently to minimize the length of path on Windows where we otherwise
91     // quickly run into path name limit constraints.
92     let out_dir = build.out.join("ct");
93     t!(fs::create_dir_all(&out_dir));
94
95     let _time = util::timeit();
96     let mut cmd = Command::new(build.tool(&Compiler::new(0, host), "cargotest"));
97     build.prepare_tool_cmd(compiler, &mut cmd);
98     build.run(cmd.env("PATH", newpath)
99                  .arg(&build.cargo)
100                  .arg(&out_dir));
101 }
102
103 /// Runs the `tidy` tool as compiled in `stage` by the `host` compiler.
104 ///
105 /// This tool in `src/tools` checks up on various bits and pieces of style and
106 /// otherwise just implements a few lint-like checks that are specific to the
107 /// compiler itself.
108 pub fn tidy(build: &Build, host: &str) {
109     println!("tidy check ({})", host);
110     let compiler = Compiler::new(0, host);
111     let mut cmd = build.tool_cmd(&compiler, "tidy");
112     cmd.arg(build.src.join("src"));
113     if !build.config.vendor {
114         cmd.arg("--no-vendor");
115     }
116     build.run(&mut cmd);
117 }
118
119 fn testdir(build: &Build, host: &str) -> PathBuf {
120     build.out.join(host).join("test")
121 }
122
123 /// Executes the `compiletest` tool to run a suite of tests.
124 ///
125 /// Compiles all tests with `compiler` for `target` with the specified
126 /// compiletest `mode` and `suite` arguments. For example `mode` can be
127 /// "run-pass" or `suite` can be something like `debuginfo`.
128 pub fn compiletest(build: &Build,
129                    compiler: &Compiler,
130                    target: &str,
131                    mode: &str,
132                    suite: &str) {
133     println!("Check compiletest suite={} mode={} ({} -> {})",
134              suite, mode, compiler.host, target);
135     let mut cmd = Command::new(build.tool(&Compiler::new(0, compiler.host),
136                                           "compiletest"));
137     build.prepare_tool_cmd(compiler, &mut cmd);
138
139     // compiletest currently has... a lot of arguments, so let's just pass all
140     // of them!
141
142     cmd.arg("--compile-lib-path").arg(build.rustc_libdir(compiler));
143     cmd.arg("--run-lib-path").arg(build.sysroot_libdir(compiler, target));
144     cmd.arg("--rustc-path").arg(build.compiler_path(compiler));
145     cmd.arg("--rustdoc-path").arg(build.rustdoc(compiler));
146     cmd.arg("--src-base").arg(build.src.join("src/test").join(suite));
147     cmd.arg("--build-base").arg(testdir(build, compiler.host).join(suite));
148     cmd.arg("--stage-id").arg(format!("stage{}-{}", compiler.stage, target));
149     cmd.arg("--mode").arg(mode);
150     cmd.arg("--target").arg(target);
151     cmd.arg("--host").arg(compiler.host);
152     cmd.arg("--llvm-filecheck").arg(build.llvm_filecheck(&build.config.build));
153
154     if let Some(nodejs) = build.config.nodejs.as_ref() {
155         cmd.arg("--nodejs").arg(nodejs);
156     }
157
158     let mut flags = vec!["-Crpath".to_string()];
159     if build.config.rust_optimize_tests {
160         flags.push("-O".to_string());
161     }
162     if build.config.rust_debuginfo_tests {
163         flags.push("-g".to_string());
164     }
165
166     let mut hostflags = build.rustc_flags(&compiler.host);
167     hostflags.extend(flags.clone());
168     cmd.arg("--host-rustcflags").arg(hostflags.join(" "));
169
170     let mut targetflags = build.rustc_flags(&target);
171     targetflags.extend(flags);
172     targetflags.push(format!("-Lnative={}",
173                              build.test_helpers_out(target).display()));
174     cmd.arg("--target-rustcflags").arg(targetflags.join(" "));
175
176     cmd.arg("--docck-python").arg(build.python());
177
178     if build.config.build.ends_with("apple-darwin") {
179         // Force /usr/bin/python on OSX for LLDB tests because we're loading the
180         // LLDB plugin's compiled module which only works with the system python
181         // (namely not Homebrew-installed python)
182         cmd.arg("--lldb-python").arg("/usr/bin/python");
183     } else {
184         cmd.arg("--lldb-python").arg(build.python());
185     }
186
187     if let Some(ref gdb) = build.config.gdb {
188         cmd.arg("--gdb").arg(gdb);
189     }
190     if let Some(ref vers) = build.lldb_version {
191         cmd.arg("--lldb-version").arg(vers);
192     }
193     if let Some(ref dir) = build.lldb_python_dir {
194         cmd.arg("--lldb-python-dir").arg(dir);
195     }
196     let llvm_config = build.llvm_config(target);
197     let llvm_version = output(Command::new(&llvm_config).arg("--version"));
198     cmd.arg("--llvm-version").arg(llvm_version);
199
200     cmd.args(&build.flags.cmd.test_args());
201
202     if build.config.verbose() || build.flags.verbose() {
203         cmd.arg("--verbose");
204     }
205
206     if build.config.quiet_tests {
207         cmd.arg("--quiet");
208     }
209
210     // Only pass correct values for these flags for the `run-make` suite as it
211     // requires that a C++ compiler was configured which isn't always the case.
212     if suite == "run-make" {
213         let llvm_components = output(Command::new(&llvm_config).arg("--components"));
214         let llvm_cxxflags = output(Command::new(&llvm_config).arg("--cxxflags"));
215         cmd.arg("--cc").arg(build.cc(target))
216            .arg("--cxx").arg(build.cxx(target))
217            .arg("--cflags").arg(build.cflags(target).join(" "))
218            .arg("--llvm-components").arg(llvm_components.trim())
219            .arg("--llvm-cxxflags").arg(llvm_cxxflags.trim());
220     } else {
221         cmd.arg("--cc").arg("")
222            .arg("--cxx").arg("")
223            .arg("--cflags").arg("")
224            .arg("--llvm-components").arg("")
225            .arg("--llvm-cxxflags").arg("");
226     }
227
228     if build.qemu_rootfs(target).is_some() {
229         cmd.arg("--qemu-test-client")
230            .arg(build.tool(&Compiler::new(0, &build.config.build),
231                            "qemu-test-client"));
232     }
233
234     // Running a C compiler on MSVC requires a few env vars to be set, to be
235     // sure to set them here.
236     //
237     // Note that if we encounter `PATH` we make sure to append to our own `PATH`
238     // rather than stomp over it.
239     if target.contains("msvc") {
240         for &(ref k, ref v) in build.cc[target].0.env() {
241             if k != "PATH" {
242                 cmd.env(k, v);
243             }
244         }
245     }
246     cmd.env("RUSTC_BOOTSTRAP", "1");
247     build.add_rust_test_threads(&mut cmd);
248
249     if build.config.sanitizers {
250         cmd.env("SANITIZER_SUPPORT", "1");
251     }
252
253     cmd.arg("--adb-path").arg("adb");
254     cmd.arg("--adb-test-dir").arg(ADB_TEST_DIR);
255     if target.contains("android") {
256         // Assume that cc for this target comes from the android sysroot
257         cmd.arg("--android-cross-path")
258            .arg(build.cc(target).parent().unwrap().parent().unwrap());
259     } else {
260         cmd.arg("--android-cross-path").arg("");
261     }
262
263     let _time = util::timeit();
264     build.run(&mut cmd);
265 }
266
267 /// Run `rustdoc --test` for all documentation in `src/doc`.
268 ///
269 /// This will run all tests in our markdown documentation (e.g. the book)
270 /// located in `src/doc`. The `rustdoc` that's run is the one that sits next to
271 /// `compiler`.
272 pub fn docs(build: &Build, compiler: &Compiler) {
273     // Do a breadth-first traversal of the `src/doc` directory and just run
274     // tests for all files that end in `*.md`
275     let mut stack = vec![build.src.join("src/doc")];
276     let _time = util::timeit();
277
278     while let Some(p) = stack.pop() {
279         if p.is_dir() {
280             stack.extend(t!(p.read_dir()).map(|p| t!(p).path()));
281             continue
282         }
283
284         if p.extension().and_then(|s| s.to_str()) != Some("md") {
285             continue
286         }
287
288         println!("doc tests for: {}", p.display());
289         markdown_test(build, compiler, &p);
290     }
291 }
292
293 /// Run the error index generator tool to execute the tests located in the error
294 /// index.
295 ///
296 /// The `error_index_generator` tool lives in `src/tools` and is used to
297 /// generate a markdown file from the error indexes of the code base which is
298 /// then passed to `rustdoc --test`.
299 pub fn error_index(build: &Build, compiler: &Compiler) {
300     println!("Testing error-index stage{}", compiler.stage);
301
302     let dir = testdir(build, compiler.host);
303     t!(fs::create_dir_all(&dir));
304     let output = dir.join("error-index.md");
305
306     let _time = util::timeit();
307     build.run(build.tool_cmd(&Compiler::new(0, compiler.host),
308                              "error_index_generator")
309                    .arg("markdown")
310                    .arg(&output)
311                    .env("CFG_BUILD", &build.config.build));
312
313     markdown_test(build, compiler, &output);
314 }
315
316 fn markdown_test(build: &Build, compiler: &Compiler, markdown: &Path) {
317     let mut cmd = Command::new(build.rustdoc(compiler));
318     build.add_rustc_lib_path(compiler, &mut cmd);
319     build.add_rust_test_threads(&mut cmd);
320     cmd.arg("--test");
321     cmd.arg(markdown);
322     cmd.env("RUSTC_BOOTSTRAP", "1");
323
324     let mut test_args = build.flags.cmd.test_args().join(" ");
325     if build.config.quiet_tests {
326         test_args.push_str(" --quiet");
327     }
328     cmd.arg("--test-args").arg(test_args);
329
330     build.run(&mut cmd);
331 }
332
333 /// Run all unit tests plus documentation tests for an entire crate DAG defined
334 /// by a `Cargo.toml`
335 ///
336 /// This is what runs tests for crates like the standard library, compiler, etc.
337 /// It essentially is the driver for running `cargo test`.
338 ///
339 /// Currently this runs all tests for a DAG by passing a bunch of `-p foo`
340 /// arguments, and those arguments are discovered from `cargo metadata`.
341 pub fn krate(build: &Build,
342              compiler: &Compiler,
343              target: &str,
344              mode: Mode,
345              test_kind: TestKind,
346              krate: Option<&str>) {
347     let (name, path, features, root) = match mode {
348         Mode::Libstd => {
349             ("libstd", "src/libstd", build.std_features(), "std")
350         }
351         Mode::Libtest => {
352             ("libtest", "src/libtest", String::new(), "test")
353         }
354         Mode::Librustc => {
355             ("librustc", "src/rustc", build.rustc_features(), "rustc-main")
356         }
357         _ => panic!("can only test libraries"),
358     };
359     println!("{} {} stage{} ({} -> {})", test_kind, name, compiler.stage,
360              compiler.host, target);
361
362     // If we're not doing a full bootstrap but we're testing a stage2 version of
363     // libstd, then what we're actually testing is the libstd produced in
364     // stage1. Reflect that here by updating the compiler that we're working
365     // with automatically.
366     let compiler = if build.force_use_stage1(compiler, target) {
367         Compiler::new(1, compiler.host)
368     } else {
369         compiler.clone()
370     };
371
372     // Build up the base `cargo test` command.
373     //
374     // Pass in some standard flags then iterate over the graph we've discovered
375     // in `cargo metadata` with the maps above and figure out what `-p`
376     // arguments need to get passed.
377     let mut cargo = build.cargo(&compiler, mode, target, test_kind.subcommand());
378     cargo.arg("--manifest-path")
379          .arg(build.src.join(path).join("Cargo.toml"))
380          .arg("--features").arg(features);
381
382     match krate {
383         Some(krate) => {
384             cargo.arg("-p").arg(krate);
385         }
386         None => {
387             let mut visited = HashSet::new();
388             let mut next = vec![root];
389             while let Some(name) = next.pop() {
390                 // Right now jemalloc is our only target-specific crate in the
391                 // sense that it's not present on all platforms. Custom skip it
392                 // here for now, but if we add more this probably wants to get
393                 // more generalized.
394                 //
395                 // Also skip `build_helper` as it's not compiled normally for
396                 // target during the bootstrap and it's just meant to be a
397                 // helper crate, not tested. If it leaks through then it ends up
398                 // messing with various mtime calculations and such.
399                 if !name.contains("jemalloc") && name != "build_helper" {
400                     cargo.arg("-p").arg(&format!("{}:0.0.0", name));
401                 }
402                 for dep in build.crates[name].deps.iter() {
403                     if visited.insert(dep) {
404                         next.push(dep);
405                     }
406                 }
407             }
408         }
409     }
410
411     // The tests are going to run with the *target* libraries, so we need to
412     // ensure that those libraries show up in the LD_LIBRARY_PATH equivalent.
413     //
414     // Note that to run the compiler we need to run with the *host* libraries,
415     // but our wrapper scripts arrange for that to be the case anyway.
416     let mut dylib_path = dylib_path();
417     dylib_path.insert(0, build.sysroot_libdir(&compiler, target));
418     cargo.env(dylib_path_var(), env::join_paths(&dylib_path).unwrap());
419
420     if target.contains("android") ||
421        target.contains("emscripten") ||
422        build.qemu_rootfs(target).is_some() {
423         cargo.arg("--no-run");
424     }
425
426     cargo.arg("--");
427
428     if build.config.quiet_tests {
429         cargo.arg("--quiet");
430     }
431
432     let _time = util::timeit();
433
434     if target.contains("android") {
435         build.run(&mut cargo);
436         krate_android(build, &compiler, target, mode);
437     } else if target.contains("emscripten") {
438         build.run(&mut cargo);
439         krate_emscripten(build, &compiler, target, mode);
440     } else if build.qemu_rootfs(target).is_some() {
441         build.run(&mut cargo);
442         krate_qemu(build, &compiler, target, mode);
443     } else {
444         cargo.args(&build.flags.cmd.test_args());
445         build.run(&mut cargo);
446     }
447 }
448
449 fn krate_android(build: &Build,
450                  compiler: &Compiler,
451                  target: &str,
452                  mode: Mode) {
453     let mut tests = Vec::new();
454     let out_dir = build.cargo_out(compiler, mode, target);
455     find_tests(&out_dir, target, &mut tests);
456     find_tests(&out_dir.join("deps"), target, &mut tests);
457
458     for test in tests {
459         build.run(Command::new("adb").arg("push").arg(&test).arg(ADB_TEST_DIR));
460
461         let test_file_name = test.file_name().unwrap().to_string_lossy();
462         let log = format!("{}/check-stage{}-T-{}-H-{}-{}.log",
463                           ADB_TEST_DIR,
464                           compiler.stage,
465                           target,
466                           compiler.host,
467                           test_file_name);
468         let quiet = if build.config.quiet_tests { "--quiet" } else { "" };
469         let program = format!("(cd {dir}; \
470                                 LD_LIBRARY_PATH=./{target} ./{test} \
471                                     --logfile {log} \
472                                     {quiet} \
473                                     {args})",
474                               dir = ADB_TEST_DIR,
475                               target = target,
476                               test = test_file_name,
477                               log = log,
478                               quiet = quiet,
479                               args = build.flags.cmd.test_args().join(" "));
480
481         let output = output(Command::new("adb").arg("shell").arg(&program));
482         println!("{}", output);
483
484         t!(fs::create_dir_all(build.out.join("tmp")));
485         build.run(Command::new("adb")
486                           .arg("pull")
487                           .arg(&log)
488                           .arg(build.out.join("tmp")));
489         build.run(Command::new("adb").arg("shell").arg("rm").arg(&log));
490         if !output.contains("result: ok") {
491             panic!("some tests failed");
492         }
493     }
494 }
495
496 fn krate_emscripten(build: &Build,
497                     compiler: &Compiler,
498                     target: &str,
499                     mode: Mode) {
500     let mut tests = Vec::new();
501     let out_dir = build.cargo_out(compiler, mode, target);
502     find_tests(&out_dir, target, &mut tests);
503     find_tests(&out_dir.join("deps"), target, &mut tests);
504
505     for test in tests {
506         let test_file_name = test.to_string_lossy().into_owned();
507         println!("running {}", test_file_name);
508         let nodejs = build.config.nodejs.as_ref().expect("nodejs not configured");
509         let mut cmd = Command::new(nodejs);
510         cmd.arg(&test_file_name);
511         if build.config.quiet_tests {
512             cmd.arg("--quiet");
513         }
514         build.run(&mut cmd);
515     }
516 }
517
518 fn krate_qemu(build: &Build,
519               compiler: &Compiler,
520               target: &str,
521               mode: Mode) {
522     let mut tests = Vec::new();
523     let out_dir = build.cargo_out(compiler, mode, target);
524     find_tests(&out_dir, target, &mut tests);
525     find_tests(&out_dir.join("deps"), target, &mut tests);
526
527     let tool = build.tool(&Compiler::new(0, &build.config.build),
528                           "qemu-test-client");
529     for test in tests {
530         let mut cmd = Command::new(&tool);
531         cmd.arg("run")
532            .arg(&test);
533         if build.config.quiet_tests {
534             cmd.arg("--quiet");
535         }
536         cmd.args(&build.flags.cmd.test_args());
537         build.run(&mut cmd);
538     }
539 }
540
541
542 fn find_tests(dir: &Path,
543               target: &str,
544               dst: &mut Vec<PathBuf>) {
545     for e in t!(dir.read_dir()).map(|e| t!(e)) {
546         let file_type = t!(e.file_type());
547         if !file_type.is_file() {
548             continue
549         }
550         let filename = e.file_name().into_string().unwrap();
551         if (target.contains("windows") && filename.ends_with(".exe")) ||
552            (!target.contains("windows") && !filename.contains(".")) ||
553            (target.contains("emscripten") && filename.ends_with(".js")) {
554             dst.push(e.path());
555         }
556     }
557 }
558
559 pub fn emulator_copy_libs(build: &Build, compiler: &Compiler, target: &str) {
560     if target.contains("android") {
561         android_copy_libs(build, compiler, target)
562     } else if let Some(s) = build.qemu_rootfs(target) {
563         qemu_copy_libs(build, compiler, target, s)
564     }
565 }
566
567 fn android_copy_libs(build: &Build, compiler: &Compiler, target: &str) {
568     println!("Android copy libs to emulator ({})", target);
569     build.run(Command::new("adb").arg("wait-for-device"));
570     build.run(Command::new("adb").arg("remount"));
571     build.run(Command::new("adb").args(&["shell", "rm", "-r", ADB_TEST_DIR]));
572     build.run(Command::new("adb").args(&["shell", "mkdir", ADB_TEST_DIR]));
573     build.run(Command::new("adb")
574                       .arg("push")
575                       .arg(build.src.join("src/etc/adb_run_wrapper.sh"))
576                       .arg(ADB_TEST_DIR));
577
578     let target_dir = format!("{}/{}", ADB_TEST_DIR, target);
579     build.run(Command::new("adb").args(&["shell", "mkdir", &target_dir[..]]));
580
581     for f in t!(build.sysroot_libdir(compiler, target).read_dir()) {
582         let f = t!(f);
583         let name = f.file_name().into_string().unwrap();
584         if util::is_dylib(&name) {
585             build.run(Command::new("adb")
586                               .arg("push")
587                               .arg(f.path())
588                               .arg(&target_dir));
589         }
590     }
591 }
592
593 fn qemu_copy_libs(build: &Build,
594                   compiler: &Compiler,
595                   target: &str,
596                   rootfs: &Path) {
597     println!("QEMU copy libs to emulator ({})", target);
598     assert!(target.starts_with("arm"), "only works with arm for now");
599     t!(fs::create_dir_all(build.out.join("tmp")));
600
601     // Copy our freshly compiled test server over to the rootfs
602     let server = build.cargo_out(compiler, Mode::Tool, target)
603                       .join(exe("qemu-test-server", target));
604     t!(fs::copy(&server, rootfs.join("testd")));
605
606     // Spawn the emulator and wait for it to come online
607     let tool = build.tool(&Compiler::new(0, &build.config.build),
608                           "qemu-test-client");
609     build.run(Command::new(&tool)
610                       .arg("spawn-emulator")
611                       .arg(rootfs)
612                       .arg(build.out.join("tmp")));
613
614     // Push all our dylibs to the emulator
615     for f in t!(build.sysroot_libdir(compiler, target).read_dir()) {
616         let f = t!(f);
617         let name = f.file_name().into_string().unwrap();
618         if util::is_dylib(&name) {
619             build.run(Command::new(&tool)
620                               .arg("push")
621                               .arg(f.path()));
622         }
623     }
624 }
625
626 /// Run "distcheck", a 'make check' from a tarball
627 pub fn distcheck(build: &Build) {
628     if build.config.build != "x86_64-unknown-linux-gnu" {
629         return
630     }
631     if !build.config.host.iter().any(|s| s == "x86_64-unknown-linux-gnu") {
632         return
633     }
634     if !build.config.target.iter().any(|s| s == "x86_64-unknown-linux-gnu") {
635         return
636     }
637
638     let dir = build.out.join("tmp").join("distcheck");
639     let _ = fs::remove_dir_all(&dir);
640     t!(fs::create_dir_all(&dir));
641
642     let mut cmd = Command::new("tar");
643     cmd.arg("-xzf")
644        .arg(dist::rust_src_location(build))
645        .arg("--strip-components=1")
646        .current_dir(&dir);
647     build.run(&mut cmd);
648     build.run(Command::new("./configure")
649                      .args(&build.config.configure_args)
650                      .arg("--enable-vendor")
651                      .current_dir(&dir));
652     build.run(Command::new(build_helper::make(&build.config.build))
653                      .arg("check")
654                      .current_dir(&dir));
655 }
656
657 /// Test the build system itself
658 pub fn bootstrap(build: &Build) {
659     let mut cmd = Command::new(&build.cargo);
660     cmd.arg("test")
661        .current_dir(build.src.join("src/bootstrap"))
662        .env("CARGO_TARGET_DIR", build.out.join("bootstrap"))
663        .env("RUSTC", &build.rustc);
664     cmd.arg("--").args(&build.flags.cmd.test_args());
665     build.run(&mut cmd);
666 }