]> git.lizzy.rs Git - rust.git/blob - src/librustc_target/spec/mod.rs
Auto merge of #56951 - oli-obk:auto_toolstate_issue, r=kennytm
[rust.git] / src / librustc_target / spec / mod.rs
1 //! [Flexible target specification.](https://github.com/rust-lang/rfcs/pull/131)
2 //!
3 //! Rust targets a wide variety of usecases, and in the interest of flexibility,
4 //! allows new target triples to be defined in configuration files. Most users
5 //! will not need to care about these, but this is invaluable when porting Rust
6 //! to a new platform, and allows for an unprecedented level of control over how
7 //! the compiler works.
8 //!
9 //! # Using custom targets
10 //!
11 //! A target triple, as passed via `rustc --target=TRIPLE`, will first be
12 //! compared against the list of built-in targets. This is to ease distributing
13 //! rustc (no need for configuration files) and also to hold these built-in
14 //! targets as immutable and sacred. If `TRIPLE` is not one of the built-in
15 //! targets, rustc will check if a file named `TRIPLE` exists. If it does, it
16 //! will be loaded as the target configuration. If the file does not exist,
17 //! rustc will search each directory in the environment variable
18 //! `RUST_TARGET_PATH` for a file named `TRIPLE.json`. The first one found will
19 //! be loaded. If no file is found in any of those directories, a fatal error
20 //! will be given.
21 //!
22 //! Projects defining their own targets should use
23 //! `--target=path/to/my-awesome-platform.json` instead of adding to
24 //! `RUST_TARGET_PATH`.
25 //!
26 //! # Defining a new target
27 //!
28 //! Targets are defined using [JSON](http://json.org/). The `Target` struct in
29 //! this module defines the format the JSON file should take, though each
30 //! underscore in the field names should be replaced with a hyphen (`-`) in the
31 //! JSON file. Some fields are required in every target specification, such as
32 //! `llvm-target`, `target-endian`, `target-pointer-width`, `data-layout`,
33 //! `arch`, and `os`. In general, options passed to rustc with `-C` override
34 //! the target's settings, though `target-feature` and `link-args` will *add*
35 //! to the list specified by the target, rather than replace.
36
37 use serialize::json::{Json, ToJson};
38 use std::collections::BTreeMap;
39 use std::default::Default;
40 use std::{fmt, io};
41 use std::path::{Path, PathBuf};
42 use std::str::FromStr;
43 use crate::spec::abi::{Abi, lookup as lookup_abi};
44
45 pub mod abi;
46 mod android_base;
47 mod apple_base;
48 mod apple_ios_base;
49 mod arm_base;
50 mod bitrig_base;
51 mod cloudabi_base;
52 mod dragonfly_base;
53 mod freebsd_base;
54 mod haiku_base;
55 mod hermit_base;
56 mod linux_base;
57 mod linux_musl_base;
58 mod openbsd_base;
59 mod netbsd_base;
60 mod solaris_base;
61 mod uefi_base;
62 mod windows_base;
63 mod windows_msvc_base;
64 mod thumb_base;
65 mod l4re_base;
66 mod fuchsia_base;
67 mod redox_base;
68 mod riscv_base;
69
70 #[derive(Clone, Copy, Debug, Eq, Ord, PartialEq, PartialOrd, Hash,
71          RustcEncodable, RustcDecodable)]
72 pub enum LinkerFlavor {
73     Em,
74     Gcc,
75     Ld,
76     Msvc,
77     Lld(LldFlavor),
78     PtxLinker,
79 }
80
81 #[derive(Clone, Copy, Debug, Eq, Ord, PartialEq, PartialOrd, Hash,
82          RustcEncodable, RustcDecodable)]
83 pub enum LldFlavor {
84     Wasm,
85     Ld64,
86     Ld,
87     Link,
88 }
89
90 impl LldFlavor {
91     fn from_str(s: &str) -> Option<Self> {
92         Some(match s {
93             "darwin" => LldFlavor::Ld64,
94             "gnu" => LldFlavor::Ld,
95             "link" => LldFlavor::Link,
96             "wasm" => LldFlavor::Wasm,
97             _ => return None,
98         })
99     }
100 }
101
102 impl ToJson for LldFlavor {
103     fn to_json(&self) -> Json {
104         match *self {
105             LldFlavor::Ld64 => "darwin",
106             LldFlavor::Ld => "gnu",
107             LldFlavor::Link => "link",
108             LldFlavor::Wasm => "wasm",
109         }.to_json()
110     }
111 }
112
113 impl ToJson for LinkerFlavor {
114     fn to_json(&self) -> Json {
115         self.desc().to_json()
116     }
117 }
118 macro_rules! flavor_mappings {
119     ($((($($flavor:tt)*), $string:expr),)*) => (
120         impl LinkerFlavor {
121             pub const fn one_of() -> &'static str {
122                 concat!("one of: ", $($string, " ",)+)
123             }
124
125             pub fn from_str(s: &str) -> Option<Self> {
126                 Some(match s {
127                     $($string => $($flavor)*,)+
128                     _ => return None,
129                 })
130             }
131
132             pub fn desc(&self) -> &str {
133                 match *self {
134                     $($($flavor)* => $string,)+
135                 }
136             }
137         }
138     )
139 }
140
141
142 flavor_mappings! {
143     ((LinkerFlavor::Em), "em"),
144     ((LinkerFlavor::Gcc), "gcc"),
145     ((LinkerFlavor::Ld), "ld"),
146     ((LinkerFlavor::Msvc), "msvc"),
147     ((LinkerFlavor::PtxLinker), "ptx-linker"),
148     ((LinkerFlavor::Lld(LldFlavor::Wasm)), "wasm-ld"),
149     ((LinkerFlavor::Lld(LldFlavor::Ld64)), "ld64.lld"),
150     ((LinkerFlavor::Lld(LldFlavor::Ld)), "ld.lld"),
151     ((LinkerFlavor::Lld(LldFlavor::Link)), "lld-link"),
152 }
153
154 #[derive(Clone, Copy, Debug, PartialEq, Hash, RustcEncodable, RustcDecodable)]
155 pub enum PanicStrategy {
156     Unwind,
157     Abort,
158 }
159
160 impl PanicStrategy {
161     pub fn desc(&self) -> &str {
162         match *self {
163             PanicStrategy::Unwind => "unwind",
164             PanicStrategy::Abort => "abort",
165         }
166     }
167 }
168
169 impl ToJson for PanicStrategy {
170     fn to_json(&self) -> Json {
171         match *self {
172             PanicStrategy::Abort => "abort".to_json(),
173             PanicStrategy::Unwind => "unwind".to_json(),
174         }
175     }
176 }
177
178 #[derive(Clone, Copy, Debug, PartialEq, Hash, RustcEncodable, RustcDecodable)]
179 pub enum RelroLevel {
180     Full,
181     Partial,
182     Off,
183     None,
184 }
185
186 impl RelroLevel {
187     pub fn desc(&self) -> &str {
188         match *self {
189             RelroLevel::Full => "full",
190             RelroLevel::Partial => "partial",
191             RelroLevel::Off => "off",
192             RelroLevel::None => "none",
193         }
194     }
195 }
196
197 impl FromStr for RelroLevel {
198     type Err = ();
199
200     fn from_str(s: &str) -> Result<RelroLevel, ()> {
201         match s {
202             "full" => Ok(RelroLevel::Full),
203             "partial" => Ok(RelroLevel::Partial),
204             "off" => Ok(RelroLevel::Off),
205             "none" => Ok(RelroLevel::None),
206             _ => Err(()),
207         }
208     }
209 }
210
211 impl ToJson for RelroLevel {
212     fn to_json(&self) -> Json {
213         match *self {
214             RelroLevel::Full => "full".to_json(),
215             RelroLevel::Partial => "partial".to_json(),
216             RelroLevel::Off => "off".to_json(),
217             RelroLevel::None => "None".to_json(),
218         }
219     }
220 }
221
222 #[derive(Clone, Copy, Debug, PartialEq, Hash, RustcEncodable, RustcDecodable)]
223 pub enum MergeFunctions {
224     Disabled,
225     Trampolines,
226     Aliases
227 }
228
229 impl MergeFunctions {
230     pub fn desc(&self) -> &str {
231         match *self {
232             MergeFunctions::Disabled => "disabled",
233             MergeFunctions::Trampolines => "trampolines",
234             MergeFunctions::Aliases => "aliases",
235         }
236     }
237 }
238
239 impl FromStr for MergeFunctions {
240     type Err = ();
241
242     fn from_str(s: &str) -> Result<MergeFunctions, ()> {
243         match s {
244             "disabled" => Ok(MergeFunctions::Disabled),
245             "trampolines" => Ok(MergeFunctions::Trampolines),
246             "aliases" => Ok(MergeFunctions::Aliases),
247             _ => Err(()),
248         }
249     }
250 }
251
252 impl ToJson for MergeFunctions {
253     fn to_json(&self) -> Json {
254         match *self {
255             MergeFunctions::Disabled => "disabled".to_json(),
256             MergeFunctions::Trampolines => "trampolines".to_json(),
257             MergeFunctions::Aliases => "aliases".to_json(),
258         }
259     }
260 }
261
262 pub type LinkArgs = BTreeMap<LinkerFlavor, Vec<String>>;
263 pub type TargetResult = Result<Target, String>;
264
265 macro_rules! supported_targets {
266     ( $(($triple:expr, $module:ident),)+ ) => (
267         $(mod $module;)*
268
269         /// List of supported targets
270         const TARGETS: &[&str] = &[$($triple),*];
271
272         fn load_specific(target: &str) -> TargetResult {
273             match target {
274                 $(
275                     $triple => {
276                         let mut t = $module::target()?;
277                         t.options.is_builtin = true;
278
279                         // round-trip through the JSON parser to ensure at
280                         // run-time that the parser works correctly
281                         t = Target::from_json(t.to_json())?;
282                         debug!("Got builtin target: {:?}", t);
283                         Ok(t)
284                     },
285                 )+
286                 _ => Err(format!("Unable to find target: {}", target))
287             }
288         }
289
290         pub fn get_targets() -> impl Iterator<Item = String> {
291             TARGETS.iter().filter_map(|t| -> Option<String> {
292                 load_specific(t)
293                     .and(Ok(t.to_string()))
294                     .ok()
295             })
296         }
297
298         #[cfg(test)]
299         mod test_json_encode_decode {
300             use serialize::json::ToJson;
301             use super::Target;
302             $(use super::$module;)*
303
304             $(
305                 #[test]
306                 fn $module() {
307                     // Grab the TargetResult struct. If we successfully retrieved
308                     // a Target, then the test JSON encoding/decoding can run for this
309                     // Target on this testing platform (i.e., checking the iOS targets
310                     // only on a Mac test platform).
311                     let _ = $module::target().map(|original| {
312                         let as_json = original.to_json();
313                         let parsed = Target::from_json(as_json).unwrap();
314                         assert_eq!(original, parsed);
315                     });
316                 }
317             )*
318         }
319     )
320 }
321
322 supported_targets! {
323     ("x86_64-unknown-linux-gnu", x86_64_unknown_linux_gnu),
324     ("x86_64-unknown-linux-gnux32", x86_64_unknown_linux_gnux32),
325     ("i686-unknown-linux-gnu", i686_unknown_linux_gnu),
326     ("i586-unknown-linux-gnu", i586_unknown_linux_gnu),
327     ("mips-unknown-linux-gnu", mips_unknown_linux_gnu),
328     ("mips64-unknown-linux-gnuabi64", mips64_unknown_linux_gnuabi64),
329     ("mips64el-unknown-linux-gnuabi64", mips64el_unknown_linux_gnuabi64),
330     ("mipsel-unknown-linux-gnu", mipsel_unknown_linux_gnu),
331     ("powerpc-unknown-linux-gnu", powerpc_unknown_linux_gnu),
332     ("powerpc-unknown-linux-gnuspe", powerpc_unknown_linux_gnuspe),
333     ("powerpc-unknown-linux-musl", powerpc_unknown_linux_musl),
334     ("powerpc64-unknown-linux-gnu", powerpc64_unknown_linux_gnu),
335     ("powerpc64-unknown-linux-musl", powerpc64_unknown_linux_musl),
336     ("powerpc64le-unknown-linux-gnu", powerpc64le_unknown_linux_gnu),
337     ("powerpc64le-unknown-linux-musl", powerpc64le_unknown_linux_musl),
338     ("s390x-unknown-linux-gnu", s390x_unknown_linux_gnu),
339     ("sparc-unknown-linux-gnu", sparc_unknown_linux_gnu),
340     ("sparc64-unknown-linux-gnu", sparc64_unknown_linux_gnu),
341     ("arm-unknown-linux-gnueabi", arm_unknown_linux_gnueabi),
342     ("arm-unknown-linux-gnueabihf", arm_unknown_linux_gnueabihf),
343     ("arm-unknown-linux-musleabi", arm_unknown_linux_musleabi),
344     ("arm-unknown-linux-musleabihf", arm_unknown_linux_musleabihf),
345     ("armv4t-unknown-linux-gnueabi", armv4t_unknown_linux_gnueabi),
346     ("armv5te-unknown-linux-gnueabi", armv5te_unknown_linux_gnueabi),
347     ("armv5te-unknown-linux-musleabi", armv5te_unknown_linux_musleabi),
348     ("armv7-unknown-linux-gnueabihf", armv7_unknown_linux_gnueabihf),
349     ("thumbv7neon-unknown-linux-gnueabihf", thumbv7neon_unknown_linux_gnueabihf),
350     ("armv7-unknown-linux-musleabihf", armv7_unknown_linux_musleabihf),
351     ("aarch64-unknown-linux-gnu", aarch64_unknown_linux_gnu),
352
353     ("aarch64-unknown-linux-musl", aarch64_unknown_linux_musl),
354     ("x86_64-unknown-linux-musl", x86_64_unknown_linux_musl),
355     ("i686-unknown-linux-musl", i686_unknown_linux_musl),
356     ("i586-unknown-linux-musl", i586_unknown_linux_musl),
357     ("mips-unknown-linux-musl", mips_unknown_linux_musl),
358     ("mipsel-unknown-linux-musl", mipsel_unknown_linux_musl),
359
360     ("mips-unknown-linux-uclibc", mips_unknown_linux_uclibc),
361     ("mipsel-unknown-linux-uclibc", mipsel_unknown_linux_uclibc),
362
363     ("i686-linux-android", i686_linux_android),
364     ("x86_64-linux-android", x86_64_linux_android),
365     ("arm-linux-androideabi", arm_linux_androideabi),
366     ("armv7-linux-androideabi", armv7_linux_androideabi),
367     ("thumbv7neon-linux-androideabi", thumbv7neon_linux_androideabi),
368     ("aarch64-linux-android", aarch64_linux_android),
369
370     ("aarch64-unknown-freebsd", aarch64_unknown_freebsd),
371     ("i686-unknown-freebsd", i686_unknown_freebsd),
372     ("powerpc64-unknown-freebsd", powerpc64_unknown_freebsd),
373     ("x86_64-unknown-freebsd", x86_64_unknown_freebsd),
374
375     ("i686-unknown-dragonfly", i686_unknown_dragonfly),
376     ("x86_64-unknown-dragonfly", x86_64_unknown_dragonfly),
377
378     ("x86_64-unknown-bitrig", x86_64_unknown_bitrig),
379
380     ("aarch64-unknown-openbsd", aarch64_unknown_openbsd),
381     ("i686-unknown-openbsd", i686_unknown_openbsd),
382     ("x86_64-unknown-openbsd", x86_64_unknown_openbsd),
383
384     ("aarch64-unknown-netbsd", aarch64_unknown_netbsd),
385     ("armv6-unknown-netbsd-eabihf", armv6_unknown_netbsd_eabihf),
386     ("armv7-unknown-netbsd-eabihf", armv7_unknown_netbsd_eabihf),
387     ("i686-unknown-netbsd", i686_unknown_netbsd),
388     ("powerpc-unknown-netbsd", powerpc_unknown_netbsd),
389     ("sparc64-unknown-netbsd", sparc64_unknown_netbsd),
390     ("x86_64-unknown-netbsd", x86_64_unknown_netbsd),
391     ("x86_64-rumprun-netbsd", x86_64_rumprun_netbsd),
392
393     ("i686-unknown-haiku", i686_unknown_haiku),
394     ("x86_64-unknown-haiku", x86_64_unknown_haiku),
395
396     ("x86_64-apple-darwin", x86_64_apple_darwin),
397     ("i686-apple-darwin", i686_apple_darwin),
398
399     ("aarch64-fuchsia", aarch64_fuchsia),
400     ("x86_64-fuchsia", x86_64_fuchsia),
401
402     ("x86_64-unknown-l4re-uclibc", x86_64_unknown_l4re_uclibc),
403
404     ("x86_64-unknown-redox", x86_64_unknown_redox),
405
406     ("i386-apple-ios", i386_apple_ios),
407     ("x86_64-apple-ios", x86_64_apple_ios),
408     ("aarch64-apple-ios", aarch64_apple_ios),
409     ("armv7-apple-ios", armv7_apple_ios),
410     ("armv7s-apple-ios", armv7s_apple_ios),
411
412     ("armebv7r-none-eabi", armebv7r_none_eabi),
413     ("armebv7r-none-eabihf", armebv7r_none_eabihf),
414     ("armv7r-none-eabi", armv7r_none_eabi),
415     ("armv7r-none-eabihf", armv7r_none_eabihf),
416
417     ("x86_64-sun-solaris", x86_64_sun_solaris),
418     ("sparcv9-sun-solaris", sparcv9_sun_solaris),
419
420     ("x86_64-pc-windows-gnu", x86_64_pc_windows_gnu),
421     ("i686-pc-windows-gnu", i686_pc_windows_gnu),
422
423     ("aarch64-pc-windows-msvc", aarch64_pc_windows_msvc),
424     ("x86_64-pc-windows-msvc", x86_64_pc_windows_msvc),
425     ("i686-pc-windows-msvc", i686_pc_windows_msvc),
426     ("i586-pc-windows-msvc", i586_pc_windows_msvc),
427     ("thumbv7a-pc-windows-msvc", thumbv7a_pc_windows_msvc),
428
429     ("asmjs-unknown-emscripten", asmjs_unknown_emscripten),
430     ("wasm32-unknown-emscripten", wasm32_unknown_emscripten),
431     ("wasm32-unknown-unknown", wasm32_unknown_unknown),
432     ("wasm32-experimental-emscripten", wasm32_experimental_emscripten),
433
434     ("thumbv6m-none-eabi", thumbv6m_none_eabi),
435     ("thumbv7m-none-eabi", thumbv7m_none_eabi),
436     ("thumbv7em-none-eabi", thumbv7em_none_eabi),
437     ("thumbv7em-none-eabihf", thumbv7em_none_eabihf),
438     ("thumbv8m.base-none-eabi", thumbv8m_base_none_eabi),
439     ("thumbv8m.main-none-eabi", thumbv8m_main_none_eabi),
440     ("thumbv8m.main-none-eabihf", thumbv8m_main_none_eabihf),
441
442     ("msp430-none-elf", msp430_none_elf),
443
444     ("aarch64-unknown-cloudabi", aarch64_unknown_cloudabi),
445     ("armv7-unknown-cloudabi-eabihf", armv7_unknown_cloudabi_eabihf),
446     ("i686-unknown-cloudabi", i686_unknown_cloudabi),
447     ("x86_64-unknown-cloudabi", x86_64_unknown_cloudabi),
448
449     ("aarch64-unknown-hermit", aarch64_unknown_hermit),
450     ("x86_64-unknown-hermit", x86_64_unknown_hermit),
451
452     ("riscv32imc-unknown-none-elf", riscv32imc_unknown_none_elf),
453     ("riscv32imac-unknown-none-elf", riscv32imac_unknown_none_elf),
454
455     ("aarch64-unknown-none", aarch64_unknown_none),
456
457     ("x86_64-fortanix-unknown-sgx", x86_64_fortanix_unknown_sgx),
458
459     ("x86_64-unknown-uefi", x86_64_unknown_uefi),
460
461     ("nvptx64-nvidia-cuda", nvptx64_nvidia_cuda),
462 }
463
464 /// Everything `rustc` knows about how to compile for a specific target.
465 ///
466 /// Every field here must be specified, and has no default value.
467 #[derive(PartialEq, Clone, Debug)]
468 pub struct Target {
469     /// Target triple to pass to LLVM.
470     pub llvm_target: String,
471     /// String to use as the `target_endian` `cfg` variable.
472     pub target_endian: String,
473     /// String to use as the `target_pointer_width` `cfg` variable.
474     pub target_pointer_width: String,
475     /// Width of c_int type
476     pub target_c_int_width: String,
477     /// OS name to use for conditional compilation.
478     pub target_os: String,
479     /// Environment name to use for conditional compilation.
480     pub target_env: String,
481     /// Vendor name to use for conditional compilation.
482     pub target_vendor: String,
483     /// Architecture to use for ABI considerations. Valid options: "x86",
484     /// "x86_64", "arm", "aarch64", "mips", "powerpc", and "powerpc64".
485     pub arch: String,
486     /// [Data layout](http://llvm.org/docs/LangRef.html#data-layout) to pass to LLVM.
487     pub data_layout: String,
488     /// Linker flavor
489     pub linker_flavor: LinkerFlavor,
490     /// Optional settings with defaults.
491     pub options: TargetOptions,
492 }
493
494 pub trait HasTargetSpec {
495     fn target_spec(&self) -> &Target;
496 }
497
498 impl HasTargetSpec for Target {
499     fn target_spec(&self) -> &Target {
500         self
501     }
502 }
503
504 /// Optional aspects of a target specification.
505 ///
506 /// This has an implementation of `Default`, see each field for what the default is. In general,
507 /// these try to take "minimal defaults" that don't assume anything about the runtime they run in.
508 #[derive(PartialEq, Clone, Debug)]
509 pub struct TargetOptions {
510     /// Whether the target is built-in or loaded from a custom target specification.
511     pub is_builtin: bool,
512
513     /// Linker to invoke
514     pub linker: Option<String>,
515
516     /// LLD flavor
517     pub lld_flavor: LldFlavor,
518
519     /// Linker arguments that are passed *before* any user-defined libraries.
520     pub pre_link_args: LinkArgs, // ... unconditionally
521     pub pre_link_args_crt: LinkArgs, // ... when linking with a bundled crt
522     /// Objects to link before all others, always found within the
523     /// sysroot folder.
524     pub pre_link_objects_exe: Vec<String>, // ... when linking an executable, unconditionally
525     pub pre_link_objects_exe_crt: Vec<String>, // ... when linking an executable with a bundled crt
526     pub pre_link_objects_dll: Vec<String>, // ... when linking a dylib
527     /// Linker arguments that are unconditionally passed after any
528     /// user-defined but before post_link_objects. Standard platform
529     /// libraries that should be always be linked to, usually go here.
530     pub late_link_args: LinkArgs,
531     /// Objects to link after all others, always found within the
532     /// sysroot folder.
533     pub post_link_objects: Vec<String>, // ... unconditionally
534     pub post_link_objects_crt: Vec<String>, // ... when linking with a bundled crt
535     /// Linker arguments that are unconditionally passed *after* any
536     /// user-defined libraries.
537     pub post_link_args: LinkArgs,
538
539     /// Environment variables to be set before invoking the linker.
540     pub link_env: Vec<(String, String)>,
541
542     /// Extra arguments to pass to the external assembler (when used)
543     pub asm_args: Vec<String>,
544
545     /// Default CPU to pass to LLVM. Corresponds to `llc -mcpu=$cpu`. Defaults
546     /// to "generic".
547     pub cpu: String,
548     /// Default target features to pass to LLVM. These features will *always* be
549     /// passed, and cannot be disabled even via `-C`. Corresponds to `llc
550     /// -mattr=$features`.
551     pub features: String,
552     /// Whether dynamic linking is available on this target. Defaults to false.
553     pub dynamic_linking: bool,
554     /// If dynamic linking is available, whether only cdylibs are supported.
555     pub only_cdylib: bool,
556     /// Whether executables are available on this target. iOS, for example, only allows static
557     /// libraries. Defaults to false.
558     pub executables: bool,
559     /// Relocation model to use in object file. Corresponds to `llc
560     /// -relocation-model=$relocation_model`. Defaults to "pic".
561     pub relocation_model: String,
562     /// Code model to use. Corresponds to `llc -code-model=$code_model`.
563     pub code_model: Option<String>,
564     /// TLS model to use. Options are "global-dynamic" (default), "local-dynamic", "initial-exec"
565     /// and "local-exec". This is similar to the -ftls-model option in GCC/Clang.
566     pub tls_model: String,
567     /// Do not emit code that uses the "red zone", if the ABI has one. Defaults to false.
568     pub disable_redzone: bool,
569     /// Eliminate frame pointers from stack frames if possible. Defaults to true.
570     pub eliminate_frame_pointer: bool,
571     /// Emit each function in its own section. Defaults to true.
572     pub function_sections: bool,
573     /// String to prepend to the name of every dynamic library. Defaults to "lib".
574     pub dll_prefix: String,
575     /// String to append to the name of every dynamic library. Defaults to ".so".
576     pub dll_suffix: String,
577     /// String to append to the name of every executable.
578     pub exe_suffix: String,
579     /// String to prepend to the name of every static library. Defaults to "lib".
580     pub staticlib_prefix: String,
581     /// String to append to the name of every static library. Defaults to ".a".
582     pub staticlib_suffix: String,
583     /// OS family to use for conditional compilation. Valid options: "unix", "windows".
584     pub target_family: Option<String>,
585     /// Whether the target toolchain's ABI supports returning small structs as an integer.
586     pub abi_return_struct_as_int: bool,
587     /// Whether the target toolchain is like macOS's. Only useful for compiling against iOS/macOS,
588     /// in particular running dsymutil and some other stuff like `-dead_strip`. Defaults to false.
589     pub is_like_osx: bool,
590     /// Whether the target toolchain is like Solaris's.
591     /// Only useful for compiling against Illumos/Solaris,
592     /// as they have a different set of linker flags. Defaults to false.
593     pub is_like_solaris: bool,
594     /// Whether the target toolchain is like Windows'. Only useful for compiling against Windows,
595     /// only really used for figuring out how to find libraries, since Windows uses its own
596     /// library naming convention. Defaults to false.
597     pub is_like_windows: bool,
598     pub is_like_msvc: bool,
599     /// Whether the target toolchain is like Android's. Only useful for compiling against Android.
600     /// Defaults to false.
601     pub is_like_android: bool,
602     /// Whether the target toolchain is like Emscripten's. Only useful for compiling with
603     /// Emscripten toolchain.
604     /// Defaults to false.
605     pub is_like_emscripten: bool,
606     /// Whether the target toolchain is like Fuchsia's.
607     pub is_like_fuchsia: bool,
608     /// Whether the linker support GNU-like arguments such as -O. Defaults to false.
609     pub linker_is_gnu: bool,
610     /// The MinGW toolchain has a known issue that prevents it from correctly
611     /// handling COFF object files with more than 2<sup>15</sup> sections. Since each weak
612     /// symbol needs its own COMDAT section, weak linkage implies a large
613     /// number sections that easily exceeds the given limit for larger
614     /// codebases. Consequently we want a way to disallow weak linkage on some
615     /// platforms.
616     pub allows_weak_linkage: bool,
617     /// Whether the linker support rpaths or not. Defaults to false.
618     pub has_rpath: bool,
619     /// Whether to disable linking to the default libraries, typically corresponds
620     /// to `-nodefaultlibs`. Defaults to true.
621     pub no_default_libraries: bool,
622     /// Dynamically linked executables can be compiled as position independent
623     /// if the default relocation model of position independent code is not
624     /// changed. This is a requirement to take advantage of ASLR, as otherwise
625     /// the functions in the executable are not randomized and can be used
626     /// during an exploit of a vulnerability in any code.
627     pub position_independent_executables: bool,
628     /// Determines if the target always requires using the PLT for indirect
629     /// library calls or not. This controls the default value of the `-Z plt` flag.
630     pub needs_plt: bool,
631     /// Either partial, full, or off. Full RELRO makes the dynamic linker
632     /// resolve all symbols at startup and marks the GOT read-only before
633     /// starting the program, preventing overwriting the GOT.
634     pub relro_level: RelroLevel,
635     /// Format that archives should be emitted in. This affects whether we use
636     /// LLVM to assemble an archive or fall back to the system linker, and
637     /// currently only "gnu" is used to fall into LLVM. Unknown strings cause
638     /// the system linker to be used.
639     pub archive_format: String,
640     /// Is asm!() allowed? Defaults to true.
641     pub allow_asm: bool,
642     /// Whether the target uses a custom unwind resumption routine.
643     /// By default LLVM lowers `resume` instructions into calls to `_Unwind_Resume`
644     /// defined in libgcc. If this option is enabled, the target must provide
645     /// `eh_unwind_resume` lang item.
646     pub custom_unwind_resume: bool,
647
648     /// Flag indicating whether ELF TLS (e.g., #[thread_local]) is available for
649     /// this target.
650     pub has_elf_tls: bool,
651     // This is mainly for easy compatibility with emscripten.
652     // If we give emcc .o files that are actually .bc files it
653     // will 'just work'.
654     pub obj_is_bitcode: bool,
655
656     // LLVM can't produce object files for this target. Instead, we'll make LLVM
657     // emit assembly and then use `gcc` to turn that assembly into an object
658     // file
659     pub no_integrated_as: bool,
660
661     /// Don't use this field; instead use the `.min_atomic_width()` method.
662     pub min_atomic_width: Option<u64>,
663
664     /// Don't use this field; instead use the `.max_atomic_width()` method.
665     pub max_atomic_width: Option<u64>,
666
667     /// Whether the target supports atomic CAS operations natively
668     pub atomic_cas: bool,
669
670     /// Panic strategy: "unwind" or "abort"
671     pub panic_strategy: PanicStrategy,
672
673     /// A blacklist of ABIs unsupported by the current target. Note that generic
674     /// ABIs are considered to be supported on all platforms and cannot be blacklisted.
675     pub abi_blacklist: Vec<Abi>,
676
677     /// Whether or not linking dylibs to a static CRT is allowed.
678     pub crt_static_allows_dylibs: bool,
679     /// Whether or not the CRT is statically linked by default.
680     pub crt_static_default: bool,
681     /// Whether or not crt-static is respected by the compiler (or is a no-op).
682     pub crt_static_respected: bool,
683
684     /// Whether or not stack probes (__rust_probestack) are enabled
685     pub stack_probes: bool,
686
687     /// The minimum alignment for global symbols.
688     pub min_global_align: Option<u64>,
689
690     /// Default number of codegen units to use in debug mode
691     pub default_codegen_units: Option<u64>,
692
693     /// Whether to generate trap instructions in places where optimization would
694     /// otherwise produce control flow that falls through into unrelated memory.
695     pub trap_unreachable: bool,
696
697     /// This target requires everything to be compiled with LTO to emit a final
698     /// executable, aka there is no native linker for this target.
699     pub requires_lto: bool,
700
701     /// This target has no support for threads.
702     pub singlethread: bool,
703
704     /// Whether library functions call lowering/optimization is disabled in LLVM
705     /// for this target unconditionally.
706     pub no_builtins: bool,
707
708     /// Whether to lower 128-bit operations to compiler_builtins calls. Use if
709     /// your backend only supports 64-bit and smaller math.
710     pub i128_lowering: bool,
711
712     /// The codegen backend to use for this target, typically "llvm"
713     pub codegen_backend: String,
714
715     /// The default visibility for symbols in this target should be "hidden"
716     /// rather than "default"
717     pub default_hidden_visibility: bool,
718
719     /// Whether or not bitcode is embedded in object files
720     pub embed_bitcode: bool,
721
722     /// Whether a .debug_gdb_scripts section will be added to the output object file
723     pub emit_debug_gdb_scripts: bool,
724
725     /// Whether or not to unconditionally `uwtable` attributes on functions,
726     /// typically because the platform needs to unwind for things like stack
727     /// unwinders.
728     pub requires_uwtable: bool,
729
730     /// Whether or not SIMD types are passed by reference in the Rust ABI,
731     /// typically required if a target can be compiled with a mixed set of
732     /// target features. This is `true` by default, and `false` for targets like
733     /// wasm32 where the whole program either has simd or not.
734     pub simd_types_indirect: bool,
735
736     /// If set, have the linker export exactly these symbols, instead of using
737     /// the usual logic to figure this out from the crate itself.
738     pub override_export_symbols: Option<Vec<String>>,
739
740     /// Determines how or whether the MergeFunctions LLVM pass should run for
741     /// this target. Either "disabled", "trampolines", or "aliases".
742     /// The MergeFunctions pass is generally useful, but some targets may need
743     /// to opt out. The default is "aliases".
744     ///
745     /// Workaround for: https://github.com/rust-lang/rust/issues/57356
746     pub merge_functions: MergeFunctions
747 }
748
749 impl Default for TargetOptions {
750     /// Creates a set of "sane defaults" for any target. This is still
751     /// incomplete, and if used for compilation, will certainly not work.
752     fn default() -> TargetOptions {
753         TargetOptions {
754             is_builtin: false,
755             linker: option_env!("CFG_DEFAULT_LINKER").map(|s| s.to_string()),
756             lld_flavor: LldFlavor::Ld,
757             pre_link_args: LinkArgs::new(),
758             pre_link_args_crt: LinkArgs::new(),
759             post_link_args: LinkArgs::new(),
760             asm_args: Vec::new(),
761             cpu: "generic".to_string(),
762             features: String::new(),
763             dynamic_linking: false,
764             only_cdylib: false,
765             executables: false,
766             relocation_model: "pic".to_string(),
767             code_model: None,
768             tls_model: "global-dynamic".to_string(),
769             disable_redzone: false,
770             eliminate_frame_pointer: true,
771             function_sections: true,
772             dll_prefix: "lib".to_string(),
773             dll_suffix: ".so".to_string(),
774             exe_suffix: String::new(),
775             staticlib_prefix: "lib".to_string(),
776             staticlib_suffix: ".a".to_string(),
777             target_family: None,
778             abi_return_struct_as_int: false,
779             is_like_osx: false,
780             is_like_solaris: false,
781             is_like_windows: false,
782             is_like_android: false,
783             is_like_emscripten: false,
784             is_like_msvc: false,
785             is_like_fuchsia: false,
786             linker_is_gnu: false,
787             allows_weak_linkage: true,
788             has_rpath: false,
789             no_default_libraries: true,
790             position_independent_executables: false,
791             needs_plt: false,
792             relro_level: RelroLevel::None,
793             pre_link_objects_exe: Vec::new(),
794             pre_link_objects_exe_crt: Vec::new(),
795             pre_link_objects_dll: Vec::new(),
796             post_link_objects: Vec::new(),
797             post_link_objects_crt: Vec::new(),
798             late_link_args: LinkArgs::new(),
799             link_env: Vec::new(),
800             archive_format: "gnu".to_string(),
801             custom_unwind_resume: false,
802             allow_asm: true,
803             has_elf_tls: false,
804             obj_is_bitcode: false,
805             no_integrated_as: false,
806             min_atomic_width: None,
807             max_atomic_width: None,
808             atomic_cas: true,
809             panic_strategy: PanicStrategy::Unwind,
810             abi_blacklist: vec![],
811             crt_static_allows_dylibs: false,
812             crt_static_default: false,
813             crt_static_respected: false,
814             stack_probes: false,
815             min_global_align: None,
816             default_codegen_units: None,
817             trap_unreachable: true,
818             requires_lto: false,
819             singlethread: false,
820             no_builtins: false,
821             i128_lowering: false,
822             codegen_backend: "llvm".to_string(),
823             default_hidden_visibility: false,
824             embed_bitcode: false,
825             emit_debug_gdb_scripts: true,
826             requires_uwtable: false,
827             simd_types_indirect: true,
828             override_export_symbols: None,
829             merge_functions: MergeFunctions::Aliases,
830         }
831     }
832 }
833
834 impl Target {
835     /// Given a function ABI, turn it into the correct ABI for this target.
836     pub fn adjust_abi(&self, abi: Abi) -> Abi {
837         match abi {
838             Abi::System => {
839                 if self.options.is_like_windows && self.arch == "x86" {
840                     Abi::Stdcall
841                 } else {
842                     Abi::C
843                 }
844             },
845             // These ABI kinds are ignored on non-x86 Windows targets.
846             // See https://docs.microsoft.com/en-us/cpp/cpp/argument-passing-and-naming-conventions
847             // and the individual pages for __stdcall et al.
848             Abi::Stdcall | Abi::Fastcall | Abi::Vectorcall | Abi::Thiscall => {
849                 if self.options.is_like_windows && self.arch != "x86" {
850                     Abi::C
851                 } else {
852                     abi
853                 }
854             },
855             abi => abi
856         }
857     }
858
859     /// Minimum integer size in bits that this target can perform atomic
860     /// operations on.
861     pub fn min_atomic_width(&self) -> u64 {
862         self.options.min_atomic_width.unwrap_or(8)
863     }
864
865     /// Maximum integer size in bits that this target can perform atomic
866     /// operations on.
867     pub fn max_atomic_width(&self) -> u64 {
868         self.options.max_atomic_width.unwrap_or_else(|| self.target_pointer_width.parse().unwrap())
869     }
870
871     pub fn is_abi_supported(&self, abi: Abi) -> bool {
872         abi.generic() || !self.options.abi_blacklist.contains(&abi)
873     }
874
875     /// Loads a target descriptor from a JSON object.
876     pub fn from_json(obj: Json) -> TargetResult {
877         // While ugly, this code must remain this way to retain
878         // compatibility with existing JSON fields and the internal
879         // expected naming of the Target and TargetOptions structs.
880         // To ensure compatibility is retained, the built-in targets
881         // are round-tripped through this code to catch cases where
882         // the JSON parser is not updated to match the structs.
883
884         let get_req_field = |name: &str| {
885             obj.find(name)
886                .map(|s| s.as_string())
887                .and_then(|os| os.map(|s| s.to_string()))
888                .ok_or_else(|| format!("Field {} in target specification is required", name))
889         };
890
891         let get_opt_field = |name: &str, default: &str| {
892             obj.find(name).and_then(|s| s.as_string())
893                .map(|s| s.to_string())
894                .unwrap_or_else(|| default.to_string())
895         };
896
897         let mut base = Target {
898             llvm_target: get_req_field("llvm-target")?,
899             target_endian: get_req_field("target-endian")?,
900             target_pointer_width: get_req_field("target-pointer-width")?,
901             target_c_int_width: get_req_field("target-c-int-width")?,
902             data_layout: get_req_field("data-layout")?,
903             arch: get_req_field("arch")?,
904             target_os: get_req_field("os")?,
905             target_env: get_opt_field("env", ""),
906             target_vendor: get_opt_field("vendor", "unknown"),
907             linker_flavor: LinkerFlavor::from_str(&*get_req_field("linker-flavor")?)
908                 .ok_or_else(|| {
909                     format!("linker flavor must be {}", LinkerFlavor::one_of())
910                 })?,
911             options: Default::default(),
912         };
913
914         macro_rules! key {
915             ($key_name:ident) => ( {
916                 let name = (stringify!($key_name)).replace("_", "-");
917                 obj.find(&name[..]).map(|o| o.as_string()
918                                     .map(|s| base.options.$key_name = s.to_string()));
919             } );
920             ($key_name:ident, bool) => ( {
921                 let name = (stringify!($key_name)).replace("_", "-");
922                 obj.find(&name[..])
923                     .map(|o| o.as_boolean()
924                          .map(|s| base.options.$key_name = s));
925             } );
926             ($key_name:ident, Option<u64>) => ( {
927                 let name = (stringify!($key_name)).replace("_", "-");
928                 obj.find(&name[..])
929                     .map(|o| o.as_u64()
930                          .map(|s| base.options.$key_name = Some(s)));
931             } );
932             ($key_name:ident, MergeFunctions) => ( {
933                 let name = (stringify!($key_name)).replace("_", "-");
934                 obj.find(&name[..]).and_then(|o| o.as_string().and_then(|s| {
935                     match s.parse::<MergeFunctions>() {
936                         Ok(mergefunc) => base.options.$key_name = mergefunc,
937                         _ => return Some(Err(format!("'{}' is not a valid value for \
938                                                       merge-functions. Use 'disabled', \
939                                                       'trampolines', or 'aliases'.",
940                                                       s))),
941                     }
942                     Some(Ok(()))
943                 })).unwrap_or(Ok(()))
944             } );
945             ($key_name:ident, PanicStrategy) => ( {
946                 let name = (stringify!($key_name)).replace("_", "-");
947                 obj.find(&name[..]).and_then(|o| o.as_string().and_then(|s| {
948                     match s {
949                         "unwind" => base.options.$key_name = PanicStrategy::Unwind,
950                         "abort" => base.options.$key_name = PanicStrategy::Abort,
951                         _ => return Some(Err(format!("'{}' is not a valid value for \
952                                                       panic-strategy. Use 'unwind' or 'abort'.",
953                                                      s))),
954                 }
955                 Some(Ok(()))
956             })).unwrap_or(Ok(()))
957             } );
958             ($key_name:ident, RelroLevel) => ( {
959                 let name = (stringify!($key_name)).replace("_", "-");
960                 obj.find(&name[..]).and_then(|o| o.as_string().and_then(|s| {
961                     match s.parse::<RelroLevel>() {
962                         Ok(level) => base.options.$key_name = level,
963                         _ => return Some(Err(format!("'{}' is not a valid value for \
964                                                       relro-level. Use 'full', 'partial, or 'off'.",
965                                                       s))),
966                     }
967                     Some(Ok(()))
968                 })).unwrap_or(Ok(()))
969             } );
970             ($key_name:ident, list) => ( {
971                 let name = (stringify!($key_name)).replace("_", "-");
972                 obj.find(&name[..]).map(|o| o.as_array()
973                     .map(|v| base.options.$key_name = v.iter()
974                         .map(|a| a.as_string().unwrap().to_string()).collect()
975                         )
976                     );
977             } );
978             ($key_name:ident, opt_list) => ( {
979                 let name = (stringify!($key_name)).replace("_", "-");
980                 obj.find(&name[..]).map(|o| o.as_array()
981                     .map(|v| base.options.$key_name = Some(v.iter()
982                         .map(|a| a.as_string().unwrap().to_string()).collect())
983                         )
984                     );
985             } );
986             ($key_name:ident, optional) => ( {
987                 let name = (stringify!($key_name)).replace("_", "-");
988                 if let Some(o) = obj.find(&name[..]) {
989                     base.options.$key_name = o
990                         .as_string()
991                         .map(|s| s.to_string() );
992                 }
993             } );
994             ($key_name:ident, LldFlavor) => ( {
995                 let name = (stringify!($key_name)).replace("_", "-");
996                 obj.find(&name[..]).and_then(|o| o.as_string().and_then(|s| {
997                     if let Some(flavor) = LldFlavor::from_str(&s) {
998                         base.options.$key_name = flavor;
999                     } else {
1000                         return Some(Err(format!(
1001                             "'{}' is not a valid value for lld-flavor. \
1002                              Use 'darwin', 'gnu', 'link' or 'wasm.",
1003                             s)))
1004                     }
1005                     Some(Ok(()))
1006                 })).unwrap_or(Ok(()))
1007             } );
1008             ($key_name:ident, LinkerFlavor) => ( {
1009                 let name = (stringify!($key_name)).replace("_", "-");
1010                 obj.find(&name[..]).and_then(|o| o.as_string().map(|s| {
1011                     LinkerFlavor::from_str(&s).ok_or_else(|| {
1012                         Err(format!("'{}' is not a valid value for linker-flavor. \
1013                                      Use 'em', 'gcc', 'ld' or 'msvc.", s))
1014                     })
1015                 })).unwrap_or(Ok(()))
1016             } );
1017             ($key_name:ident, link_args) => ( {
1018                 let name = (stringify!($key_name)).replace("_", "-");
1019                 if let Some(val) = obj.find(&name[..]) {
1020                     let obj = val.as_object().ok_or_else(|| format!("{}: expected a \
1021                         JSON object with fields per linker-flavor.", name))?;
1022                     let mut args = LinkArgs::new();
1023                     for (k, v) in obj {
1024                         let flavor = LinkerFlavor::from_str(&k).ok_or_else(|| {
1025                             format!("{}: '{}' is not a valid value for linker-flavor. \
1026                                      Use 'em', 'gcc', 'ld' or 'msvc'", name, k)
1027                         })?;
1028
1029                         let v = v.as_array().ok_or_else(||
1030                             format!("{}.{}: expected a JSON array", name, k)
1031                         )?.iter().enumerate()
1032                             .map(|(i,s)| {
1033                                 let s = s.as_string().ok_or_else(||
1034                                     format!("{}.{}[{}]: expected a JSON string", name, k, i))?;
1035                                 Ok(s.to_owned())
1036                             })
1037                             .collect::<Result<Vec<_>, String>>()?;
1038
1039                         args.insert(flavor, v);
1040                     }
1041                     base.options.$key_name = args;
1042                 }
1043             } );
1044             ($key_name:ident, env) => ( {
1045                 let name = (stringify!($key_name)).replace("_", "-");
1046                 if let Some(a) = obj.find(&name[..]).and_then(|o| o.as_array()) {
1047                     for o in a {
1048                         if let Some(s) = o.as_string() {
1049                             let p = s.split('=').collect::<Vec<_>>();
1050                             if p.len() == 2 {
1051                                 let k = p[0].to_string();
1052                                 let v = p[1].to_string();
1053                                 base.options.$key_name.push((k, v));
1054                             }
1055                         }
1056                     }
1057                 }
1058             } );
1059         }
1060
1061         key!(is_builtin, bool);
1062         key!(linker, optional);
1063         key!(lld_flavor, LldFlavor)?;
1064         key!(pre_link_args, link_args);
1065         key!(pre_link_args_crt, link_args);
1066         key!(pre_link_objects_exe, list);
1067         key!(pre_link_objects_exe_crt, list);
1068         key!(pre_link_objects_dll, list);
1069         key!(late_link_args, link_args);
1070         key!(post_link_objects, list);
1071         key!(post_link_objects_crt, list);
1072         key!(post_link_args, link_args);
1073         key!(link_env, env);
1074         key!(asm_args, list);
1075         key!(cpu);
1076         key!(features);
1077         key!(dynamic_linking, bool);
1078         key!(only_cdylib, bool);
1079         key!(executables, bool);
1080         key!(relocation_model);
1081         key!(code_model, optional);
1082         key!(tls_model);
1083         key!(disable_redzone, bool);
1084         key!(eliminate_frame_pointer, bool);
1085         key!(function_sections, bool);
1086         key!(dll_prefix);
1087         key!(dll_suffix);
1088         key!(exe_suffix);
1089         key!(staticlib_prefix);
1090         key!(staticlib_suffix);
1091         key!(target_family, optional);
1092         key!(abi_return_struct_as_int, bool);
1093         key!(is_like_osx, bool);
1094         key!(is_like_solaris, bool);
1095         key!(is_like_windows, bool);
1096         key!(is_like_msvc, bool);
1097         key!(is_like_emscripten, bool);
1098         key!(is_like_android, bool);
1099         key!(is_like_fuchsia, bool);
1100         key!(linker_is_gnu, bool);
1101         key!(allows_weak_linkage, bool);
1102         key!(has_rpath, bool);
1103         key!(no_default_libraries, bool);
1104         key!(position_independent_executables, bool);
1105         key!(needs_plt, bool);
1106         key!(relro_level, RelroLevel)?;
1107         key!(archive_format);
1108         key!(allow_asm, bool);
1109         key!(custom_unwind_resume, bool);
1110         key!(has_elf_tls, bool);
1111         key!(obj_is_bitcode, bool);
1112         key!(no_integrated_as, bool);
1113         key!(max_atomic_width, Option<u64>);
1114         key!(min_atomic_width, Option<u64>);
1115         key!(atomic_cas, bool);
1116         key!(panic_strategy, PanicStrategy)?;
1117         key!(crt_static_allows_dylibs, bool);
1118         key!(crt_static_default, bool);
1119         key!(crt_static_respected, bool);
1120         key!(stack_probes, bool);
1121         key!(min_global_align, Option<u64>);
1122         key!(default_codegen_units, Option<u64>);
1123         key!(trap_unreachable, bool);
1124         key!(requires_lto, bool);
1125         key!(singlethread, bool);
1126         key!(no_builtins, bool);
1127         key!(codegen_backend);
1128         key!(default_hidden_visibility, bool);
1129         key!(embed_bitcode, bool);
1130         key!(emit_debug_gdb_scripts, bool);
1131         key!(requires_uwtable, bool);
1132         key!(simd_types_indirect, bool);
1133         key!(override_export_symbols, opt_list);
1134         key!(merge_functions, MergeFunctions)?;
1135
1136         if let Some(array) = obj.find("abi-blacklist").and_then(Json::as_array) {
1137             for name in array.iter().filter_map(|abi| abi.as_string()) {
1138                 match lookup_abi(name) {
1139                     Some(abi) => {
1140                         if abi.generic() {
1141                             return Err(format!("The ABI \"{}\" is considered to be supported on \
1142                                                 all targets and cannot be blacklisted", abi))
1143                         }
1144
1145                         base.options.abi_blacklist.push(abi)
1146                     }
1147                     None => return Err(format!("Unknown ABI \"{}\" in target specification", name))
1148                 }
1149             }
1150         }
1151
1152         Ok(base)
1153     }
1154
1155     /// Search RUST_TARGET_PATH for a JSON file specifying the given target
1156     /// triple. Note that it could also just be a bare filename already, so also
1157     /// check for that. If one of the hardcoded targets we know about, just
1158     /// return it directly.
1159     ///
1160     /// The error string could come from any of the APIs called, including
1161     /// filesystem access and JSON decoding.
1162     pub fn search(target_triple: &TargetTriple) -> Result<Target, String> {
1163         use std::env;
1164         use std::fs;
1165         use serialize::json;
1166
1167         fn load_file(path: &Path) -> Result<Target, String> {
1168             let contents = fs::read(path).map_err(|e| e.to_string())?;
1169             let obj = json::from_reader(&mut &contents[..])
1170                            .map_err(|e| e.to_string())?;
1171             Target::from_json(obj)
1172         }
1173
1174         match *target_triple {
1175             TargetTriple::TargetTriple(ref target_triple) => {
1176                 // check if triple is in list of supported targets
1177                 if let Ok(t) = load_specific(target_triple) {
1178                     return Ok(t)
1179                 }
1180
1181                 // search for a file named `target_triple`.json in RUST_TARGET_PATH
1182                 let path = {
1183                     let mut target = target_triple.to_string();
1184                     target.push_str(".json");
1185                     PathBuf::from(target)
1186                 };
1187
1188                 let target_path = env::var_os("RUST_TARGET_PATH").unwrap_or_default();
1189
1190                 // FIXME 16351: add a sane default search path?
1191
1192                 for dir in env::split_paths(&target_path) {
1193                     let p =  dir.join(&path);
1194                     if p.is_file() {
1195                         return load_file(&p);
1196                     }
1197                 }
1198                 Err(format!("Could not find specification for target {:?}", target_triple))
1199             }
1200             TargetTriple::TargetPath(ref target_path) => {
1201                 if target_path.is_file() {
1202                     return load_file(&target_path);
1203                 }
1204                 Err(format!("Target path {:?} is not a valid file", target_path))
1205             }
1206         }
1207     }
1208 }
1209
1210 impl ToJson for Target {
1211     fn to_json(&self) -> Json {
1212         let mut d = BTreeMap::new();
1213         let default: TargetOptions = Default::default();
1214
1215         macro_rules! target_val {
1216             ($attr:ident) => ( {
1217                 let name = (stringify!($attr)).replace("_", "-");
1218                 d.insert(name, self.$attr.to_json());
1219             } );
1220             ($attr:ident, $key_name:expr) => ( {
1221                 let name = $key_name;
1222                 d.insert(name.to_string(), self.$attr.to_json());
1223             } );
1224         }
1225
1226         macro_rules! target_option_val {
1227             ($attr:ident) => ( {
1228                 let name = (stringify!($attr)).replace("_", "-");
1229                 if default.$attr != self.options.$attr {
1230                     d.insert(name, self.options.$attr.to_json());
1231                 }
1232             } );
1233             ($attr:ident, $key_name:expr) => ( {
1234                 let name = $key_name;
1235                 if default.$attr != self.options.$attr {
1236                     d.insert(name.to_string(), self.options.$attr.to_json());
1237                 }
1238             } );
1239             (link_args - $attr:ident) => ( {
1240                 let name = (stringify!($attr)).replace("_", "-");
1241                 if default.$attr != self.options.$attr {
1242                     let obj = self.options.$attr
1243                         .iter()
1244                         .map(|(k, v)| (k.desc().to_owned(), v.clone()))
1245                         .collect::<BTreeMap<_, _>>();
1246                     d.insert(name, obj.to_json());
1247                 }
1248             } );
1249             (env - $attr:ident) => ( {
1250                 let name = (stringify!($attr)).replace("_", "-");
1251                 if default.$attr != self.options.$attr {
1252                     let obj = self.options.$attr
1253                         .iter()
1254                         .map(|&(ref k, ref v)| k.clone() + "=" + &v)
1255                         .collect::<Vec<_>>();
1256                     d.insert(name, obj.to_json());
1257                 }
1258             } );
1259
1260         }
1261
1262         target_val!(llvm_target);
1263         target_val!(target_endian);
1264         target_val!(target_pointer_width);
1265         target_val!(target_c_int_width);
1266         target_val!(arch);
1267         target_val!(target_os, "os");
1268         target_val!(target_env, "env");
1269         target_val!(target_vendor, "vendor");
1270         target_val!(data_layout);
1271         target_val!(linker_flavor);
1272
1273         target_option_val!(is_builtin);
1274         target_option_val!(linker);
1275         target_option_val!(lld_flavor);
1276         target_option_val!(link_args - pre_link_args);
1277         target_option_val!(link_args - pre_link_args_crt);
1278         target_option_val!(pre_link_objects_exe);
1279         target_option_val!(pre_link_objects_exe_crt);
1280         target_option_val!(pre_link_objects_dll);
1281         target_option_val!(link_args - late_link_args);
1282         target_option_val!(post_link_objects);
1283         target_option_val!(post_link_objects_crt);
1284         target_option_val!(link_args - post_link_args);
1285         target_option_val!(env - link_env);
1286         target_option_val!(asm_args);
1287         target_option_val!(cpu);
1288         target_option_val!(features);
1289         target_option_val!(dynamic_linking);
1290         target_option_val!(only_cdylib);
1291         target_option_val!(executables);
1292         target_option_val!(relocation_model);
1293         target_option_val!(code_model);
1294         target_option_val!(tls_model);
1295         target_option_val!(disable_redzone);
1296         target_option_val!(eliminate_frame_pointer);
1297         target_option_val!(function_sections);
1298         target_option_val!(dll_prefix);
1299         target_option_val!(dll_suffix);
1300         target_option_val!(exe_suffix);
1301         target_option_val!(staticlib_prefix);
1302         target_option_val!(staticlib_suffix);
1303         target_option_val!(target_family);
1304         target_option_val!(abi_return_struct_as_int);
1305         target_option_val!(is_like_osx);
1306         target_option_val!(is_like_solaris);
1307         target_option_val!(is_like_windows);
1308         target_option_val!(is_like_msvc);
1309         target_option_val!(is_like_emscripten);
1310         target_option_val!(is_like_android);
1311         target_option_val!(is_like_fuchsia);
1312         target_option_val!(linker_is_gnu);
1313         target_option_val!(allows_weak_linkage);
1314         target_option_val!(has_rpath);
1315         target_option_val!(no_default_libraries);
1316         target_option_val!(position_independent_executables);
1317         target_option_val!(needs_plt);
1318         target_option_val!(relro_level);
1319         target_option_val!(archive_format);
1320         target_option_val!(allow_asm);
1321         target_option_val!(custom_unwind_resume);
1322         target_option_val!(has_elf_tls);
1323         target_option_val!(obj_is_bitcode);
1324         target_option_val!(no_integrated_as);
1325         target_option_val!(min_atomic_width);
1326         target_option_val!(max_atomic_width);
1327         target_option_val!(atomic_cas);
1328         target_option_val!(panic_strategy);
1329         target_option_val!(crt_static_allows_dylibs);
1330         target_option_val!(crt_static_default);
1331         target_option_val!(crt_static_respected);
1332         target_option_val!(stack_probes);
1333         target_option_val!(min_global_align);
1334         target_option_val!(default_codegen_units);
1335         target_option_val!(trap_unreachable);
1336         target_option_val!(requires_lto);
1337         target_option_val!(singlethread);
1338         target_option_val!(no_builtins);
1339         target_option_val!(codegen_backend);
1340         target_option_val!(default_hidden_visibility);
1341         target_option_val!(embed_bitcode);
1342         target_option_val!(emit_debug_gdb_scripts);
1343         target_option_val!(requires_uwtable);
1344         target_option_val!(simd_types_indirect);
1345         target_option_val!(override_export_symbols);
1346         target_option_val!(merge_functions);
1347
1348         if default.abi_blacklist != self.options.abi_blacklist {
1349             d.insert("abi-blacklist".to_string(), self.options.abi_blacklist.iter()
1350                 .map(|&name| Abi::name(name).to_json())
1351                 .collect::<Vec<_>>().to_json());
1352         }
1353
1354         Json::Object(d)
1355     }
1356 }
1357
1358 /// Either a target triple string or a path to a JSON file.
1359 #[derive(PartialEq, Clone, Debug, Hash, RustcEncodable, RustcDecodable)]
1360 pub enum TargetTriple {
1361     TargetTriple(String),
1362     TargetPath(PathBuf),
1363 }
1364
1365 impl TargetTriple {
1366     /// Creates a target triple from the passed target triple string.
1367     pub fn from_triple(triple: &str) -> Self {
1368         TargetTriple::TargetTriple(triple.to_string())
1369     }
1370
1371     /// Creates a target triple from the passed target path.
1372     pub fn from_path(path: &Path) -> Result<Self, io::Error> {
1373         let canonicalized_path = path.canonicalize()?;
1374         Ok(TargetTriple::TargetPath(canonicalized_path))
1375     }
1376
1377     /// Returns a string triple for this target.
1378     ///
1379     /// If this target is a path, the file name (without extension) is returned.
1380     pub fn triple(&self) -> &str {
1381         match *self {
1382             TargetTriple::TargetTriple(ref triple) => triple,
1383             TargetTriple::TargetPath(ref path) => {
1384                 path.file_stem().expect("target path must not be empty").to_str()
1385                     .expect("target path must be valid unicode")
1386             }
1387         }
1388     }
1389
1390     /// Returns an extended string triple for this target.
1391     ///
1392     /// If this target is a path, a hash of the path is appended to the triple returned
1393     /// by `triple()`.
1394     pub fn debug_triple(&self) -> String {
1395         use std::hash::{Hash, Hasher};
1396         use std::collections::hash_map::DefaultHasher;
1397
1398         let triple = self.triple();
1399         if let TargetTriple::TargetPath(ref path) = *self {
1400             let mut hasher = DefaultHasher::new();
1401             path.hash(&mut hasher);
1402             let hash = hasher.finish();
1403             format!("{}-{}", triple, hash)
1404         } else {
1405             triple.to_owned()
1406         }
1407     }
1408 }
1409
1410 impl fmt::Display for TargetTriple {
1411     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1412         write!(f, "{}", self.debug_triple())
1413     }
1414 }