]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_metadata/src/creader.rs
Rollup merge of #80525 - devsnek:wasm64, r=nagisa
[rust.git] / compiler / rustc_metadata / src / creader.rs
1 //! Validates all used crates and extern libraries and loads their metadata
2
3 use crate::dynamic_lib::DynamicLibrary;
4 use crate::locator::{CrateError, CrateLocator, CratePaths};
5 use crate::rmeta::{CrateDep, CrateMetadata, CrateNumMap, CrateRoot, MetadataBlob};
6
7 use rustc_ast::expand::allocator::AllocatorKind;
8 use rustc_ast::{self as ast, *};
9 use rustc_data_structures::fx::{FxHashMap, FxHashSet};
10 use rustc_data_structures::svh::Svh;
11 use rustc_data_structures::sync::Lrc;
12 use rustc_expand::base::SyntaxExtension;
13 use rustc_hir::def_id::{CrateNum, LocalDefId, StableCrateId, LOCAL_CRATE};
14 use rustc_hir::definitions::Definitions;
15 use rustc_index::vec::IndexVec;
16 use rustc_middle::middle::cstore::{CrateDepKind, CrateSource, ExternCrate};
17 use rustc_middle::middle::cstore::{ExternCrateSource, MetadataLoaderDyn};
18 use rustc_middle::ty::TyCtxt;
19 use rustc_serialize::json::ToJson;
20 use rustc_session::config::{self, CrateType, ExternLocation};
21 use rustc_session::lint::{self, BuiltinLintDiagnostics, ExternDepSpec};
22 use rustc_session::output::validate_crate_name;
23 use rustc_session::search_paths::PathKind;
24 use rustc_session::{CrateDisambiguator, Session};
25 use rustc_span::edition::Edition;
26 use rustc_span::symbol::{sym, Symbol};
27 use rustc_span::{Span, DUMMY_SP};
28 use rustc_target::spec::{PanicStrategy, TargetTriple};
29
30 use proc_macro::bridge::client::ProcMacro;
31 use std::collections::BTreeMap;
32 use std::path::Path;
33 use std::{cmp, env};
34 use tracing::{debug, info};
35
36 #[derive(Clone)]
37 pub struct CStore {
38     metas: IndexVec<CrateNum, Option<Lrc<CrateMetadata>>>,
39     injected_panic_runtime: Option<CrateNum>,
40     /// This crate needs an allocator and either provides it itself, or finds it in a dependency.
41     /// If the above is true, then this field denotes the kind of the found allocator.
42     allocator_kind: Option<AllocatorKind>,
43     /// This crate has a `#[global_allocator]` item.
44     has_global_allocator: bool,
45
46     /// This map is used to verify we get no hash conflicts between
47     /// `StableCrateId` values.
48     stable_crate_ids: FxHashMap<StableCrateId, CrateNum>,
49
50     /// Unused externs of the crate
51     unused_externs: Vec<Symbol>,
52 }
53
54 pub struct CrateLoader<'a> {
55     // Immutable configuration.
56     sess: &'a Session,
57     metadata_loader: &'a MetadataLoaderDyn,
58     local_crate_name: Symbol,
59     // Mutable output.
60     cstore: CStore,
61     used_extern_options: FxHashSet<Symbol>,
62 }
63
64 pub enum LoadedMacro {
65     MacroDef(ast::Item, Edition),
66     ProcMacro(SyntaxExtension),
67 }
68
69 crate struct Library {
70     pub source: CrateSource,
71     pub metadata: MetadataBlob,
72 }
73
74 enum LoadResult {
75     Previous(CrateNum),
76     Loaded(Library),
77 }
78
79 /// A reference to `CrateMetadata` that can also give access to whole crate store when necessary.
80 #[derive(Clone, Copy)]
81 crate struct CrateMetadataRef<'a> {
82     pub cdata: &'a CrateMetadata,
83     pub cstore: &'a CStore,
84 }
85
86 impl std::ops::Deref for CrateMetadataRef<'_> {
87     type Target = CrateMetadata;
88
89     fn deref(&self) -> &Self::Target {
90         self.cdata
91     }
92 }
93
94 struct CrateDump<'a>(&'a CStore);
95
96 impl<'a> std::fmt::Debug for CrateDump<'a> {
97     fn fmt(&self, fmt: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
98         writeln!(fmt, "resolved crates:")?;
99         // `iter_crate_data` does not allow returning values. Thus we use a mutable variable here
100         // that aggregates the value (and any errors that could happen).
101         let mut res = Ok(());
102         self.0.iter_crate_data(|cnum, data| {
103             res = res.and(
104                 try {
105                     writeln!(fmt, "  name: {}", data.name())?;
106                     writeln!(fmt, "  cnum: {}", cnum)?;
107                     writeln!(fmt, "  hash: {}", data.hash())?;
108                     writeln!(fmt, "  reqd: {:?}", data.dep_kind())?;
109                     let CrateSource { dylib, rlib, rmeta } = data.source();
110                     if let Some(dylib) = dylib {
111                         writeln!(fmt, "  dylib: {}", dylib.0.display())?;
112                     }
113                     if let Some(rlib) = rlib {
114                         writeln!(fmt, "   rlib: {}", rlib.0.display())?;
115                     }
116                     if let Some(rmeta) = rmeta {
117                         writeln!(fmt, "   rmeta: {}", rmeta.0.display())?;
118                     }
119                 },
120             );
121         });
122         res
123     }
124 }
125
126 impl CStore {
127     crate fn from_tcx(tcx: TyCtxt<'_>) -> &CStore {
128         tcx.cstore_as_any().downcast_ref::<CStore>().expect("`tcx.cstore` is not a `CStore`")
129     }
130
131     fn alloc_new_crate_num(&mut self) -> CrateNum {
132         self.metas.push(None);
133         CrateNum::new(self.metas.len() - 1)
134     }
135
136     crate fn get_crate_data(&self, cnum: CrateNum) -> CrateMetadataRef<'_> {
137         let cdata = self.metas[cnum]
138             .as_ref()
139             .unwrap_or_else(|| panic!("Failed to get crate data for {:?}", cnum));
140         CrateMetadataRef { cdata, cstore: self }
141     }
142
143     fn set_crate_data(&mut self, cnum: CrateNum, data: CrateMetadata) {
144         assert!(self.metas[cnum].is_none(), "Overwriting crate metadata entry");
145         self.metas[cnum] = Some(Lrc::new(data));
146     }
147
148     crate fn iter_crate_data(&self, mut f: impl FnMut(CrateNum, &CrateMetadata)) {
149         for (cnum, data) in self.metas.iter_enumerated() {
150             if let Some(data) = data {
151                 f(cnum, data);
152             }
153         }
154     }
155
156     fn push_dependencies_in_postorder(&self, deps: &mut Vec<CrateNum>, cnum: CrateNum) {
157         if !deps.contains(&cnum) {
158             let data = self.get_crate_data(cnum);
159             for &dep in data.dependencies().iter() {
160                 if dep != cnum {
161                     self.push_dependencies_in_postorder(deps, dep);
162                 }
163             }
164
165             deps.push(cnum);
166         }
167     }
168
169     crate fn crate_dependencies_in_postorder(&self, cnum: CrateNum) -> Vec<CrateNum> {
170         let mut deps = Vec::new();
171         if cnum == LOCAL_CRATE {
172             self.iter_crate_data(|cnum, _| self.push_dependencies_in_postorder(&mut deps, cnum));
173         } else {
174             self.push_dependencies_in_postorder(&mut deps, cnum);
175         }
176         deps
177     }
178
179     fn crate_dependencies_in_reverse_postorder(&self, cnum: CrateNum) -> Vec<CrateNum> {
180         let mut deps = self.crate_dependencies_in_postorder(cnum);
181         deps.reverse();
182         deps
183     }
184
185     crate fn injected_panic_runtime(&self) -> Option<CrateNum> {
186         self.injected_panic_runtime
187     }
188
189     crate fn allocator_kind(&self) -> Option<AllocatorKind> {
190         self.allocator_kind
191     }
192
193     crate fn has_global_allocator(&self) -> bool {
194         self.has_global_allocator
195     }
196
197     pub fn report_unused_deps(&self, tcx: TyCtxt<'_>) {
198         // We put the check for the option before the lint_level_at_node call
199         // because the call mutates internal state and introducing it
200         // leads to some ui tests failing.
201         if !tcx.sess.opts.json_unused_externs {
202             return;
203         }
204         let level = tcx
205             .lint_level_at_node(lint::builtin::UNUSED_CRATE_DEPENDENCIES, rustc_hir::CRATE_HIR_ID)
206             .0;
207         if level != lint::Level::Allow {
208             let unused_externs =
209                 self.unused_externs.iter().map(|ident| ident.to_ident_string()).collect::<Vec<_>>();
210             let unused_externs = unused_externs.iter().map(String::as_str).collect::<Vec<&str>>();
211             tcx.sess
212                 .parse_sess
213                 .span_diagnostic
214                 .emit_unused_externs(level.as_str(), &unused_externs);
215         }
216     }
217 }
218
219 impl<'a> CrateLoader<'a> {
220     pub fn new(
221         sess: &'a Session,
222         metadata_loader: &'a MetadataLoaderDyn,
223         local_crate_name: &str,
224     ) -> Self {
225         let local_crate_stable_id =
226             StableCrateId::new(local_crate_name, sess.local_crate_disambiguator());
227         let mut stable_crate_ids = FxHashMap::default();
228         stable_crate_ids.insert(local_crate_stable_id, LOCAL_CRATE);
229
230         CrateLoader {
231             sess,
232             metadata_loader,
233             local_crate_name: Symbol::intern(local_crate_name),
234             cstore: CStore {
235                 // We add an empty entry for LOCAL_CRATE (which maps to zero) in
236                 // order to make array indices in `metas` match with the
237                 // corresponding `CrateNum`. This first entry will always remain
238                 // `None`.
239                 metas: IndexVec::from_elem_n(None, 1),
240                 injected_panic_runtime: None,
241                 allocator_kind: None,
242                 has_global_allocator: false,
243                 stable_crate_ids,
244                 unused_externs: Vec::new(),
245             },
246             used_extern_options: Default::default(),
247         }
248     }
249
250     pub fn cstore(&self) -> &CStore {
251         &self.cstore
252     }
253
254     pub fn into_cstore(self) -> CStore {
255         self.cstore
256     }
257
258     fn existing_match(&self, name: Symbol, hash: Option<Svh>, kind: PathKind) -> Option<CrateNum> {
259         let mut ret = None;
260         self.cstore.iter_crate_data(|cnum, data| {
261             if data.name() != name {
262                 tracing::trace!("{} did not match {}", data.name(), name);
263                 return;
264             }
265
266             match hash {
267                 Some(hash) if hash == data.hash() => {
268                     ret = Some(cnum);
269                     return;
270                 }
271                 Some(hash) => {
272                     debug!("actual hash {} did not match expected {}", hash, data.hash());
273                     return;
274                 }
275                 None => {}
276             }
277
278             // When the hash is None we're dealing with a top-level dependency
279             // in which case we may have a specification on the command line for
280             // this library. Even though an upstream library may have loaded
281             // something of the same name, we have to make sure it was loaded
282             // from the exact same location as well.
283             //
284             // We're also sure to compare *paths*, not actual byte slices. The
285             // `source` stores paths which are normalized which may be different
286             // from the strings on the command line.
287             let source = self.cstore.get_crate_data(cnum).cdata.source();
288             if let Some(entry) = self.sess.opts.externs.get(&name.as_str()) {
289                 // Only use `--extern crate_name=path` here, not `--extern crate_name`.
290                 if let Some(mut files) = entry.files() {
291                     if files.any(|l| {
292                         let l = l.canonicalized();
293                         source.dylib.as_ref().map(|(p, _)| p) == Some(l)
294                             || source.rlib.as_ref().map(|(p, _)| p) == Some(l)
295                             || source.rmeta.as_ref().map(|(p, _)| p) == Some(l)
296                     }) {
297                         ret = Some(cnum);
298                     }
299                 }
300                 return;
301             }
302
303             // Alright, so we've gotten this far which means that `data` has the
304             // right name, we don't have a hash, and we don't have a --extern
305             // pointing for ourselves. We're still not quite yet done because we
306             // have to make sure that this crate was found in the crate lookup
307             // path (this is a top-level dependency) as we don't want to
308             // implicitly load anything inside the dependency lookup path.
309             let prev_kind = source
310                 .dylib
311                 .as_ref()
312                 .or(source.rlib.as_ref())
313                 .or(source.rmeta.as_ref())
314                 .expect("No sources for crate")
315                 .1;
316             if kind.matches(prev_kind) {
317                 ret = Some(cnum);
318             } else {
319                 debug!(
320                     "failed to load existing crate {}; kind {:?} did not match prev_kind {:?}",
321                     name, kind, prev_kind
322                 );
323             }
324         });
325         ret
326     }
327
328     fn verify_no_symbol_conflicts(&self, root: &CrateRoot<'_>) -> Result<(), CrateError> {
329         // Check for (potential) conflicts with the local crate
330         if self.local_crate_name == root.name()
331             && self.sess.local_crate_disambiguator() == root.disambiguator()
332         {
333             return Err(CrateError::SymbolConflictsCurrent(root.name()));
334         }
335
336         // Check for conflicts with any crate loaded so far
337         let mut res = Ok(());
338         self.cstore.iter_crate_data(|_, other| {
339             if other.name() == root.name() && // same crate-name
340                other.disambiguator() == root.disambiguator() && // same crate-disambiguator
341                other.hash() != root.hash()
342             {
343                 // but different SVH
344                 res = Err(CrateError::SymbolConflictsOthers(root.name()));
345             }
346         });
347
348         res
349     }
350
351     fn verify_no_stable_crate_id_hash_conflicts(
352         &mut self,
353         root: &CrateRoot<'_>,
354         cnum: CrateNum,
355     ) -> Result<(), CrateError> {
356         if let Some(existing) = self.cstore.stable_crate_ids.insert(root.stable_crate_id(), cnum) {
357             let crate_name0 = root.name();
358             let crate_name1 = self.cstore.get_crate_data(existing).name();
359             return Err(CrateError::StableCrateIdCollision(crate_name0, crate_name1));
360         }
361
362         Ok(())
363     }
364
365     fn register_crate(
366         &mut self,
367         host_lib: Option<Library>,
368         root: Option<&CratePaths>,
369         lib: Library,
370         dep_kind: CrateDepKind,
371         name: Symbol,
372     ) -> Result<CrateNum, CrateError> {
373         let _prof_timer = self.sess.prof.generic_activity("metadata_register_crate");
374
375         let Library { source, metadata } = lib;
376         let crate_root = metadata.get_root();
377         let host_hash = host_lib.as_ref().map(|lib| lib.metadata.get_root().hash());
378
379         let private_dep =
380             self.sess.opts.externs.get(&name.as_str()).map_or(false, |e| e.is_private_dep);
381
382         // Claim this crate number and cache it
383         let cnum = self.cstore.alloc_new_crate_num();
384
385         info!(
386             "register crate `{}` (cnum = {}. private_dep = {})",
387             crate_root.name(),
388             cnum,
389             private_dep
390         );
391
392         // Maintain a reference to the top most crate.
393         // Stash paths for top-most crate locally if necessary.
394         let crate_paths;
395         let root = if let Some(root) = root {
396             root
397         } else {
398             crate_paths = CratePaths::new(crate_root.name(), source.clone());
399             &crate_paths
400         };
401
402         let cnum_map = self.resolve_crate_deps(root, &crate_root, &metadata, cnum, dep_kind)?;
403
404         let raw_proc_macros = if crate_root.is_proc_macro_crate() {
405             let temp_root;
406             let (dlsym_source, dlsym_root) = match &host_lib {
407                 Some(host_lib) => (&host_lib.source, {
408                     temp_root = host_lib.metadata.get_root();
409                     &temp_root
410                 }),
411                 None => (&source, &crate_root),
412             };
413             let dlsym_dylib = dlsym_source.dylib.as_ref().expect("no dylib for a proc-macro crate");
414             Some(self.dlsym_proc_macros(&dlsym_dylib.0, dlsym_root.disambiguator())?)
415         } else {
416             None
417         };
418
419         // Perform some verification *after* resolve_crate_deps() above is
420         // known to have been successful. It seems that - in error cases - the
421         // cstore can be in a temporarily invalid state between cnum allocation
422         // and dependency resolution and the verification code would produce
423         // ICEs in that case (see #83045).
424         self.verify_no_symbol_conflicts(&crate_root)?;
425         self.verify_no_stable_crate_id_hash_conflicts(&crate_root, cnum)?;
426
427         let crate_metadata = CrateMetadata::new(
428             self.sess,
429             metadata,
430             crate_root,
431             raw_proc_macros,
432             cnum,
433             cnum_map,
434             dep_kind,
435             source,
436             private_dep,
437             host_hash,
438         );
439
440         self.cstore.set_crate_data(cnum, crate_metadata);
441
442         Ok(cnum)
443     }
444
445     fn load_proc_macro<'b>(
446         &self,
447         locator: &mut CrateLocator<'b>,
448         path_kind: PathKind,
449     ) -> Result<Option<(LoadResult, Option<Library>)>, CrateError>
450     where
451         'a: 'b,
452     {
453         // Use a new crate locator so trying to load a proc macro doesn't affect the error
454         // message we emit
455         let mut proc_macro_locator = locator.clone();
456
457         // Try to load a proc macro
458         proc_macro_locator.is_proc_macro = Some(true);
459
460         // Load the proc macro crate for the target
461         let (locator, target_result) = if self.sess.opts.debugging_opts.dual_proc_macros {
462             proc_macro_locator.reset();
463             let result = match self.load(&mut proc_macro_locator)? {
464                 Some(LoadResult::Previous(cnum)) => {
465                     return Ok(Some((LoadResult::Previous(cnum), None)));
466                 }
467                 Some(LoadResult::Loaded(library)) => Some(LoadResult::Loaded(library)),
468                 None => return Ok(None),
469             };
470             locator.hash = locator.host_hash;
471             // Use the locator when looking for the host proc macro crate, as that is required
472             // so we want it to affect the error message
473             (locator, result)
474         } else {
475             (&mut proc_macro_locator, None)
476         };
477
478         // Load the proc macro crate for the host
479
480         locator.reset();
481         locator.is_proc_macro = Some(true);
482         locator.target = &self.sess.host;
483         locator.triple = TargetTriple::from_triple(config::host_triple());
484         locator.filesearch = self.sess.host_filesearch(path_kind);
485
486         let host_result = match self.load(locator)? {
487             Some(host_result) => host_result,
488             None => return Ok(None),
489         };
490
491         Ok(Some(if self.sess.opts.debugging_opts.dual_proc_macros {
492             let host_result = match host_result {
493                 LoadResult::Previous(..) => {
494                     panic!("host and target proc macros must be loaded in lock-step")
495                 }
496                 LoadResult::Loaded(library) => library,
497             };
498             (target_result.unwrap(), Some(host_result))
499         } else {
500             (host_result, None)
501         }))
502     }
503
504     fn resolve_crate<'b>(
505         &'b mut self,
506         name: Symbol,
507         span: Span,
508         dep_kind: CrateDepKind,
509         dep: Option<(&'b CratePaths, &'b CrateDep)>,
510     ) -> CrateNum {
511         if dep.is_none() {
512             self.used_extern_options.insert(name);
513         }
514         self.maybe_resolve_crate(name, dep_kind, dep)
515             .unwrap_or_else(|err| err.report(self.sess, span))
516     }
517
518     fn maybe_resolve_crate<'b>(
519         &'b mut self,
520         name: Symbol,
521         mut dep_kind: CrateDepKind,
522         dep: Option<(&'b CratePaths, &'b CrateDep)>,
523     ) -> Result<CrateNum, CrateError> {
524         info!("resolving crate `{}`", name);
525         if !name.as_str().is_ascii() {
526             return Err(CrateError::NonAsciiName(name));
527         }
528         let (root, hash, host_hash, extra_filename, path_kind) = match dep {
529             Some((root, dep)) => (
530                 Some(root),
531                 Some(dep.hash),
532                 dep.host_hash,
533                 Some(&dep.extra_filename[..]),
534                 PathKind::Dependency,
535             ),
536             None => (None, None, None, None, PathKind::Crate),
537         };
538         let result = if let Some(cnum) = self.existing_match(name, hash, path_kind) {
539             (LoadResult::Previous(cnum), None)
540         } else {
541             info!("falling back to a load");
542             let mut locator = CrateLocator::new(
543                 self.sess,
544                 self.metadata_loader,
545                 name,
546                 hash,
547                 host_hash,
548                 extra_filename,
549                 false, // is_host
550                 path_kind,
551                 root,
552                 Some(false), // is_proc_macro
553             );
554
555             match self.load(&mut locator)? {
556                 Some(res) => (res, None),
557                 None => {
558                     dep_kind = CrateDepKind::MacrosOnly;
559                     match self.load_proc_macro(&mut locator, path_kind)? {
560                         Some(res) => res,
561                         None => return Err(locator.into_error()),
562                     }
563                 }
564             }
565         };
566
567         match result {
568             (LoadResult::Previous(cnum), None) => {
569                 let data = self.cstore.get_crate_data(cnum);
570                 if data.is_proc_macro_crate() {
571                     dep_kind = CrateDepKind::MacrosOnly;
572                 }
573                 data.update_dep_kind(|data_dep_kind| cmp::max(data_dep_kind, dep_kind));
574                 Ok(cnum)
575             }
576             (LoadResult::Loaded(library), host_library) => {
577                 self.register_crate(host_library, root, library, dep_kind, name)
578             }
579             _ => panic!(),
580         }
581     }
582
583     fn load(&self, locator: &mut CrateLocator<'_>) -> Result<Option<LoadResult>, CrateError> {
584         let library = match locator.maybe_load_library_crate()? {
585             Some(library) => library,
586             None => return Ok(None),
587         };
588
589         // In the case that we're loading a crate, but not matching
590         // against a hash, we could load a crate which has the same hash
591         // as an already loaded crate. If this is the case prevent
592         // duplicates by just using the first crate.
593         //
594         // Note that we only do this for target triple crates, though, as we
595         // don't want to match a host crate against an equivalent target one
596         // already loaded.
597         let root = library.metadata.get_root();
598         Ok(Some(if locator.triple == self.sess.opts.target_triple {
599             let mut result = LoadResult::Loaded(library);
600             self.cstore.iter_crate_data(|cnum, data| {
601                 if data.name() == root.name() && root.hash() == data.hash() {
602                     assert!(locator.hash.is_none());
603                     info!("load success, going to previous cnum: {}", cnum);
604                     result = LoadResult::Previous(cnum);
605                 }
606             });
607             result
608         } else {
609             LoadResult::Loaded(library)
610         }))
611     }
612
613     fn update_extern_crate(&self, cnum: CrateNum, extern_crate: ExternCrate) {
614         let cmeta = self.cstore.get_crate_data(cnum);
615         if cmeta.update_extern_crate(extern_crate) {
616             // Propagate the extern crate info to dependencies if it was updated.
617             let extern_crate = ExternCrate { dependency_of: cnum, ..extern_crate };
618             for &dep_cnum in cmeta.dependencies().iter() {
619                 self.update_extern_crate(dep_cnum, extern_crate);
620             }
621         }
622     }
623
624     // Go through the crate metadata and load any crates that it references
625     fn resolve_crate_deps(
626         &mut self,
627         root: &CratePaths,
628         crate_root: &CrateRoot<'_>,
629         metadata: &MetadataBlob,
630         krate: CrateNum,
631         dep_kind: CrateDepKind,
632     ) -> Result<CrateNumMap, CrateError> {
633         debug!("resolving deps of external crate");
634         if crate_root.is_proc_macro_crate() {
635             return Ok(CrateNumMap::new());
636         }
637
638         // The map from crate numbers in the crate we're resolving to local crate numbers.
639         // We map 0 and all other holes in the map to our parent crate. The "additional"
640         // self-dependencies should be harmless.
641         let deps = crate_root.decode_crate_deps(metadata);
642         let mut crate_num_map = CrateNumMap::with_capacity(1 + deps.len());
643         crate_num_map.push(krate);
644         for dep in deps {
645             info!(
646                 "resolving dep crate {} hash: `{}` extra filename: `{}`",
647                 dep.name, dep.hash, dep.extra_filename
648             );
649             let dep_kind = match dep_kind {
650                 CrateDepKind::MacrosOnly => CrateDepKind::MacrosOnly,
651                 _ => dep.kind,
652             };
653             let cnum = self.maybe_resolve_crate(dep.name, dep_kind, Some((root, &dep)))?;
654             crate_num_map.push(cnum);
655         }
656
657         debug!("resolve_crate_deps: cnum_map for {:?} is {:?}", krate, crate_num_map);
658         Ok(crate_num_map)
659     }
660
661     fn dlsym_proc_macros(
662         &self,
663         path: &Path,
664         disambiguator: CrateDisambiguator,
665     ) -> Result<&'static [ProcMacro], CrateError> {
666         // Make sure the path contains a / or the linker will search for it.
667         let path = env::current_dir().unwrap().join(path);
668         let lib = match DynamicLibrary::open(&path) {
669             Ok(lib) => lib,
670             Err(s) => return Err(CrateError::DlOpen(s)),
671         };
672
673         let sym = self.sess.generate_proc_macro_decls_symbol(disambiguator);
674         let decls = unsafe {
675             let sym = match lib.symbol(&sym) {
676                 Ok(f) => f,
677                 Err(s) => return Err(CrateError::DlSym(s)),
678             };
679             *(sym as *const &[ProcMacro])
680         };
681
682         // Intentionally leak the dynamic library. We can't ever unload it
683         // since the library can make things that will live arbitrarily long.
684         std::mem::forget(lib);
685
686         Ok(decls)
687     }
688
689     fn inject_panic_runtime(&mut self, krate: &ast::Crate) {
690         // If we're only compiling an rlib, then there's no need to select a
691         // panic runtime, so we just skip this section entirely.
692         let any_non_rlib = self.sess.crate_types().iter().any(|ct| *ct != CrateType::Rlib);
693         if !any_non_rlib {
694             info!("panic runtime injection skipped, only generating rlib");
695             return;
696         }
697
698         // If we need a panic runtime, we try to find an existing one here. At
699         // the same time we perform some general validation of the DAG we've got
700         // going such as ensuring everything has a compatible panic strategy.
701         //
702         // The logic for finding the panic runtime here is pretty much the same
703         // as the allocator case with the only addition that the panic strategy
704         // compilation mode also comes into play.
705         let desired_strategy = self.sess.panic_strategy();
706         let mut runtime_found = false;
707         let mut needs_panic_runtime =
708             self.sess.contains_name(&krate.attrs, sym::needs_panic_runtime);
709
710         self.cstore.iter_crate_data(|cnum, data| {
711             needs_panic_runtime = needs_panic_runtime || data.needs_panic_runtime();
712             if data.is_panic_runtime() {
713                 // Inject a dependency from all #![needs_panic_runtime] to this
714                 // #![panic_runtime] crate.
715                 self.inject_dependency_if(cnum, "a panic runtime", &|data| {
716                     data.needs_panic_runtime()
717                 });
718                 runtime_found = runtime_found || data.dep_kind() == CrateDepKind::Explicit;
719             }
720         });
721
722         // If an explicitly linked and matching panic runtime was found, or if
723         // we just don't need one at all, then we're done here and there's
724         // nothing else to do.
725         if !needs_panic_runtime || runtime_found {
726             return;
727         }
728
729         // By this point we know that we (a) need a panic runtime and (b) no
730         // panic runtime was explicitly linked. Here we just load an appropriate
731         // default runtime for our panic strategy and then inject the
732         // dependencies.
733         //
734         // We may resolve to an already loaded crate (as the crate may not have
735         // been explicitly linked prior to this) and we may re-inject
736         // dependencies again, but both of those situations are fine.
737         //
738         // Also note that we have yet to perform validation of the crate graph
739         // in terms of everyone has a compatible panic runtime format, that's
740         // performed later as part of the `dependency_format` module.
741         let name = match desired_strategy {
742             PanicStrategy::Unwind => sym::panic_unwind,
743             PanicStrategy::Abort => sym::panic_abort,
744         };
745         info!("panic runtime not found -- loading {}", name);
746
747         let cnum = self.resolve_crate(name, DUMMY_SP, CrateDepKind::Implicit, None);
748         let data = self.cstore.get_crate_data(cnum);
749
750         // Sanity check the loaded crate to ensure it is indeed a panic runtime
751         // and the panic strategy is indeed what we thought it was.
752         if !data.is_panic_runtime() {
753             self.sess.err(&format!("the crate `{}` is not a panic runtime", name));
754         }
755         if data.panic_strategy() != desired_strategy {
756             self.sess.err(&format!(
757                 "the crate `{}` does not have the panic \
758                                     strategy `{}`",
759                 name,
760                 desired_strategy.desc()
761             ));
762         }
763
764         self.cstore.injected_panic_runtime = Some(cnum);
765         self.inject_dependency_if(cnum, "a panic runtime", &|data| data.needs_panic_runtime());
766     }
767
768     fn inject_profiler_runtime(&mut self, krate: &ast::Crate) {
769         if (self.sess.instrument_coverage()
770             || self.sess.opts.debugging_opts.profile
771             || self.sess.opts.cg.profile_generate.enabled())
772             && !self.sess.opts.debugging_opts.no_profiler_runtime
773         {
774             info!("loading profiler");
775
776             if self.sess.contains_name(&krate.attrs, sym::no_core) {
777                 self.sess.err(
778                     "`profiler_builtins` crate (required by compiler options) \
779                                is not compatible with crate attribute `#![no_core]`",
780                 );
781             }
782
783             let name = sym::profiler_builtins;
784             let cnum = self.resolve_crate(name, DUMMY_SP, CrateDepKind::Implicit, None);
785             let data = self.cstore.get_crate_data(cnum);
786
787             // Sanity check the loaded crate to ensure it is indeed a profiler runtime
788             if !data.is_profiler_runtime() {
789                 self.sess.err("the crate `profiler_builtins` is not a profiler runtime");
790             }
791         }
792     }
793
794     fn inject_allocator_crate(&mut self, krate: &ast::Crate) {
795         self.cstore.has_global_allocator = match &*global_allocator_spans(&self.sess, krate) {
796             [span1, span2, ..] => {
797                 self.sess
798                     .struct_span_err(*span2, "cannot define multiple global allocators")
799                     .span_label(*span2, "cannot define a new global allocator")
800                     .span_label(*span1, "previous global allocator defined here")
801                     .emit();
802                 true
803             }
804             spans => !spans.is_empty(),
805         };
806
807         // Check to see if we actually need an allocator. This desire comes
808         // about through the `#![needs_allocator]` attribute and is typically
809         // written down in liballoc.
810         let mut needs_allocator = self.sess.contains_name(&krate.attrs, sym::needs_allocator);
811         self.cstore.iter_crate_data(|_, data| {
812             needs_allocator = needs_allocator || data.needs_allocator();
813         });
814         if !needs_allocator {
815             return;
816         }
817
818         // At this point we've determined that we need an allocator. Let's see
819         // if our compilation session actually needs an allocator based on what
820         // we're emitting.
821         let all_rlib = self.sess.crate_types().iter().all(|ct| matches!(*ct, CrateType::Rlib));
822         if all_rlib {
823             return;
824         }
825
826         // Ok, we need an allocator. Not only that but we're actually going to
827         // create an artifact that needs one linked in. Let's go find the one
828         // that we're going to link in.
829         //
830         // First up we check for global allocators. Look at the crate graph here
831         // and see what's a global allocator, including if we ourselves are a
832         // global allocator.
833         let mut global_allocator =
834             self.cstore.has_global_allocator.then(|| Symbol::intern("this crate"));
835         self.cstore.iter_crate_data(|_, data| {
836             if !data.has_global_allocator() {
837                 return;
838             }
839             match global_allocator {
840                 Some(other_crate) => {
841                     self.sess.err(&format!(
842                         "the `#[global_allocator]` in {} \
843                                             conflicts with global \
844                                             allocator in: {}",
845                         other_crate,
846                         data.name()
847                     ));
848                 }
849                 None => global_allocator = Some(data.name()),
850             }
851         });
852         if global_allocator.is_some() {
853             self.cstore.allocator_kind = Some(AllocatorKind::Global);
854             return;
855         }
856
857         // Ok we haven't found a global allocator but we still need an
858         // allocator. At this point our allocator request is typically fulfilled
859         // by the standard library, denoted by the `#![default_lib_allocator]`
860         // attribute.
861         let mut has_default = self.sess.contains_name(&krate.attrs, sym::default_lib_allocator);
862         self.cstore.iter_crate_data(|_, data| {
863             if data.has_default_lib_allocator() {
864                 has_default = true;
865             }
866         });
867
868         if !has_default {
869             self.sess.err(
870                 "no global memory allocator found but one is \
871                            required; link to std or \
872                            add `#[global_allocator]` to a static item \
873                            that implements the GlobalAlloc trait.",
874             );
875         }
876         self.cstore.allocator_kind = Some(AllocatorKind::Default);
877     }
878
879     fn inject_dependency_if(
880         &self,
881         krate: CrateNum,
882         what: &str,
883         needs_dep: &dyn Fn(&CrateMetadata) -> bool,
884     ) {
885         // don't perform this validation if the session has errors, as one of
886         // those errors may indicate a circular dependency which could cause
887         // this to stack overflow.
888         if self.sess.has_errors() {
889             return;
890         }
891
892         // Before we inject any dependencies, make sure we don't inject a
893         // circular dependency by validating that this crate doesn't
894         // transitively depend on any crates satisfying `needs_dep`.
895         for dep in self.cstore.crate_dependencies_in_reverse_postorder(krate) {
896             let data = self.cstore.get_crate_data(dep);
897             if needs_dep(&data) {
898                 self.sess.err(&format!(
899                     "the crate `{}` cannot depend \
900                                         on a crate that needs {}, but \
901                                         it depends on `{}`",
902                     self.cstore.get_crate_data(krate).name(),
903                     what,
904                     data.name()
905                 ));
906             }
907         }
908
909         // All crates satisfying `needs_dep` do not explicitly depend on the
910         // crate provided for this compile, but in order for this compilation to
911         // be successfully linked we need to inject a dependency (to order the
912         // crates on the command line correctly).
913         self.cstore.iter_crate_data(|cnum, data| {
914             if !needs_dep(data) {
915                 return;
916             }
917
918             info!("injecting a dep from {} to {}", cnum, krate);
919             data.add_dependency(krate);
920         });
921     }
922
923     fn report_unused_deps(&mut self, krate: &ast::Crate) {
924         // Make a point span rather than covering the whole file
925         let span = krate.span.shrink_to_lo();
926         // Complain about anything left over
927         for (name, entry) in self.sess.opts.externs.iter() {
928             if let ExternLocation::FoundInLibrarySearchDirectories = entry.location {
929                 // Don't worry about pathless `--extern foo` sysroot references
930                 continue;
931             }
932             let name_interned = Symbol::intern(name);
933             if self.used_extern_options.contains(&name_interned) {
934                 continue;
935             }
936
937             // Got a real unused --extern
938             if self.sess.opts.json_unused_externs {
939                 self.cstore.unused_externs.push(name_interned);
940                 continue;
941             }
942
943             let diag = match self.sess.opts.extern_dep_specs.get(name) {
944                 Some(loc) => BuiltinLintDiagnostics::ExternDepSpec(name.clone(), loc.into()),
945                 None => {
946                     // If we don't have a specific location, provide a json encoding of the `--extern`
947                     // option.
948                     let meta: BTreeMap<String, String> =
949                         std::iter::once(("name".to_string(), name.to_string())).collect();
950                     BuiltinLintDiagnostics::ExternDepSpec(
951                         name.clone(),
952                         ExternDepSpec::Json(meta.to_json()),
953                     )
954                 }
955             };
956             self.sess.parse_sess.buffer_lint_with_diagnostic(
957                     lint::builtin::UNUSED_CRATE_DEPENDENCIES,
958                     span,
959                     ast::CRATE_NODE_ID,
960                     &format!(
961                         "external crate `{}` unused in `{}`: remove the dependency or add `use {} as _;`",
962                         name,
963                         self.local_crate_name,
964                         name),
965                     diag,
966                 );
967         }
968     }
969
970     pub fn postprocess(&mut self, krate: &ast::Crate) {
971         self.inject_profiler_runtime(krate);
972         self.inject_allocator_crate(krate);
973         self.inject_panic_runtime(krate);
974
975         self.report_unused_deps(krate);
976
977         info!("{:?}", CrateDump(&self.cstore));
978     }
979
980     pub fn process_extern_crate(
981         &mut self,
982         item: &ast::Item,
983         definitions: &Definitions,
984         def_id: LocalDefId,
985     ) -> CrateNum {
986         match item.kind {
987             ast::ItemKind::ExternCrate(orig_name) => {
988                 debug!(
989                     "resolving extern crate stmt. ident: {} orig_name: {:?}",
990                     item.ident, orig_name
991                 );
992                 let name = match orig_name {
993                     Some(orig_name) => {
994                         validate_crate_name(self.sess, &orig_name.as_str(), Some(item.span));
995                         orig_name
996                     }
997                     None => item.ident.name,
998                 };
999                 let dep_kind = if self.sess.contains_name(&item.attrs, sym::no_link) {
1000                     CrateDepKind::MacrosOnly
1001                 } else {
1002                     CrateDepKind::Explicit
1003                 };
1004
1005                 let cnum = self.resolve_crate(name, item.span, dep_kind, None);
1006
1007                 let path_len = definitions.def_path(def_id).data.len();
1008                 self.update_extern_crate(
1009                     cnum,
1010                     ExternCrate {
1011                         src: ExternCrateSource::Extern(def_id.to_def_id()),
1012                         span: item.span,
1013                         path_len,
1014                         dependency_of: LOCAL_CRATE,
1015                     },
1016                 );
1017                 cnum
1018             }
1019             _ => bug!(),
1020         }
1021     }
1022
1023     pub fn process_path_extern(&mut self, name: Symbol, span: Span) -> CrateNum {
1024         let cnum = self.resolve_crate(name, span, CrateDepKind::Explicit, None);
1025
1026         self.update_extern_crate(
1027             cnum,
1028             ExternCrate {
1029                 src: ExternCrateSource::Path,
1030                 span,
1031                 // to have the least priority in `update_extern_crate`
1032                 path_len: usize::MAX,
1033                 dependency_of: LOCAL_CRATE,
1034             },
1035         );
1036
1037         cnum
1038     }
1039
1040     pub fn maybe_process_path_extern(&mut self, name: Symbol) -> Option<CrateNum> {
1041         self.maybe_resolve_crate(name, CrateDepKind::Explicit, None).ok()
1042     }
1043 }
1044
1045 fn global_allocator_spans(sess: &Session, krate: &ast::Crate) -> Vec<Span> {
1046     struct Finder<'a> {
1047         sess: &'a Session,
1048         name: Symbol,
1049         spans: Vec<Span>,
1050     }
1051     impl<'ast, 'a> visit::Visitor<'ast> for Finder<'a> {
1052         fn visit_item(&mut self, item: &'ast ast::Item) {
1053             if item.ident.name == self.name
1054                 && self.sess.contains_name(&item.attrs, sym::rustc_std_internal_symbol)
1055             {
1056                 self.spans.push(item.span);
1057             }
1058             visit::walk_item(self, item)
1059         }
1060     }
1061
1062     let name = Symbol::intern(&AllocatorKind::Global.fn_name(sym::alloc));
1063     let mut f = Finder { sess, name, spans: Vec::new() };
1064     visit::walk_crate(&mut f, krate);
1065     f.spans
1066 }