]> git.lizzy.rs Git - rust.git/blob - src/librustc_trans/back/link.rs
12a1ffa2767255aa325b6f3eff380d6fad49ca44
[rust.git] / src / librustc_trans / back / link.rs
1 // Copyright 2012-2014 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 use super::archive::{ArchiveBuilder, ArchiveConfig};
12 use super::linker::Linker;
13 use super::rpath::RPathConfig;
14 use super::rpath;
15 use super::msvc;
16 use session::config;
17 use session::config::NoDebugInfo;
18 use session::config::{OutputFilenames, Input, OutputType};
19 use session::filesearch;
20 use session::search_paths::PathKind;
21 use session::Session;
22 use middle::cstore::{self, LinkMeta, NativeLibrary, LibSource};
23 use middle::cstore::{LinkagePreference, NativeLibraryKind};
24 use middle::dependency_format::Linkage;
25 use CrateTranslation;
26 use util::common::time;
27 use util::fs::fix_windows_verbatim_for_gcc;
28 use rustc::dep_graph::DepNode;
29 use rustc::hir::def_id::CrateNum;
30 use rustc::hir::svh::Svh;
31 use rustc_back::tempdir::TempDir;
32 use rustc_back::PanicStrategy;
33 use rustc_incremental::IncrementalHashesMap;
34 use context::get_reloc_model;
35 use llvm;
36
37 use std::ascii;
38 use std::char;
39 use std::env;
40 use std::ffi::OsString;
41 use std::fs;
42 use std::io::{self, Read, Write};
43 use std::mem;
44 use std::path::{Path, PathBuf};
45 use std::process::Command;
46 use std::str;
47 use flate;
48 use syntax::ast;
49 use syntax::attr;
50 use syntax::symbol::Symbol;
51 use syntax_pos::Span;
52
53 /// The LLVM module name containing crate-metadata. This includes a `.` on
54 /// purpose, so it cannot clash with the name of a user-defined module.
55 pub const METADATA_MODULE_NAME: &'static str = "crate.metadata";
56 /// The name of the crate-metadata object file the compiler generates. Must
57 /// match up with `METADATA_MODULE_NAME`.
58 pub const METADATA_OBJ_NAME: &'static str = "crate.metadata.o";
59
60 // RLIB LLVM-BYTECODE OBJECT LAYOUT
61 // Version 1
62 // Bytes    Data
63 // 0..10    "RUST_OBJECT" encoded in ASCII
64 // 11..14   format version as little-endian u32
65 // 15..22   size in bytes of deflate compressed LLVM bitcode as
66 //          little-endian u64
67 // 23..     compressed LLVM bitcode
68
69 // This is the "magic number" expected at the beginning of a LLVM bytecode
70 // object in an rlib.
71 pub const RLIB_BYTECODE_OBJECT_MAGIC: &'static [u8] = b"RUST_OBJECT";
72
73 // The version number this compiler will write to bytecode objects in rlibs
74 pub const RLIB_BYTECODE_OBJECT_VERSION: u32 = 1;
75
76 // The offset in bytes the bytecode object format version number can be found at
77 pub const RLIB_BYTECODE_OBJECT_VERSION_OFFSET: usize = 11;
78
79 // The offset in bytes the size of the compressed bytecode can be found at in
80 // format version 1
81 pub const RLIB_BYTECODE_OBJECT_V1_DATASIZE_OFFSET: usize =
82     RLIB_BYTECODE_OBJECT_VERSION_OFFSET + 4;
83
84 // The offset in bytes the compressed LLVM bytecode can be found at in format
85 // version 1
86 pub const RLIB_BYTECODE_OBJECT_V1_DATA_OFFSET: usize =
87     RLIB_BYTECODE_OBJECT_V1_DATASIZE_OFFSET + 8;
88
89
90 pub fn find_crate_name(sess: Option<&Session>,
91                        attrs: &[ast::Attribute],
92                        input: &Input) -> String {
93     let validate = |s: String, span: Option<Span>| {
94         cstore::validate_crate_name(sess, &s, span);
95         s
96     };
97
98     // Look in attributes 100% of the time to make sure the attribute is marked
99     // as used. After doing this, however, we still prioritize a crate name from
100     // the command line over one found in the #[crate_name] attribute. If we
101     // find both we ensure that they're the same later on as well.
102     let attr_crate_name = attrs.iter().find(|at| at.check_name("crate_name"))
103                                .and_then(|at| at.value_str().map(|s| (at, s)));
104
105     if let Some(sess) = sess {
106         if let Some(ref s) = sess.opts.crate_name {
107             if let Some((attr, name)) = attr_crate_name {
108                 if name != &**s {
109                     let msg = format!("--crate-name and #[crate_name] are \
110                                        required to match, but `{}` != `{}`",
111                                       s, name);
112                     sess.span_err(attr.span, &msg);
113                 }
114             }
115             return validate(s.clone(), None);
116         }
117     }
118
119     if let Some((attr, s)) = attr_crate_name {
120         return validate(s.to_string(), Some(attr.span));
121     }
122     if let Input::File(ref path) = *input {
123         if let Some(s) = path.file_stem().and_then(|s| s.to_str()) {
124             if s.starts_with("-") {
125                 let msg = format!("crate names cannot start with a `-`, but \
126                                    `{}` has a leading hyphen", s);
127                 if let Some(sess) = sess {
128                     sess.err(&msg);
129                 }
130             } else {
131                 return validate(s.replace("-", "_"), None);
132             }
133         }
134     }
135
136     "rust_out".to_string()
137 }
138
139 pub fn build_link_meta(incremental_hashes_map: &IncrementalHashesMap,
140                        name: &str)
141                        -> LinkMeta {
142     let r = LinkMeta {
143         crate_name: Symbol::intern(name),
144         crate_hash: Svh::new(incremental_hashes_map[&DepNode::Krate].to_smaller_hash()),
145     };
146     info!("{:?}", r);
147     return r;
148 }
149
150 // The third parameter is for an extra path to add to PATH for MSVC
151 // cross linkers for host toolchain DLL dependencies
152 pub fn get_linker(sess: &Session) -> (String, Command, Option<PathBuf>) {
153     if let Some(ref linker) = sess.opts.cg.linker {
154         (linker.clone(), Command::new(linker), None)
155     } else if sess.target.target.options.is_like_msvc {
156         let (cmd, host) = msvc::link_exe_cmd(sess);
157         ("link.exe".to_string(), cmd, host)
158     } else {
159         (sess.target.target.options.linker.clone(),
160          Command::new(&sess.target.target.options.linker), None)
161     }
162 }
163
164 pub fn get_ar_prog(sess: &Session) -> String {
165     sess.opts.cg.ar.clone().unwrap_or_else(|| {
166         sess.target.target.options.ar.clone()
167     })
168 }
169
170 fn command_path(sess: &Session, extra: Option<PathBuf>) -> OsString {
171     // The compiler's sysroot often has some bundled tools, so add it to the
172     // PATH for the child.
173     let mut new_path = sess.host_filesearch(PathKind::All)
174                            .get_tools_search_paths();
175     if let Some(path) = env::var_os("PATH") {
176         new_path.extend(env::split_paths(&path));
177     }
178     new_path.extend(extra);
179     env::join_paths(new_path).unwrap()
180 }
181
182 pub fn remove(sess: &Session, path: &Path) {
183     match fs::remove_file(path) {
184         Ok(..) => {}
185         Err(e) => {
186             sess.err(&format!("failed to remove {}: {}",
187                              path.display(),
188                              e));
189         }
190     }
191 }
192
193 /// Perform the linkage portion of the compilation phase. This will generate all
194 /// of the requested outputs for this compilation session.
195 pub fn link_binary(sess: &Session,
196                    trans: &CrateTranslation,
197                    outputs: &OutputFilenames,
198                    crate_name: &str) -> Vec<PathBuf> {
199     let _task = sess.dep_graph.in_task(DepNode::LinkBinary);
200
201     let mut out_filenames = Vec::new();
202     for &crate_type in sess.crate_types.borrow().iter() {
203         // Ignore executable crates if we have -Z no-trans, as they will error.
204         if (sess.opts.debugging_opts.no_trans ||
205             !sess.opts.output_types.should_trans()) &&
206            crate_type == config::CrateTypeExecutable {
207             continue;
208         }
209
210         if invalid_output_for_target(sess, crate_type) {
211            bug!("invalid output type `{:?}` for target os `{}`",
212                 crate_type, sess.opts.target_triple);
213         }
214         let mut out_files = link_binary_output(sess, trans, crate_type, outputs, crate_name);
215         out_filenames.append(&mut out_files);
216     }
217
218     // Remove the temporary object file and metadata if we aren't saving temps
219     if !sess.opts.cg.save_temps {
220         if sess.opts.output_types.should_trans() {
221             for obj in object_filenames(trans, outputs) {
222                 remove(sess, &obj);
223             }
224         }
225         remove(sess, &outputs.with_extension(METADATA_OBJ_NAME));
226     }
227
228     out_filenames
229 }
230
231
232 /// Returns default crate type for target
233 ///
234 /// Default crate type is used when crate type isn't provided neither
235 /// through cmd line arguments nor through crate attributes
236 ///
237 /// It is CrateTypeExecutable for all platforms but iOS as there is no
238 /// way to run iOS binaries anyway without jailbreaking and
239 /// interaction with Rust code through static library is the only
240 /// option for now
241 pub fn default_output_for_target(sess: &Session) -> config::CrateType {
242     if !sess.target.target.options.executables {
243         config::CrateTypeStaticlib
244     } else {
245         config::CrateTypeExecutable
246     }
247 }
248
249 /// Checks if target supports crate_type as output
250 pub fn invalid_output_for_target(sess: &Session,
251                                  crate_type: config::CrateType) -> bool {
252     match (sess.target.target.options.dynamic_linking,
253            sess.target.target.options.executables, crate_type) {
254         (false, _, config::CrateTypeCdylib) |
255         (false, _, config::CrateTypeProcMacro) |
256         (false, _, config::CrateTypeDylib) => true,
257         (_, false, config::CrateTypeExecutable) => true,
258         _ => false
259     }
260 }
261
262 fn is_writeable(p: &Path) -> bool {
263     match p.metadata() {
264         Err(..) => true,
265         Ok(m) => !m.permissions().readonly()
266     }
267 }
268
269 fn filename_for_metadata(sess: &Session, crate_name: &str, outputs: &OutputFilenames) -> PathBuf {
270     let out_filename = outputs.single_output_file.clone()
271         .unwrap_or(outputs
272             .out_directory
273             .join(&format!("lib{}{}.rmeta", crate_name, sess.opts.cg.extra_filename)));
274     check_file_is_writeable(&out_filename, sess);
275     out_filename
276 }
277
278 pub fn filename_for_input(sess: &Session,
279                           crate_type: config::CrateType,
280                           crate_name: &str,
281                           outputs: &OutputFilenames) -> PathBuf {
282     let libname = format!("{}{}", crate_name, sess.opts.cg.extra_filename);
283
284     match crate_type {
285         config::CrateTypeRlib => {
286             outputs.out_directory.join(&format!("lib{}.rlib", libname))
287         }
288         config::CrateTypeCdylib |
289         config::CrateTypeProcMacro |
290         config::CrateTypeDylib => {
291             let (prefix, suffix) = (&sess.target.target.options.dll_prefix,
292                                     &sess.target.target.options.dll_suffix);
293             outputs.out_directory.join(&format!("{}{}{}", prefix, libname,
294                                                 suffix))
295         }
296         config::CrateTypeStaticlib => {
297             let (prefix, suffix) = (&sess.target.target.options.staticlib_prefix,
298                                     &sess.target.target.options.staticlib_suffix);
299             outputs.out_directory.join(&format!("{}{}{}", prefix, libname,
300                                                 suffix))
301         }
302         config::CrateTypeExecutable => {
303             let suffix = &sess.target.target.options.exe_suffix;
304             let out_filename = outputs.path(OutputType::Exe);
305             if suffix.is_empty() {
306                 out_filename.to_path_buf()
307             } else {
308                 out_filename.with_extension(&suffix[1..])
309             }
310         }
311     }
312 }
313
314 pub fn each_linked_rlib(sess: &Session,
315                         f: &mut FnMut(CrateNum, &Path)) {
316     let crates = sess.cstore.used_crates(LinkagePreference::RequireStatic).into_iter();
317     let fmts = sess.dependency_formats.borrow();
318     let fmts = fmts.get(&config::CrateTypeExecutable)
319                    .or_else(|| fmts.get(&config::CrateTypeStaticlib))
320                    .or_else(|| fmts.get(&config::CrateTypeCdylib))
321                    .or_else(|| fmts.get(&config::CrateTypeProcMacro));
322     let fmts = fmts.unwrap_or_else(|| {
323         bug!("could not find formats for rlibs");
324     });
325     for (cnum, path) in crates {
326         match fmts[cnum.as_usize() - 1] {
327             Linkage::NotLinked | Linkage::IncludedFromDylib => continue,
328             _ => {}
329         }
330         let name = sess.cstore.crate_name(cnum).clone();
331         let path = match path {
332             LibSource::Some(p) => p,
333             LibSource::MetadataOnly => {
334                 sess.fatal(&format!("could not find rlib for: `{}`, found rmeta (metadata) file",
335                                     name));
336             }
337             LibSource::None => {
338                 sess.fatal(&format!("could not find rlib for: `{}`", name));
339             }
340         };
341         f(cnum, &path);
342     }
343 }
344
345 fn out_filename(sess: &Session,
346                 crate_type: config::CrateType,
347                 outputs: &OutputFilenames,
348                 crate_name: &str)
349                 -> PathBuf {
350     let default_filename = filename_for_input(sess, crate_type, crate_name, outputs);
351     let out_filename = outputs.outputs.get(&OutputType::Exe)
352                               .and_then(|s| s.to_owned())
353                               .or_else(|| outputs.single_output_file.clone())
354                               .unwrap_or(default_filename);
355
356     check_file_is_writeable(&out_filename, sess);
357
358     out_filename
359 }
360
361 // Make sure files are writeable.  Mac, FreeBSD, and Windows system linkers
362 // check this already -- however, the Linux linker will happily overwrite a
363 // read-only file.  We should be consistent.
364 fn check_file_is_writeable(file: &Path, sess: &Session) {
365     if !is_writeable(file) {
366         sess.fatal(&format!("output file {} is not writeable -- check its \
367                             permissions", file.display()));
368     }
369 }
370
371 fn link_binary_output(sess: &Session,
372                       trans: &CrateTranslation,
373                       crate_type: config::CrateType,
374                       outputs: &OutputFilenames,
375                       crate_name: &str) -> Vec<PathBuf> {
376     let objects = object_filenames(trans, outputs);
377
378     for file in &objects {
379         check_file_is_writeable(file, sess);
380     }
381
382     let tmpdir = match TempDir::new("rustc") {
383         Ok(tmpdir) => tmpdir,
384         Err(err) => sess.fatal(&format!("couldn't create a temp dir: {}", err)),
385     };
386
387     let mut out_filenames = vec![];
388
389     if outputs.outputs.contains_key(&OutputType::Metadata) {
390         let out_filename = filename_for_metadata(sess, crate_name, outputs);
391         emit_metadata(sess, trans, &out_filename);
392         out_filenames.push(out_filename);
393     }
394
395     if outputs.outputs.should_trans() {
396         let out_filename = out_filename(sess, crate_type, outputs, crate_name);
397         match crate_type {
398             config::CrateTypeRlib => {
399                 link_rlib(sess, Some(trans), &objects, &out_filename,
400                           tmpdir.path()).build();
401             }
402             config::CrateTypeStaticlib => {
403                 link_staticlib(sess, &objects, &out_filename, tmpdir.path());
404             }
405             _ => {
406                 link_natively(sess, crate_type, &objects, &out_filename, trans,
407                               outputs, tmpdir.path());
408             }
409         }
410         out_filenames.push(out_filename);
411     }
412
413     out_filenames
414 }
415
416 fn object_filenames(trans: &CrateTranslation,
417                     outputs: &OutputFilenames)
418                     -> Vec<PathBuf> {
419     trans.modules.iter().map(|module| {
420         outputs.temp_path(OutputType::Object, Some(&module.name))
421     }).collect()
422 }
423
424 fn archive_search_paths(sess: &Session) -> Vec<PathBuf> {
425     let mut search = Vec::new();
426     sess.target_filesearch(PathKind::Native).for_each_lib_search_path(|path, _| {
427         search.push(path.to_path_buf());
428     });
429     return search;
430 }
431
432 fn archive_config<'a>(sess: &'a Session,
433                       output: &Path,
434                       input: Option<&Path>) -> ArchiveConfig<'a> {
435     ArchiveConfig {
436         sess: sess,
437         dst: output.to_path_buf(),
438         src: input.map(|p| p.to_path_buf()),
439         lib_search_paths: archive_search_paths(sess),
440         ar_prog: get_ar_prog(sess),
441         command_path: command_path(sess, None),
442     }
443 }
444
445 fn emit_metadata<'a>(sess: &'a Session, trans: &CrateTranslation, out_filename: &Path) {
446     let result = fs::File::create(out_filename).and_then(|mut f| f.write_all(&trans.metadata));
447     if let Err(e) = result {
448         sess.fatal(&format!("failed to write {}: {}", out_filename.display(), e));
449     }
450 }
451
452 // Create an 'rlib'
453 //
454 // An rlib in its current incarnation is essentially a renamed .a file. The
455 // rlib primarily contains the object file of the crate, but it also contains
456 // all of the object files from native libraries. This is done by unzipping
457 // native libraries and inserting all of the contents into this archive.
458 fn link_rlib<'a>(sess: &'a Session,
459                  trans: Option<&CrateTranslation>, // None == no metadata/bytecode
460                  objects: &[PathBuf],
461                  out_filename: &Path,
462                  tmpdir: &Path) -> ArchiveBuilder<'a> {
463     info!("preparing rlib from {:?} to {:?}", objects, out_filename);
464     let mut ab = ArchiveBuilder::new(archive_config(sess, out_filename, None));
465
466     for obj in objects {
467         ab.add_file(obj);
468     }
469
470     // Note that in this loop we are ignoring the value of `lib.cfg`. That is,
471     // we may not be configured to actually include a static library if we're
472     // adding it here. That's because later when we consume this rlib we'll
473     // decide whether we actually needed the static library or not.
474     //
475     // To do this "correctly" we'd need to keep track of which libraries added
476     // which object files to the archive. We don't do that here, however. The
477     // #[link(cfg(..))] feature is unstable, though, and only intended to get
478     // liblibc working. In that sense the check below just indicates that if
479     // there are any libraries we want to omit object files for at link time we
480     // just exclude all custom object files.
481     //
482     // Eventually if we want to stabilize or flesh out the #[link(cfg(..))]
483     // feature then we'll need to figure out how to record what objects were
484     // loaded from the libraries found here and then encode that into the
485     // metadata of the rlib we're generating somehow.
486     for lib in sess.cstore.used_libraries() {
487         match lib.kind {
488             NativeLibraryKind::NativeStatic => {}
489             NativeLibraryKind::NativeStaticNobundle |
490             NativeLibraryKind::NativeFramework |
491             NativeLibraryKind::NativeUnknown => continue,
492         }
493         ab.add_native_library(&lib.name.as_str());
494     }
495
496     // After adding all files to the archive, we need to update the
497     // symbol table of the archive.
498     ab.update_symbols();
499
500     // Note that it is important that we add all of our non-object "magical
501     // files" *after* all of the object files in the archive. The reason for
502     // this is as follows:
503     //
504     // * When performing LTO, this archive will be modified to remove
505     //   objects from above. The reason for this is described below.
506     //
507     // * When the system linker looks at an archive, it will attempt to
508     //   determine the architecture of the archive in order to see whether its
509     //   linkable.
510     //
511     //   The algorithm for this detection is: iterate over the files in the
512     //   archive. Skip magical SYMDEF names. Interpret the first file as an
513     //   object file. Read architecture from the object file.
514     //
515     // * As one can probably see, if "metadata" and "foo.bc" were placed
516     //   before all of the objects, then the architecture of this archive would
517     //   not be correctly inferred once 'foo.o' is removed.
518     //
519     // Basically, all this means is that this code should not move above the
520     // code above.
521     match trans {
522         Some(trans) => {
523             // Instead of putting the metadata in an object file section, rlibs
524             // contain the metadata in a separate file. We use a temp directory
525             // here so concurrent builds in the same directory don't try to use
526             // the same filename for metadata (stomping over one another)
527             let metadata = tmpdir.join(sess.cstore.metadata_filename());
528             emit_metadata(sess, trans, &metadata);
529             ab.add_file(&metadata);
530
531             // For LTO purposes, the bytecode of this library is also inserted
532             // into the archive.  If codegen_units > 1, we insert each of the
533             // bitcode files.
534             for obj in objects {
535                 // Note that we make sure that the bytecode filename in the
536                 // archive is never exactly 16 bytes long by adding a 16 byte
537                 // extension to it. This is to work around a bug in LLDB that
538                 // would cause it to crash if the name of a file in an archive
539                 // was exactly 16 bytes.
540                 let bc_filename = obj.with_extension("bc");
541                 let bc_deflated_filename = tmpdir.join({
542                     obj.with_extension("bytecode.deflate").file_name().unwrap()
543                 });
544
545                 let mut bc_data = Vec::new();
546                 match fs::File::open(&bc_filename).and_then(|mut f| {
547                     f.read_to_end(&mut bc_data)
548                 }) {
549                     Ok(..) => {}
550                     Err(e) => sess.fatal(&format!("failed to read bytecode: {}",
551                                                  e))
552                 }
553
554                 let bc_data_deflated = flate::deflate_bytes(&bc_data);
555
556                 let mut bc_file_deflated = match fs::File::create(&bc_deflated_filename) {
557                     Ok(file) => file,
558                     Err(e) => {
559                         sess.fatal(&format!("failed to create compressed \
560                                              bytecode file: {}", e))
561                     }
562                 };
563
564                 match write_rlib_bytecode_object_v1(&mut bc_file_deflated,
565                                                     &bc_data_deflated) {
566                     Ok(()) => {}
567                     Err(e) => {
568                         sess.fatal(&format!("failed to write compressed \
569                                              bytecode: {}", e));
570                     }
571                 };
572
573                 ab.add_file(&bc_deflated_filename);
574
575                 // See the bottom of back::write::run_passes for an explanation
576                 // of when we do and don't keep .#module-name#.bc files around.
577                 let user_wants_numbered_bitcode =
578                         sess.opts.output_types.contains_key(&OutputType::Bitcode) &&
579                         sess.opts.cg.codegen_units > 1;
580                 if !sess.opts.cg.save_temps && !user_wants_numbered_bitcode {
581                     remove(sess, &bc_filename);
582                 }
583             }
584
585             // After adding all files to the archive, we need to update the
586             // symbol table of the archive. This currently dies on macOS (see
587             // #11162), and isn't necessary there anyway
588             if !sess.target.target.options.is_like_osx {
589                 ab.update_symbols();
590             }
591         }
592
593         None => {}
594     }
595
596     ab
597 }
598
599 fn write_rlib_bytecode_object_v1(writer: &mut Write,
600                                  bc_data_deflated: &[u8]) -> io::Result<()> {
601     let bc_data_deflated_size: u64 = bc_data_deflated.len() as u64;
602
603     writer.write_all(RLIB_BYTECODE_OBJECT_MAGIC)?;
604     writer.write_all(&[1, 0, 0, 0])?;
605     writer.write_all(&[
606         (bc_data_deflated_size >>  0) as u8,
607         (bc_data_deflated_size >>  8) as u8,
608         (bc_data_deflated_size >> 16) as u8,
609         (bc_data_deflated_size >> 24) as u8,
610         (bc_data_deflated_size >> 32) as u8,
611         (bc_data_deflated_size >> 40) as u8,
612         (bc_data_deflated_size >> 48) as u8,
613         (bc_data_deflated_size >> 56) as u8,
614     ])?;
615     writer.write_all(&bc_data_deflated)?;
616
617     let number_of_bytes_written_so_far =
618         RLIB_BYTECODE_OBJECT_MAGIC.len() +                // magic id
619         mem::size_of_val(&RLIB_BYTECODE_OBJECT_VERSION) + // version
620         mem::size_of_val(&bc_data_deflated_size) +        // data size field
621         bc_data_deflated_size as usize;                    // actual data
622
623     // If the number of bytes written to the object so far is odd, add a
624     // padding byte to make it even. This works around a crash bug in LLDB
625     // (see issue #15950)
626     if number_of_bytes_written_so_far % 2 == 1 {
627         writer.write_all(&[0])?;
628     }
629
630     return Ok(());
631 }
632
633 // Create a static archive
634 //
635 // This is essentially the same thing as an rlib, but it also involves adding
636 // all of the upstream crates' objects into the archive. This will slurp in
637 // all of the native libraries of upstream dependencies as well.
638 //
639 // Additionally, there's no way for us to link dynamic libraries, so we warn
640 // about all dynamic library dependencies that they're not linked in.
641 //
642 // There's no need to include metadata in a static archive, so ensure to not
643 // link in the metadata object file (and also don't prepare the archive with a
644 // metadata file).
645 fn link_staticlib(sess: &Session, objects: &[PathBuf], out_filename: &Path,
646                   tempdir: &Path) {
647     let mut ab = link_rlib(sess, None, objects, out_filename, tempdir);
648     let mut all_native_libs = vec![];
649
650     each_linked_rlib(sess, &mut |cnum, path| {
651         let name = sess.cstore.crate_name(cnum);
652         let native_libs = sess.cstore.native_libraries(cnum);
653
654         // Here when we include the rlib into our staticlib we need to make a
655         // decision whether to include the extra object files along the way.
656         // These extra object files come from statically included native
657         // libraries, but they may be cfg'd away with #[link(cfg(..))].
658         //
659         // This unstable feature, though, only needs liblibc to work. The only
660         // use case there is where musl is statically included in liblibc.rlib,
661         // so if we don't want the included version we just need to skip it. As
662         // a result the logic here is that if *any* linked library is cfg'd away
663         // we just skip all object files.
664         //
665         // Clearly this is not sufficient for a general purpose feature, and
666         // we'd want to read from the library's metadata to determine which
667         // object files come from where and selectively skip them.
668         let skip_object_files = native_libs.iter().any(|lib| {
669             lib.kind == NativeLibraryKind::NativeStatic && !relevant_lib(sess, lib)
670         });
671         ab.add_rlib(path, &name.as_str(), sess.lto(), skip_object_files).unwrap();
672
673         all_native_libs.extend(sess.cstore.native_libraries(cnum));
674     });
675
676     ab.update_symbols();
677     ab.build();
678
679     if !all_native_libs.is_empty() {
680         sess.note_without_error("link against the following native artifacts when linking against \
681                                  this static library");
682         sess.note_without_error("the order and any duplication can be significant on some \
683                                  platforms, and so may need to be preserved");
684     }
685
686     for lib in all_native_libs.iter().filter(|l| relevant_lib(sess, l)) {
687         let name = match lib.kind {
688             NativeLibraryKind::NativeStaticNobundle |
689             NativeLibraryKind::NativeUnknown => "library",
690             NativeLibraryKind::NativeFramework => "framework",
691             // These are included, no need to print them
692             NativeLibraryKind::NativeStatic => continue,
693         };
694         sess.note_without_error(&format!("{}: {}", name, lib.name));
695     }
696 }
697
698 // Create a dynamic library or executable
699 //
700 // This will invoke the system linker/cc to create the resulting file. This
701 // links to all upstream files as well.
702 fn link_natively(sess: &Session,
703                  crate_type: config::CrateType,
704                  objects: &[PathBuf],
705                  out_filename: &Path,
706                  trans: &CrateTranslation,
707                  outputs: &OutputFilenames,
708                  tmpdir: &Path) {
709     info!("preparing {:?} from {:?} to {:?}", crate_type, objects, out_filename);
710
711     // The invocations of cc share some flags across platforms
712     let (pname, mut cmd, extra) = get_linker(sess);
713     cmd.env("PATH", command_path(sess, extra));
714
715     let root = sess.target_filesearch(PathKind::Native).get_lib_path();
716     cmd.args(&sess.target.target.options.pre_link_args);
717
718     let pre_link_objects = if crate_type == config::CrateTypeExecutable {
719         &sess.target.target.options.pre_link_objects_exe
720     } else {
721         &sess.target.target.options.pre_link_objects_dll
722     };
723     for obj in pre_link_objects {
724         cmd.arg(root.join(obj));
725     }
726
727     if sess.target.target.options.is_like_emscripten {
728         cmd.arg("-s");
729         cmd.arg(if sess.panic_strategy() == PanicStrategy::Abort {
730             "DISABLE_EXCEPTION_CATCHING=1"
731         } else {
732             "DISABLE_EXCEPTION_CATCHING=0"
733         });
734     }
735
736     {
737         let mut linker = trans.linker_info.to_linker(cmd, &sess);
738         link_args(&mut *linker, sess, crate_type, tmpdir,
739                   objects, out_filename, outputs, trans);
740         cmd = linker.finalize();
741     }
742     cmd.args(&sess.target.target.options.late_link_args);
743     for obj in &sess.target.target.options.post_link_objects {
744         cmd.arg(root.join(obj));
745     }
746     cmd.args(&sess.target.target.options.post_link_args);
747
748     if sess.opts.debugging_opts.print_link_args {
749         println!("{:?}", &cmd);
750     }
751
752     // May have not found libraries in the right formats.
753     sess.abort_if_errors();
754
755     // Invoke the system linker
756     //
757     // Note that there's a terribly awful hack that really shouldn't be present
758     // in any compiler. Here an environment variable is supported to
759     // automatically retry the linker invocation if the linker looks like it
760     // segfaulted.
761     //
762     // Gee that seems odd, normally segfaults are things we want to know about!
763     // Unfortunately though in rust-lang/rust#38878 we're experiencing the
764     // linker segfaulting on Travis quite a bit which is causing quite a bit of
765     // pain to land PRs when they spuriously fail due to a segfault.
766     //
767     // The issue #38878 has some more debugging information on it as well, but
768     // this unfortunately looks like it's just a race condition in macOS's linker
769     // with some thread pool working in the background. It seems that no one
770     // currently knows a fix for this so in the meantime we're left with this...
771     info!("{:?}", &cmd);
772     let retry_on_segfault = env::var("RUSTC_RETRY_LINKER_ON_SEGFAULT").is_ok();
773     let mut prog;
774     let mut i = 0;
775     loop {
776         i += 1;
777         prog = time(sess.time_passes(), "running linker", || cmd.output());
778         if !retry_on_segfault || i > 3 {
779             break
780         }
781         let output = match prog {
782             Ok(ref output) => output,
783             Err(_) => break,
784         };
785         if output.status.success() {
786             break
787         }
788         let mut out = output.stderr.clone();
789         out.extend(&output.stdout);
790         let out = String::from_utf8_lossy(&out);
791         let msg = "clang: error: unable to execute command: \
792                    Segmentation fault: 11";
793         if !out.contains(msg) {
794             break
795         }
796
797         sess.struct_warn("looks like the linker segfaulted when we tried to \
798                           call it, automatically retrying again")
799             .note(&format!("{:?}", cmd))
800             .note(&out)
801             .emit();
802     }
803
804     match prog {
805         Ok(prog) => {
806             fn escape_string(s: &[u8]) -> String {
807                 str::from_utf8(s).map(|s| s.to_owned())
808                     .unwrap_or_else(|_| {
809                         let mut x = "Non-UTF-8 output: ".to_string();
810                         x.extend(s.iter()
811                                  .flat_map(|&b| ascii::escape_default(b))
812                                  .map(|b| char::from_u32(b as u32).unwrap()));
813                         x
814                     })
815             }
816             if !prog.status.success() {
817                 let mut output = prog.stderr.clone();
818                 output.extend_from_slice(&prog.stdout);
819                 sess.struct_err(&format!("linking with `{}` failed: {}",
820                                          pname,
821                                          prog.status))
822                     .note(&format!("{:?}", &cmd))
823                     .note(&escape_string(&output))
824                     .emit();
825                 sess.abort_if_errors();
826             }
827             info!("linker stderr:\n{}", escape_string(&prog.stderr));
828             info!("linker stdout:\n{}", escape_string(&prog.stdout));
829         },
830         Err(e) => {
831             sess.struct_err(&format!("could not exec the linker `{}`: {}", pname, e))
832                 .note(&format!("{:?}", &cmd))
833                 .emit();
834             if sess.target.target.options.is_like_msvc && e.kind() == io::ErrorKind::NotFound {
835                 sess.note_without_error("the msvc targets depend on the msvc linker \
836                     but `link.exe` was not found");
837                 sess.note_without_error("please ensure that VS 2013 or VS 2015 was installed \
838                     with the Visual C++ option");
839             }
840             sess.abort_if_errors();
841         }
842     }
843
844
845     // On macOS, debuggers need this utility to get run to do some munging of
846     // the symbols
847     if sess.target.target.options.is_like_osx && sess.opts.debuginfo != NoDebugInfo {
848         match Command::new("dsymutil").arg(out_filename).output() {
849             Ok(..) => {}
850             Err(e) => sess.fatal(&format!("failed to run dsymutil: {}", e)),
851         }
852     }
853 }
854
855 fn link_args(cmd: &mut Linker,
856              sess: &Session,
857              crate_type: config::CrateType,
858              tmpdir: &Path,
859              objects: &[PathBuf],
860              out_filename: &Path,
861              outputs: &OutputFilenames,
862              trans: &CrateTranslation) {
863
864     // The default library location, we need this to find the runtime.
865     // The location of crates will be determined as needed.
866     let lib_path = sess.target_filesearch(PathKind::All).get_lib_path();
867
868     // target descriptor
869     let t = &sess.target.target;
870
871     cmd.include_path(&fix_windows_verbatim_for_gcc(&lib_path));
872     for obj in objects {
873         cmd.add_object(obj);
874     }
875     cmd.output_filename(out_filename);
876
877     if crate_type == config::CrateTypeExecutable &&
878        sess.target.target.options.is_like_windows {
879         if let Some(ref s) = trans.windows_subsystem {
880             cmd.subsystem(s);
881         }
882     }
883
884     // If we're building a dynamic library then some platforms need to make sure
885     // that all symbols are exported correctly from the dynamic library.
886     if crate_type != config::CrateTypeExecutable ||
887        sess.target.target.options.is_like_emscripten {
888         cmd.export_symbols(tmpdir, crate_type);
889     }
890
891     // When linking a dynamic library, we put the metadata into a section of the
892     // executable. This metadata is in a separate object file from the main
893     // object file, so we link that in here.
894     if crate_type == config::CrateTypeDylib ||
895        crate_type == config::CrateTypeProcMacro {
896         cmd.add_object(&outputs.with_extension(METADATA_OBJ_NAME));
897     }
898
899     // Try to strip as much out of the generated object by removing unused
900     // sections if possible. See more comments in linker.rs
901     if !sess.opts.cg.link_dead_code {
902         let keep_metadata = crate_type == config::CrateTypeDylib;
903         cmd.gc_sections(keep_metadata);
904     }
905
906     let used_link_args = sess.cstore.used_link_args();
907
908     if crate_type == config::CrateTypeExecutable &&
909        t.options.position_independent_executables {
910         let empty_vec = Vec::new();
911         let args = sess.opts.cg.link_args.as_ref().unwrap_or(&empty_vec);
912         let more_args = &sess.opts.cg.link_arg;
913         let mut args = args.iter().chain(more_args.iter()).chain(used_link_args.iter());
914
915         if get_reloc_model(sess) == llvm::RelocMode::PIC
916             && !args.any(|x| *x == "-static") {
917             cmd.position_independent_executable();
918         }
919     }
920
921     // Pass optimization flags down to the linker.
922     cmd.optimize();
923
924     // Pass debuginfo flags down to the linker.
925     cmd.debuginfo();
926
927     // We want to prevent the compiler from accidentally leaking in any system
928     // libraries, so we explicitly ask gcc to not link to any libraries by
929     // default. Note that this does not happen for windows because windows pulls
930     // in some large number of libraries and I couldn't quite figure out which
931     // subset we wanted.
932     if t.options.no_default_libraries {
933         cmd.no_default_libraries();
934     }
935
936     // Take careful note of the ordering of the arguments we pass to the linker
937     // here. Linkers will assume that things on the left depend on things to the
938     // right. Things on the right cannot depend on things on the left. This is
939     // all formally implemented in terms of resolving symbols (libs on the right
940     // resolve unknown symbols of libs on the left, but not vice versa).
941     //
942     // For this reason, we have organized the arguments we pass to the linker as
943     // such:
944     //
945     //  1. The local object that LLVM just generated
946     //  2. Local native libraries
947     //  3. Upstream rust libraries
948     //  4. Upstream native libraries
949     //
950     // The rationale behind this ordering is that those items lower down in the
951     // list can't depend on items higher up in the list. For example nothing can
952     // depend on what we just generated (e.g. that'd be a circular dependency).
953     // Upstream rust libraries are not allowed to depend on our local native
954     // libraries as that would violate the structure of the DAG, in that
955     // scenario they are required to link to them as well in a shared fashion.
956     //
957     // Note that upstream rust libraries may contain native dependencies as
958     // well, but they also can't depend on what we just started to add to the
959     // link line. And finally upstream native libraries can't depend on anything
960     // in this DAG so far because they're only dylibs and dylibs can only depend
961     // on other dylibs (e.g. other native deps).
962     add_local_native_libraries(cmd, sess);
963     add_upstream_rust_crates(cmd, sess, crate_type, tmpdir);
964     add_upstream_native_libraries(cmd, sess, crate_type);
965
966     // # Telling the linker what we're doing
967
968     if crate_type != config::CrateTypeExecutable {
969         cmd.build_dylib(out_filename);
970     }
971
972     // FIXME (#2397): At some point we want to rpath our guesses as to
973     // where extern libraries might live, based on the
974     // addl_lib_search_paths
975     if sess.opts.cg.rpath {
976         let sysroot = sess.sysroot();
977         let target_triple = &sess.opts.target_triple;
978         let mut get_install_prefix_lib_path = || {
979             let install_prefix = option_env!("CFG_PREFIX").expect("CFG_PREFIX");
980             let tlib = filesearch::relative_target_lib_path(sysroot, target_triple);
981             let mut path = PathBuf::from(install_prefix);
982             path.push(&tlib);
983
984             path
985         };
986         let mut rpath_config = RPathConfig {
987             used_crates: sess.cstore.used_crates(LinkagePreference::RequireDynamic),
988             out_filename: out_filename.to_path_buf(),
989             has_rpath: sess.target.target.options.has_rpath,
990             is_like_osx: sess.target.target.options.is_like_osx,
991             linker_is_gnu: sess.target.target.options.linker_is_gnu,
992             get_install_prefix_lib_path: &mut get_install_prefix_lib_path,
993         };
994         cmd.args(&rpath::get_rpath_flags(&mut rpath_config));
995     }
996
997     // Finally add all the linker arguments provided on the command line along
998     // with any #[link_args] attributes found inside the crate
999     if let Some(ref args) = sess.opts.cg.link_args {
1000         cmd.args(args);
1001     }
1002     cmd.args(&sess.opts.cg.link_arg);
1003     cmd.args(&used_link_args);
1004 }
1005
1006 // # Native library linking
1007 //
1008 // User-supplied library search paths (-L on the command line). These are
1009 // the same paths used to find Rust crates, so some of them may have been
1010 // added already by the previous crate linking code. This only allows them
1011 // to be found at compile time so it is still entirely up to outside
1012 // forces to make sure that library can be found at runtime.
1013 //
1014 // Also note that the native libraries linked here are only the ones located
1015 // in the current crate. Upstream crates with native library dependencies
1016 // may have their native library pulled in above.
1017 fn add_local_native_libraries(cmd: &mut Linker, sess: &Session) {
1018     sess.target_filesearch(PathKind::All).for_each_lib_search_path(|path, k| {
1019         match k {
1020             PathKind::Framework => { cmd.framework_path(path); }
1021             _ => { cmd.include_path(&fix_windows_verbatim_for_gcc(path)); }
1022         }
1023     });
1024
1025     let relevant_libs = sess.cstore.used_libraries().into_iter().filter(|l| {
1026         relevant_lib(sess, l)
1027     });
1028
1029     let search_path = archive_search_paths(sess);
1030     for lib in relevant_libs {
1031         match lib.kind {
1032             NativeLibraryKind::NativeUnknown => cmd.link_dylib(&lib.name.as_str()),
1033             NativeLibraryKind::NativeFramework => cmd.link_framework(&lib.name.as_str()),
1034             NativeLibraryKind::NativeStaticNobundle => cmd.link_staticlib(&lib.name.as_str()),
1035             NativeLibraryKind::NativeStatic => cmd.link_whole_staticlib(&lib.name.as_str(),
1036                                                                         &search_path)
1037         }
1038     }
1039 }
1040
1041 // # Rust Crate linking
1042 //
1043 // Rust crates are not considered at all when creating an rlib output. All
1044 // dependencies will be linked when producing the final output (instead of
1045 // the intermediate rlib version)
1046 fn add_upstream_rust_crates(cmd: &mut Linker,
1047                             sess: &Session,
1048                             crate_type: config::CrateType,
1049                             tmpdir: &Path) {
1050     // All of the heavy lifting has previously been accomplished by the
1051     // dependency_format module of the compiler. This is just crawling the
1052     // output of that module, adding crates as necessary.
1053     //
1054     // Linking to a rlib involves just passing it to the linker (the linker
1055     // will slurp up the object files inside), and linking to a dynamic library
1056     // involves just passing the right -l flag.
1057
1058     let formats = sess.dependency_formats.borrow();
1059     let data = formats.get(&crate_type).unwrap();
1060
1061     // Invoke get_used_crates to ensure that we get a topological sorting of
1062     // crates.
1063     let deps = sess.cstore.used_crates(LinkagePreference::RequireDynamic);
1064
1065     let mut compiler_builtins = None;
1066
1067     for &(cnum, _) in &deps {
1068         // We may not pass all crates through to the linker. Some crates may
1069         // appear statically in an existing dylib, meaning we'll pick up all the
1070         // symbols from the dylib.
1071         let src = sess.cstore.used_crate_source(cnum);
1072         match data[cnum.as_usize() - 1] {
1073             _ if sess.cstore.is_sanitizer_runtime(cnum) => {
1074                 link_sanitizer_runtime(cmd, sess, tmpdir, cnum);
1075             }
1076             // compiler-builtins are always placed last to ensure that they're
1077             // linked correctly.
1078             _ if sess.cstore.is_compiler_builtins(cnum) => {
1079                 assert!(compiler_builtins.is_none());
1080                 compiler_builtins = Some(cnum);
1081             }
1082             Linkage::NotLinked |
1083             Linkage::IncludedFromDylib => {}
1084             Linkage::Static => {
1085                 add_static_crate(cmd, sess, tmpdir, crate_type, cnum);
1086             }
1087             Linkage::Dynamic => {
1088                 add_dynamic_crate(cmd, sess, &src.dylib.unwrap().0)
1089             }
1090         }
1091     }
1092
1093     // compiler-builtins are always placed last to ensure that they're
1094     // linked correctly.
1095     // We must always link the `compiler_builtins` crate statically. Even if it
1096     // was already "included" in a dylib (e.g. `libstd` when `-C prefer-dynamic`
1097     // is used)
1098     if let Some(cnum) = compiler_builtins {
1099         add_static_crate(cmd, sess, tmpdir, crate_type, cnum);
1100     }
1101
1102     // Converts a library file-stem into a cc -l argument
1103     fn unlib<'a>(config: &config::Config, stem: &'a str) -> &'a str {
1104         if stem.starts_with("lib") && !config.target.options.is_like_windows {
1105             &stem[3..]
1106         } else {
1107             stem
1108         }
1109     }
1110
1111     // We must link the sanitizer runtime using -Wl,--whole-archive but since
1112     // it's packed in a .rlib, it contains stuff that are not objects that will
1113     // make the linker error. So we must remove those bits from the .rlib before
1114     // linking it.
1115     fn link_sanitizer_runtime(cmd: &mut Linker,
1116                               sess: &Session,
1117                               tmpdir: &Path,
1118                               cnum: CrateNum) {
1119         let src = sess.cstore.used_crate_source(cnum);
1120         let cratepath = &src.rlib.unwrap().0;
1121         let dst = tmpdir.join(cratepath.file_name().unwrap());
1122         let cfg = archive_config(sess, &dst, Some(cratepath));
1123         let mut archive = ArchiveBuilder::new(cfg);
1124         archive.update_symbols();
1125
1126         for f in archive.src_files() {
1127             if f.ends_with("bytecode.deflate") ||
1128                 f == sess.cstore.metadata_filename() {
1129                     archive.remove_file(&f);
1130                     continue
1131                 }
1132         }
1133
1134         archive.build();
1135
1136         cmd.link_whole_rlib(&dst);
1137     }
1138
1139     // Adds the static "rlib" versions of all crates to the command line.
1140     // There's a bit of magic which happens here specifically related to LTO and
1141     // dynamic libraries. Specifically:
1142     //
1143     // * For LTO, we remove upstream object files.
1144     // * For dylibs we remove metadata and bytecode from upstream rlibs
1145     //
1146     // When performing LTO, almost(*) all of the bytecode from the upstream
1147     // libraries has already been included in our object file output. As a
1148     // result we need to remove the object files in the upstream libraries so
1149     // the linker doesn't try to include them twice (or whine about duplicate
1150     // symbols). We must continue to include the rest of the rlib, however, as
1151     // it may contain static native libraries which must be linked in.
1152     //
1153     // (*) Crates marked with `#![no_builtins]` don't participate in LTO and
1154     // their bytecode wasn't included. The object files in those libraries must
1155     // still be passed to the linker.
1156     //
1157     // When making a dynamic library, linkers by default don't include any
1158     // object files in an archive if they're not necessary to resolve the link.
1159     // We basically want to convert the archive (rlib) to a dylib, though, so we
1160     // *do* want everything included in the output, regardless of whether the
1161     // linker thinks it's needed or not. As a result we must use the
1162     // --whole-archive option (or the platform equivalent). When using this
1163     // option the linker will fail if there are non-objects in the archive (such
1164     // as our own metadata and/or bytecode). All in all, for rlibs to be
1165     // entirely included in dylibs, we need to remove all non-object files.
1166     //
1167     // Note, however, that if we're not doing LTO or we're not producing a dylib
1168     // (aka we're making an executable), we can just pass the rlib blindly to
1169     // the linker (fast) because it's fine if it's not actually included as
1170     // we're at the end of the dependency chain.
1171     fn add_static_crate(cmd: &mut Linker,
1172                         sess: &Session,
1173                         tmpdir: &Path,
1174                         crate_type: config::CrateType,
1175                         cnum: CrateNum) {
1176         let src = sess.cstore.used_crate_source(cnum);
1177         let cratepath = &src.rlib.unwrap().0;
1178
1179         // See the comment above in `link_staticlib` and `link_rlib` for why if
1180         // there's a static library that's not relevant we skip all object
1181         // files.
1182         let native_libs = sess.cstore.native_libraries(cnum);
1183         let skip_native = native_libs.iter().any(|lib| {
1184             lib.kind == NativeLibraryKind::NativeStatic && !relevant_lib(sess, lib)
1185         });
1186
1187         if !sess.lto() && crate_type != config::CrateTypeDylib && !skip_native {
1188             cmd.link_rlib(&fix_windows_verbatim_for_gcc(cratepath));
1189             return
1190         }
1191
1192         let dst = tmpdir.join(cratepath.file_name().unwrap());
1193         let name = cratepath.file_name().unwrap().to_str().unwrap();
1194         let name = &name[3..name.len() - 5]; // chop off lib/.rlib
1195
1196         time(sess.time_passes(), &format!("altering {}.rlib", name), || {
1197             let cfg = archive_config(sess, &dst, Some(cratepath));
1198             let mut archive = ArchiveBuilder::new(cfg);
1199             archive.update_symbols();
1200
1201             let mut any_objects = false;
1202             for f in archive.src_files() {
1203                 if f.ends_with("bytecode.deflate") ||
1204                    f == sess.cstore.metadata_filename() {
1205                     archive.remove_file(&f);
1206                     continue
1207                 }
1208
1209                 let canonical = f.replace("-", "_");
1210                 let canonical_name = name.replace("-", "_");
1211
1212                 let is_rust_object =
1213                     canonical.starts_with(&canonical_name) && {
1214                         let num = &f[name.len()..f.len() - 2];
1215                         num.len() > 0 && num[1..].parse::<u32>().is_ok()
1216                     };
1217
1218                 // If we've been requested to skip all native object files
1219                 // (those not generated by the rust compiler) then we can skip
1220                 // this file. See above for why we may want to do this.
1221                 let skip_because_cfg_say_so = skip_native && !is_rust_object;
1222
1223                 // If we're performing LTO and this is a rust-generated object
1224                 // file, then we don't need the object file as it's part of the
1225                 // LTO module. Note that `#![no_builtins]` is excluded from LTO,
1226                 // though, so we let that object file slide.
1227                 let skip_because_lto = sess.lto() && is_rust_object &&
1228                                         !sess.cstore.is_no_builtins(cnum);
1229
1230                 if skip_because_cfg_say_so || skip_because_lto {
1231                     archive.remove_file(&f);
1232                 } else {
1233                     any_objects = true;
1234                 }
1235             }
1236
1237             if !any_objects {
1238                 return
1239             }
1240             archive.build();
1241
1242             // If we're creating a dylib, then we need to include the
1243             // whole of each object in our archive into that artifact. This is
1244             // because a `dylib` can be reused as an intermediate artifact.
1245             //
1246             // Note, though, that we don't want to include the whole of a
1247             // compiler-builtins crate (e.g. compiler-rt) because it'll get
1248             // repeatedly linked anyway.
1249             if crate_type == config::CrateTypeDylib &&
1250                !sess.cstore.is_compiler_builtins(cnum) {
1251                 cmd.link_whole_rlib(&fix_windows_verbatim_for_gcc(&dst));
1252             } else {
1253                 cmd.link_rlib(&fix_windows_verbatim_for_gcc(&dst));
1254             }
1255         });
1256     }
1257
1258     // Same thing as above, but for dynamic crates instead of static crates.
1259     fn add_dynamic_crate(cmd: &mut Linker, sess: &Session, cratepath: &Path) {
1260         // If we're performing LTO, then it should have been previously required
1261         // that all upstream rust dependencies were available in an rlib format.
1262         assert!(!sess.lto());
1263
1264         // Just need to tell the linker about where the library lives and
1265         // what its name is
1266         let parent = cratepath.parent();
1267         if let Some(dir) = parent {
1268             cmd.include_path(&fix_windows_verbatim_for_gcc(dir));
1269         }
1270         let filestem = cratepath.file_stem().unwrap().to_str().unwrap();
1271         cmd.link_rust_dylib(&unlib(&sess.target, filestem),
1272                             parent.unwrap_or(Path::new("")));
1273     }
1274 }
1275
1276 // Link in all of our upstream crates' native dependencies. Remember that
1277 // all of these upstream native dependencies are all non-static
1278 // dependencies. We've got two cases then:
1279 //
1280 // 1. The upstream crate is an rlib. In this case we *must* link in the
1281 // native dependency because the rlib is just an archive.
1282 //
1283 // 2. The upstream crate is a dylib. In order to use the dylib, we have to
1284 // have the dependency present on the system somewhere. Thus, we don't
1285 // gain a whole lot from not linking in the dynamic dependency to this
1286 // crate as well.
1287 //
1288 // The use case for this is a little subtle. In theory the native
1289 // dependencies of a crate are purely an implementation detail of the crate
1290 // itself, but the problem arises with generic and inlined functions. If a
1291 // generic function calls a native function, then the generic function must
1292 // be instantiated in the target crate, meaning that the native symbol must
1293 // also be resolved in the target crate.
1294 fn add_upstream_native_libraries(cmd: &mut Linker, sess: &Session, crate_type: config::CrateType) {
1295     // Be sure to use a topological sorting of crates because there may be
1296     // interdependencies between native libraries. When passing -nodefaultlibs,
1297     // for example, almost all native libraries depend on libc, so we have to
1298     // make sure that's all the way at the right (liblibc is near the base of
1299     // the dependency chain).
1300     //
1301     // This passes RequireStatic, but the actual requirement doesn't matter,
1302     // we're just getting an ordering of crate numbers, we're not worried about
1303     // the paths.
1304     let formats = sess.dependency_formats.borrow();
1305     let data = formats.get(&crate_type).unwrap();
1306
1307     let crates = sess.cstore.used_crates(LinkagePreference::RequireStatic);
1308     for (cnum, _) in crates {
1309         for lib in sess.cstore.native_libraries(cnum) {
1310             if !relevant_lib(sess, &lib) {
1311                 continue
1312             }
1313             match lib.kind {
1314                 NativeLibraryKind::NativeUnknown => cmd.link_dylib(&lib.name.as_str()),
1315                 NativeLibraryKind::NativeFramework => cmd.link_framework(&lib.name.as_str()),
1316                 NativeLibraryKind::NativeStaticNobundle => {
1317                     // Link "static-nobundle" native libs only if the crate they originate from
1318                     // is being linked statically to the current crate.  If it's linked dynamically
1319                     // or is an rlib already included via some other dylib crate, the symbols from
1320                     // native libs will have already been included in that dylib.
1321                     if data[cnum.as_usize() - 1] == Linkage::Static {
1322                         cmd.link_staticlib(&lib.name.as_str())
1323                     }
1324                 },
1325                 // ignore statically included native libraries here as we've
1326                 // already included them when we included the rust library
1327                 // previously
1328                 NativeLibraryKind::NativeStatic => {}
1329             }
1330         }
1331     }
1332 }
1333
1334 fn relevant_lib(sess: &Session, lib: &NativeLibrary) -> bool {
1335     match lib.cfg {
1336         Some(ref cfg) => attr::cfg_matches(cfg, &sess.parse_sess, None),
1337         None => true,
1338     }
1339 }