]> git.lizzy.rs Git - rust.git/blob - src/bootstrap/config.rs
Auto merge of #43820 - sfackler:move-config-template, r=alexcrichton
[rust.git] / src / bootstrap / config.rs
1 // Copyright 2015 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 //! Serialized configuration of a build.
12 //!
13 //! This module implements parsing `config.mk` and `config.toml` configuration
14 //! files to tweak how the build runs.
15
16 use std::collections::HashMap;
17 use std::env;
18 use std::fs::{self, File};
19 use std::io::prelude::*;
20 use std::path::PathBuf;
21 use std::process;
22
23 use num_cpus;
24 use toml;
25 use util::{exe, push_exe_path};
26 use cache::{INTERNER, Interned};
27
28 /// Global configuration for the entire build and/or bootstrap.
29 ///
30 /// This structure is derived from a combination of both `config.toml` and
31 /// `config.mk`. As of the time of this writing it's unlikely that `config.toml`
32 /// is used all that much, so this is primarily filled out by `config.mk` which
33 /// is generated from `./configure`.
34 ///
35 /// Note that this structure is not decoded directly into, but rather it is
36 /// filled out from the decoded forms of the structs below. For documentation
37 /// each field, see the corresponding fields in
38 /// `config.toml.example`.
39 #[derive(Default)]
40 pub struct Config {
41     pub ccache: Option<String>,
42     pub ninja: bool,
43     pub verbose: usize,
44     pub submodules: bool,
45     pub compiler_docs: bool,
46     pub docs: bool,
47     pub locked_deps: bool,
48     pub vendor: bool,
49     pub target_config: HashMap<Interned<String>, Target>,
50     pub full_bootstrap: bool,
51     pub extended: bool,
52     pub sanitizers: bool,
53     pub profiler: bool,
54
55     // llvm codegen options
56     pub llvm_enabled: bool,
57     pub llvm_assertions: bool,
58     pub llvm_optimize: bool,
59     pub llvm_release_debuginfo: bool,
60     pub llvm_version_check: bool,
61     pub llvm_static_stdcpp: bool,
62     pub llvm_link_shared: bool,
63     pub llvm_targets: Option<String>,
64     pub llvm_experimental_targets: Option<String>,
65     pub llvm_link_jobs: Option<u32>,
66
67     // rust codegen options
68     pub rust_optimize: bool,
69     pub rust_codegen_units: u32,
70     pub rust_debug_assertions: bool,
71     pub rust_debuginfo: bool,
72     pub rust_debuginfo_lines: bool,
73     pub rust_debuginfo_only_std: bool,
74     pub rust_rpath: bool,
75     pub rustc_default_linker: Option<String>,
76     pub rustc_default_ar: Option<String>,
77     pub rust_optimize_tests: bool,
78     pub rust_debuginfo_tests: bool,
79     pub rust_dist_src: bool,
80
81     pub build: Interned<String>,
82     pub host: Vec<Interned<String>>,
83     pub target: Vec<Interned<String>>,
84     pub local_rebuild: bool,
85
86     // dist misc
87     pub dist_sign_folder: Option<PathBuf>,
88     pub dist_upload_addr: Option<String>,
89     pub dist_gpg_password_file: Option<PathBuf>,
90
91     // libstd features
92     pub debug_jemalloc: bool,
93     pub use_jemalloc: bool,
94     pub backtrace: bool, // support for RUST_BACKTRACE
95
96     // misc
97     pub low_priority: bool,
98     pub channel: String,
99     pub quiet_tests: bool,
100     // Fallback musl-root for all targets
101     pub musl_root: Option<PathBuf>,
102     pub prefix: Option<PathBuf>,
103     pub sysconfdir: Option<PathBuf>,
104     pub docdir: Option<PathBuf>,
105     pub bindir: Option<PathBuf>,
106     pub libdir: Option<PathBuf>,
107     pub libdir_relative: Option<PathBuf>,
108     pub mandir: Option<PathBuf>,
109     pub codegen_tests: bool,
110     pub nodejs: Option<PathBuf>,
111     pub gdb: Option<PathBuf>,
112     pub python: Option<PathBuf>,
113     pub configure_args: Vec<String>,
114     pub openssl_static: bool,
115
116
117     // These are either the stage0 downloaded binaries or the locally installed ones.
118     pub initial_cargo: PathBuf,
119     pub initial_rustc: PathBuf,
120
121 }
122
123 /// Per-target configuration stored in the global configuration structure.
124 #[derive(Default)]
125 pub struct Target {
126     /// Some(path to llvm-config) if using an external LLVM.
127     pub llvm_config: Option<PathBuf>,
128     pub jemalloc: Option<PathBuf>,
129     pub cc: Option<PathBuf>,
130     pub cxx: Option<PathBuf>,
131     pub ndk: Option<PathBuf>,
132     pub musl_root: Option<PathBuf>,
133     pub qemu_rootfs: Option<PathBuf>,
134 }
135
136 /// Structure of the `config.toml` file that configuration is read from.
137 ///
138 /// This structure uses `Decodable` to automatically decode a TOML configuration
139 /// file into this format, and then this is traversed and written into the above
140 /// `Config` structure.
141 #[derive(Deserialize, Default)]
142 #[serde(deny_unknown_fields, rename_all = "kebab-case")]
143 struct TomlConfig {
144     build: Option<Build>,
145     install: Option<Install>,
146     llvm: Option<Llvm>,
147     rust: Option<Rust>,
148     target: Option<HashMap<String, TomlTarget>>,
149     dist: Option<Dist>,
150 }
151
152 /// TOML representation of various global build decisions.
153 #[derive(Deserialize, Default, Clone)]
154 #[serde(deny_unknown_fields, rename_all = "kebab-case")]
155 struct Build {
156     build: Option<String>,
157     #[serde(default)]
158     host: Vec<String>,
159     #[serde(default)]
160     target: Vec<String>,
161     cargo: Option<String>,
162     rustc: Option<String>,
163     low_priority: Option<bool>,
164     compiler_docs: Option<bool>,
165     docs: Option<bool>,
166     submodules: Option<bool>,
167     gdb: Option<String>,
168     locked_deps: Option<bool>,
169     vendor: Option<bool>,
170     nodejs: Option<String>,
171     python: Option<String>,
172     full_bootstrap: Option<bool>,
173     extended: Option<bool>,
174     verbose: Option<usize>,
175     sanitizers: Option<bool>,
176     profiler: Option<bool>,
177     openssl_static: Option<bool>,
178 }
179
180 /// TOML representation of various global install decisions.
181 #[derive(Deserialize, Default, Clone)]
182 #[serde(deny_unknown_fields, rename_all = "kebab-case")]
183 struct Install {
184     prefix: Option<String>,
185     sysconfdir: Option<String>,
186     docdir: Option<String>,
187     bindir: Option<String>,
188     libdir: Option<String>,
189     mandir: Option<String>,
190 }
191
192 /// TOML representation of how the LLVM build is configured.
193 #[derive(Deserialize, Default)]
194 #[serde(deny_unknown_fields, rename_all = "kebab-case")]
195 struct Llvm {
196     enabled: Option<bool>,
197     ccache: Option<StringOrBool>,
198     ninja: Option<bool>,
199     assertions: Option<bool>,
200     optimize: Option<bool>,
201     release_debuginfo: Option<bool>,
202     version_check: Option<bool>,
203     static_libstdcpp: Option<bool>,
204     targets: Option<String>,
205     experimental_targets: Option<String>,
206     link_jobs: Option<u32>,
207 }
208
209 #[derive(Deserialize, Default, Clone)]
210 #[serde(deny_unknown_fields, rename_all = "kebab-case")]
211 struct Dist {
212     sign_folder: Option<String>,
213     gpg_password_file: Option<String>,
214     upload_addr: Option<String>,
215     src_tarball: Option<bool>,
216 }
217
218 #[derive(Deserialize)]
219 #[serde(untagged)]
220 enum StringOrBool {
221     String(String),
222     Bool(bool),
223 }
224
225 impl Default for StringOrBool {
226     fn default() -> StringOrBool {
227         StringOrBool::Bool(false)
228     }
229 }
230
231 /// TOML representation of how the Rust build is configured.
232 #[derive(Deserialize, Default)]
233 #[serde(deny_unknown_fields, rename_all = "kebab-case")]
234 struct Rust {
235     optimize: Option<bool>,
236     codegen_units: Option<u32>,
237     debug_assertions: Option<bool>,
238     debuginfo: Option<bool>,
239     debuginfo_lines: Option<bool>,
240     debuginfo_only_std: Option<bool>,
241     debug_jemalloc: Option<bool>,
242     use_jemalloc: Option<bool>,
243     backtrace: Option<bool>,
244     default_linker: Option<String>,
245     default_ar: Option<String>,
246     channel: Option<String>,
247     musl_root: Option<String>,
248     rpath: Option<bool>,
249     optimize_tests: Option<bool>,
250     debuginfo_tests: Option<bool>,
251     codegen_tests: Option<bool>,
252 }
253
254 /// TOML representation of how each build target is configured.
255 #[derive(Deserialize, Default)]
256 #[serde(deny_unknown_fields, rename_all = "kebab-case")]
257 struct TomlTarget {
258     llvm_config: Option<String>,
259     jemalloc: Option<String>,
260     cc: Option<String>,
261     cxx: Option<String>,
262     android_ndk: Option<String>,
263     musl_root: Option<String>,
264     qemu_rootfs: Option<String>,
265 }
266
267 impl Config {
268     pub fn parse(build: &str, file: Option<PathBuf>) -> Config {
269         let mut config = Config::default();
270         config.llvm_enabled = true;
271         config.llvm_optimize = true;
272         config.use_jemalloc = true;
273         config.backtrace = true;
274         config.rust_optimize = true;
275         config.rust_optimize_tests = true;
276         config.submodules = true;
277         config.docs = true;
278         config.rust_rpath = true;
279         config.rust_codegen_units = 1;
280         config.build = INTERNER.intern_str(build);
281         config.channel = "dev".to_string();
282         config.codegen_tests = true;
283         config.rust_dist_src = true;
284
285         let toml = file.map(|file| {
286             let mut f = t!(File::open(&file));
287             let mut contents = String::new();
288             t!(f.read_to_string(&mut contents));
289             match toml::from_str(&contents) {
290                 Ok(table) => table,
291                 Err(err) => {
292                     println!("failed to parse TOML configuration '{}': {}",
293                         file.display(), err);
294                     process::exit(2);
295                 }
296             }
297         }).unwrap_or_else(|| TomlConfig::default());
298
299         let build = toml.build.clone().unwrap_or(Build::default());
300         set(&mut config.build, build.build.clone().map(|x| INTERNER.intern_string(x)));
301         config.host.push(config.build.clone());
302         for host in build.host.iter() {
303             let host = INTERNER.intern_str(host);
304             if !config.host.contains(&host) {
305                 config.host.push(host);
306             }
307         }
308         for target in config.host.iter().cloned()
309             .chain(build.target.iter().map(|s| INTERNER.intern_str(s)))
310         {
311             if !config.target.contains(&target) {
312                 config.target.push(target);
313             }
314         }
315         config.nodejs = build.nodejs.map(PathBuf::from);
316         config.gdb = build.gdb.map(PathBuf::from);
317         config.python = build.python.map(PathBuf::from);
318         set(&mut config.low_priority, build.low_priority);
319         set(&mut config.compiler_docs, build.compiler_docs);
320         set(&mut config.docs, build.docs);
321         set(&mut config.submodules, build.submodules);
322         set(&mut config.locked_deps, build.locked_deps);
323         set(&mut config.vendor, build.vendor);
324         set(&mut config.full_bootstrap, build.full_bootstrap);
325         set(&mut config.extended, build.extended);
326         set(&mut config.verbose, build.verbose);
327         set(&mut config.sanitizers, build.sanitizers);
328         set(&mut config.profiler, build.profiler);
329         set(&mut config.openssl_static, build.openssl_static);
330
331         if let Some(ref install) = toml.install {
332             config.prefix = install.prefix.clone().map(PathBuf::from);
333             config.sysconfdir = install.sysconfdir.clone().map(PathBuf::from);
334             config.docdir = install.docdir.clone().map(PathBuf::from);
335             config.bindir = install.bindir.clone().map(PathBuf::from);
336             config.libdir = install.libdir.clone().map(PathBuf::from);
337             config.mandir = install.mandir.clone().map(PathBuf::from);
338         }
339
340         if let Some(ref llvm) = toml.llvm {
341             match llvm.ccache {
342                 Some(StringOrBool::String(ref s)) => {
343                     config.ccache = Some(s.to_string())
344                 }
345                 Some(StringOrBool::Bool(true)) => {
346                     config.ccache = Some("ccache".to_string());
347                 }
348                 Some(StringOrBool::Bool(false)) | None => {}
349             }
350             set(&mut config.ninja, llvm.ninja);
351             set(&mut config.llvm_enabled, llvm.enabled);
352             set(&mut config.llvm_assertions, llvm.assertions);
353             set(&mut config.llvm_optimize, llvm.optimize);
354             set(&mut config.llvm_release_debuginfo, llvm.release_debuginfo);
355             set(&mut config.llvm_version_check, llvm.version_check);
356             set(&mut config.llvm_static_stdcpp, llvm.static_libstdcpp);
357             config.llvm_targets = llvm.targets.clone();
358             config.llvm_experimental_targets = llvm.experimental_targets.clone();
359             config.llvm_link_jobs = llvm.link_jobs;
360         }
361
362         if let Some(ref rust) = toml.rust {
363             set(&mut config.rust_debug_assertions, rust.debug_assertions);
364             set(&mut config.rust_debuginfo, rust.debuginfo);
365             set(&mut config.rust_debuginfo_lines, rust.debuginfo_lines);
366             set(&mut config.rust_debuginfo_only_std, rust.debuginfo_only_std);
367             set(&mut config.rust_optimize, rust.optimize);
368             set(&mut config.rust_optimize_tests, rust.optimize_tests);
369             set(&mut config.rust_debuginfo_tests, rust.debuginfo_tests);
370             set(&mut config.codegen_tests, rust.codegen_tests);
371             set(&mut config.rust_rpath, rust.rpath);
372             set(&mut config.debug_jemalloc, rust.debug_jemalloc);
373             set(&mut config.use_jemalloc, rust.use_jemalloc);
374             set(&mut config.backtrace, rust.backtrace);
375             set(&mut config.channel, rust.channel.clone());
376             config.rustc_default_linker = rust.default_linker.clone();
377             config.rustc_default_ar = rust.default_ar.clone();
378             config.musl_root = rust.musl_root.clone().map(PathBuf::from);
379
380             match rust.codegen_units {
381                 Some(0) => config.rust_codegen_units = num_cpus::get() as u32,
382                 Some(n) => config.rust_codegen_units = n,
383                 None => {}
384             }
385         }
386
387         if let Some(ref t) = toml.target {
388             for (triple, cfg) in t {
389                 let mut target = Target::default();
390
391                 if let Some(ref s) = cfg.llvm_config {
392                     target.llvm_config = Some(env::current_dir().unwrap().join(s));
393                 }
394                 if let Some(ref s) = cfg.jemalloc {
395                     target.jemalloc = Some(env::current_dir().unwrap().join(s));
396                 }
397                 if let Some(ref s) = cfg.android_ndk {
398                     target.ndk = Some(env::current_dir().unwrap().join(s));
399                 }
400                 target.cxx = cfg.cxx.clone().map(PathBuf::from);
401                 target.cc = cfg.cc.clone().map(PathBuf::from);
402                 target.musl_root = cfg.musl_root.clone().map(PathBuf::from);
403                 target.qemu_rootfs = cfg.qemu_rootfs.clone().map(PathBuf::from);
404
405                 config.target_config.insert(INTERNER.intern_string(triple.clone()), target);
406             }
407         }
408
409         if let Some(ref t) = toml.dist {
410             config.dist_sign_folder = t.sign_folder.clone().map(PathBuf::from);
411             config.dist_gpg_password_file = t.gpg_password_file.clone().map(PathBuf::from);
412             config.dist_upload_addr = t.upload_addr.clone();
413             set(&mut config.rust_dist_src, t.src_tarball);
414         }
415
416         let cwd = t!(env::current_dir());
417         let out = cwd.join("build");
418
419         let stage0_root = out.join(&config.build).join("stage0/bin");
420         config.initial_rustc = match build.rustc {
421             Some(s) => PathBuf::from(s),
422             None => stage0_root.join(exe("rustc", &config.build)),
423         };
424         config.initial_cargo = match build.cargo {
425             Some(s) => PathBuf::from(s),
426             None => stage0_root.join(exe("cargo", &config.build)),
427         };
428
429         // compat with `./configure` while we're still using that
430         if fs::metadata("config.mk").is_ok() {
431             config.update_with_config_mk();
432         }
433
434         config
435     }
436
437     /// "Temporary" routine to parse `config.mk` into this configuration.
438     ///
439     /// While we still have `./configure` this implements the ability to decode
440     /// that configuration into this. This isn't exactly a full-blown makefile
441     /// parser, but hey it gets the job done!
442     fn update_with_config_mk(&mut self) {
443         let mut config = String::new();
444         File::open("config.mk").unwrap().read_to_string(&mut config).unwrap();
445         for line in config.lines() {
446             let mut parts = line.splitn(2, ":=").map(|s| s.trim());
447             let key = parts.next().unwrap();
448             let value = match parts.next() {
449                 Some(n) if n.starts_with('\"') => &n[1..n.len() - 1],
450                 Some(n) => n,
451                 None => continue
452             };
453
454             macro_rules! check {
455                 ($(($name:expr, $val:expr),)*) => {
456                     if value == "1" {
457                         $(
458                             if key == concat!("CFG_ENABLE_", $name) {
459                                 $val = true;
460                                 continue
461                             }
462                             if key == concat!("CFG_DISABLE_", $name) {
463                                 $val = false;
464                                 continue
465                             }
466                         )*
467                     }
468                 }
469             }
470
471             check! {
472                 ("MANAGE_SUBMODULES", self.submodules),
473                 ("COMPILER_DOCS", self.compiler_docs),
474                 ("DOCS", self.docs),
475                 ("LLVM_ASSERTIONS", self.llvm_assertions),
476                 ("LLVM_RELEASE_DEBUGINFO", self.llvm_release_debuginfo),
477                 ("OPTIMIZE_LLVM", self.llvm_optimize),
478                 ("LLVM_VERSION_CHECK", self.llvm_version_check),
479                 ("LLVM_STATIC_STDCPP", self.llvm_static_stdcpp),
480                 ("LLVM_LINK_SHARED", self.llvm_link_shared),
481                 ("OPTIMIZE", self.rust_optimize),
482                 ("DEBUG_ASSERTIONS", self.rust_debug_assertions),
483                 ("DEBUGINFO", self.rust_debuginfo),
484                 ("DEBUGINFO_LINES", self.rust_debuginfo_lines),
485                 ("DEBUGINFO_ONLY_STD", self.rust_debuginfo_only_std),
486                 ("JEMALLOC", self.use_jemalloc),
487                 ("DEBUG_JEMALLOC", self.debug_jemalloc),
488                 ("RPATH", self.rust_rpath),
489                 ("OPTIMIZE_TESTS", self.rust_optimize_tests),
490                 ("DEBUGINFO_TESTS", self.rust_debuginfo_tests),
491                 ("QUIET_TESTS", self.quiet_tests),
492                 ("LOCAL_REBUILD", self.local_rebuild),
493                 ("NINJA", self.ninja),
494                 ("CODEGEN_TESTS", self.codegen_tests),
495                 ("LOCKED_DEPS", self.locked_deps),
496                 ("VENDOR", self.vendor),
497                 ("FULL_BOOTSTRAP", self.full_bootstrap),
498                 ("EXTENDED", self.extended),
499                 ("SANITIZERS", self.sanitizers),
500                 ("PROFILER", self.profiler),
501                 ("DIST_SRC", self.rust_dist_src),
502                 ("CARGO_OPENSSL_STATIC", self.openssl_static),
503             }
504
505             match key {
506                 "CFG_BUILD" if value.len() > 0 => self.build = INTERNER.intern_str(value),
507                 "CFG_HOST" if value.len() > 0 => {
508                     self.host.extend(value.split(" ").map(|s| INTERNER.intern_str(s)));
509
510                 }
511                 "CFG_TARGET" if value.len() > 0 => {
512                     self.target.extend(value.split(" ").map(|s| INTERNER.intern_str(s)));
513                 }
514                 "CFG_EXPERIMENTAL_TARGETS" if value.len() > 0 => {
515                     self.llvm_experimental_targets = Some(value.to_string());
516                 }
517                 "CFG_MUSL_ROOT" if value.len() > 0 => {
518                     self.musl_root = Some(parse_configure_path(value));
519                 }
520                 "CFG_MUSL_ROOT_X86_64" if value.len() > 0 => {
521                     let target = INTERNER.intern_str("x86_64-unknown-linux-musl");
522                     let target = self.target_config.entry(target).or_insert(Target::default());
523                     target.musl_root = Some(parse_configure_path(value));
524                 }
525                 "CFG_MUSL_ROOT_I686" if value.len() > 0 => {
526                     let target = INTERNER.intern_str("i686-unknown-linux-musl");
527                     let target = self.target_config.entry(target).or_insert(Target::default());
528                     target.musl_root = Some(parse_configure_path(value));
529                 }
530                 "CFG_MUSL_ROOT_ARM" if value.len() > 0 => {
531                     let target = INTERNER.intern_str("arm-unknown-linux-musleabi");
532                     let target = self.target_config.entry(target).or_insert(Target::default());
533                     target.musl_root = Some(parse_configure_path(value));
534                 }
535                 "CFG_MUSL_ROOT_ARMHF" if value.len() > 0 => {
536                     let target = INTERNER.intern_str("arm-unknown-linux-musleabihf");
537                     let target = self.target_config.entry(target).or_insert(Target::default());
538                     target.musl_root = Some(parse_configure_path(value));
539                 }
540                 "CFG_MUSL_ROOT_ARMV7" if value.len() > 0 => {
541                     let target = INTERNER.intern_str("armv7-unknown-linux-musleabihf");
542                     let target = self.target_config.entry(target).or_insert(Target::default());
543                     target.musl_root = Some(parse_configure_path(value));
544                 }
545                 "CFG_DEFAULT_AR" if value.len() > 0 => {
546                     self.rustc_default_ar = Some(value.to_string());
547                 }
548                 "CFG_DEFAULT_LINKER" if value.len() > 0 => {
549                     self.rustc_default_linker = Some(value.to_string());
550                 }
551                 "CFG_GDB" if value.len() > 0 => {
552                     self.gdb = Some(parse_configure_path(value));
553                 }
554                 "CFG_RELEASE_CHANNEL" => {
555                     self.channel = value.to_string();
556                 }
557                 "CFG_PREFIX" => {
558                     self.prefix = Some(PathBuf::from(value));
559                 }
560                 "CFG_SYSCONFDIR" => {
561                     self.sysconfdir = Some(PathBuf::from(value));
562                 }
563                 "CFG_DOCDIR" => {
564                     self.docdir = Some(PathBuf::from(value));
565                 }
566                 "CFG_BINDIR" => {
567                     self.bindir = Some(PathBuf::from(value));
568                 }
569                 "CFG_LIBDIR" => {
570                     self.libdir = Some(PathBuf::from(value));
571                 }
572                 "CFG_LIBDIR_RELATIVE" => {
573                     self.libdir_relative = Some(PathBuf::from(value));
574                 }
575                 "CFG_MANDIR" => {
576                     self.mandir = Some(PathBuf::from(value));
577                 }
578                 "CFG_LLVM_ROOT" if value.len() > 0 => {
579                     let target = self.target_config.entry(self.build.clone())
580                                      .or_insert(Target::default());
581                     let root = parse_configure_path(value);
582                     target.llvm_config = Some(push_exe_path(root, &["bin", "llvm-config"]));
583                 }
584                 "CFG_JEMALLOC_ROOT" if value.len() > 0 => {
585                     let target = self.target_config.entry(self.build.clone())
586                                      .or_insert(Target::default());
587                     target.jemalloc = Some(parse_configure_path(value).join("libjemalloc_pic.a"));
588                 }
589                 "CFG_ARM_LINUX_ANDROIDEABI_NDK" if value.len() > 0 => {
590                     let target = INTERNER.intern_str("arm-linux-androideabi");
591                     let target = self.target_config.entry(target).or_insert(Target::default());
592                     target.ndk = Some(parse_configure_path(value));
593                 }
594                 "CFG_ARMV7_LINUX_ANDROIDEABI_NDK" if value.len() > 0 => {
595                     let target = INTERNER.intern_str("armv7-linux-androideabi");
596                     let target = self.target_config.entry(target).or_insert(Target::default());
597                     target.ndk = Some(parse_configure_path(value));
598                 }
599                 "CFG_I686_LINUX_ANDROID_NDK" if value.len() > 0 => {
600                     let target = INTERNER.intern_str("i686-linux-android");
601                     let target = self.target_config.entry(target).or_insert(Target::default());
602                     target.ndk = Some(parse_configure_path(value));
603                 }
604                 "CFG_AARCH64_LINUX_ANDROID_NDK" if value.len() > 0 => {
605                     let target = INTERNER.intern_str("aarch64-linux-android");
606                     let target = self.target_config.entry(target).or_insert(Target::default());
607                     target.ndk = Some(parse_configure_path(value));
608                 }
609                 "CFG_X86_64_LINUX_ANDROID_NDK" if value.len() > 0 => {
610                     let target = INTERNER.intern_str("x86_64-linux-android");
611                     let target = self.target_config.entry(target).or_insert(Target::default());
612                     target.ndk = Some(parse_configure_path(value));
613                 }
614                 "CFG_LOCAL_RUST_ROOT" if value.len() > 0 => {
615                     let path = parse_configure_path(value);
616                     self.initial_rustc = push_exe_path(path.clone(), &["bin", "rustc"]);
617                     self.initial_cargo = push_exe_path(path, &["bin", "cargo"]);
618                 }
619                 "CFG_PYTHON" if value.len() > 0 => {
620                     let path = parse_configure_path(value);
621                     self.python = Some(path);
622                 }
623                 "CFG_ENABLE_CCACHE" if value == "1" => {
624                     self.ccache = Some(exe("ccache", &self.build));
625                 }
626                 "CFG_ENABLE_SCCACHE" if value == "1" => {
627                     self.ccache = Some(exe("sccache", &self.build));
628                 }
629                 "CFG_CONFIGURE_ARGS" if value.len() > 0 => {
630                     self.configure_args = value.split_whitespace()
631                                                .map(|s| s.to_string())
632                                                .collect();
633                 }
634                 "CFG_QEMU_ARMHF_ROOTFS" if value.len() > 0 => {
635                     let target = INTERNER.intern_str("arm-unknown-linux-gnueabihf");
636                     let target = self.target_config.entry(target).or_insert(Target::default());
637                     target.qemu_rootfs = Some(parse_configure_path(value));
638                 }
639                 "CFG_QEMU_AARCH64_ROOTFS" if value.len() > 0 => {
640                     let target = INTERNER.intern_str("aarch64-unknown-linux-gnu");
641                     let target = self.target_config.entry(target).or_insert(Target::default());
642                     target.qemu_rootfs = Some(parse_configure_path(value));
643                 }
644                 _ => {}
645             }
646         }
647     }
648
649     pub fn verbose(&self) -> bool {
650         self.verbose > 0
651     }
652
653     pub fn very_verbose(&self) -> bool {
654         self.verbose > 1
655     }
656 }
657
658 #[cfg(not(windows))]
659 fn parse_configure_path(path: &str) -> PathBuf {
660     path.into()
661 }
662
663 #[cfg(windows)]
664 fn parse_configure_path(path: &str) -> PathBuf {
665     // on windows, configure produces unix style paths e.g. /c/some/path but we
666     // only want real windows paths
667
668     use std::process::Command;
669     use build_helper;
670
671     // '/' is invalid in windows paths, so we can detect unix paths by the presence of it
672     if !path.contains('/') {
673         return path.into();
674     }
675
676     let win_path = build_helper::output(Command::new("cygpath").arg("-w").arg(path));
677     let win_path = win_path.trim();
678
679     win_path.into()
680 }
681
682 fn set<T>(field: &mut T, val: Option<T>) {
683     if let Some(v) = val {
684         *field = v;
685     }
686 }