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