Skip to main content

rustc_resolve/
build_reduced_graph.rs

1//! After we obtain a fresh AST fragment from a macro, code in this module helps to integrate
2//! that fragment into the module structures that are already partially built.
3//!
4//! Items from the fragment are placed into modules,
5//! unexpanded macros in the fragment are visited and registered.
6//! Imports are also considered items and placed into modules here, but not resolved yet.
7
8use std::sync::Arc;
9
10use rustc_ast::visit::{self, AssocCtxt, Visitor, WalkItemKind};
11use rustc_ast::{
12    self as ast, AssocItem, AssocItemKind, Block, ConstItem, Delegation, Fn, ForeignItem,
13    ForeignItemKind, Inline, Item, ItemKind, NodeId, StaticItem, StmtKind, TraitAlias, TyAlias,
14};
15use rustc_attr_parsing as attr;
16use rustc_attr_parsing::AttributeParser;
17use rustc_expand::base::ResolverExpand;
18use rustc_expand::expand::AstFragment;
19use rustc_hir::Attribute;
20use rustc_hir::attrs::{AttributeKind, MacroUseArgs};
21use rustc_hir::def::{self, *};
22use rustc_hir::def_id::{CRATE_DEF_ID, DefId, LocalDefId};
23use rustc_index::bit_set::DenseBitSet;
24use rustc_metadata::creader::LoadedMacro;
25use rustc_middle::metadata::{ModChild, Reexport};
26use rustc_middle::ty::{Feed, Visibility};
27use rustc_middle::{bug, span_bug};
28use rustc_span::hygiene::{ExpnId, LocalExpnId, MacroKind};
29use rustc_span::{Ident, Span, Symbol, kw, sym};
30use thin_vec::ThinVec;
31use tracing::debug;
32
33use crate::Namespace::{MacroNS, TypeNS, ValueNS};
34use crate::def_collector::collect_definitions;
35use crate::imports::{ImportData, ImportKind};
36use crate::macros::{MacroRulesDecl, MacroRulesScope, MacroRulesScopeRef};
37use crate::ref_mut::CmCell;
38use crate::{
39    BindingKey, Decl, DeclData, DeclKind, ExternPreludeEntry, Finalize, IdentKey, MacroData,
40    Module, ModuleKind, ModuleOrUniformRoot, ParentScope, PathResult, ResolutionError, Resolver,
41    Segment, Used, VisResolutionError, errors,
42};
43
44type Res = def::Res<NodeId>;
45
46impl<'ra, 'tcx> Resolver<'ra, 'tcx> {
47    /// Attempt to put the declaration with the given name and namespace into the module,
48    /// and report an error in case of a collision.
49    pub(crate) fn plant_decl_into_local_module(
50        &mut self,
51        ident: IdentKey,
52        orig_ident_span: Span,
53        ns: Namespace,
54        decl: Decl<'ra>,
55    ) {
56        if let Err(old_decl) =
57            self.try_plant_decl_into_local_module(ident, orig_ident_span, ns, decl, false)
58        {
59            self.report_conflict(ident, ns, old_decl, decl);
60        }
61    }
62
63    /// Create a name definition from the given components, and put it into the local module.
64    fn define_local(
65        &mut self,
66        parent: Module<'ra>,
67        orig_ident: Ident,
68        ns: Namespace,
69        res: Res,
70        vis: Visibility,
71        span: Span,
72        expn_id: LocalExpnId,
73    ) {
74        let decl = self.arenas.new_def_decl(res, vis.to_def_id(), span, expn_id, Some(parent));
75        let ident = IdentKey::new(orig_ident);
76        self.plant_decl_into_local_module(ident, orig_ident.span, ns, decl);
77    }
78
79    /// Create a name definition from the given components, and put it into the extern module.
80    fn define_extern(
81        &self,
82        parent: Module<'ra>,
83        ident: IdentKey,
84        orig_ident_span: Span,
85        ns: Namespace,
86        child_index: usize,
87        res: Res,
88        vis: Visibility<DefId>,
89        span: Span,
90        expansion: LocalExpnId,
91        ambiguity: Option<Decl<'ra>>,
92    ) {
93        let decl = self.arenas.alloc_decl(DeclData {
94            kind: DeclKind::Def(res),
95            ambiguity: CmCell::new(ambiguity),
96            // External ambiguities always report the `AMBIGUOUS_GLOB_IMPORTS` lint at the moment.
97            warn_ambiguity: CmCell::new(true),
98            vis: CmCell::new(vis),
99            span,
100            expansion,
101            parent_module: Some(parent),
102        });
103        // Even if underscore names cannot be looked up, we still need to add them to modules,
104        // because they can be fetched by glob imports from those modules, and bring traits
105        // into scope both directly and through glob imports.
106        let key =
107            BindingKey::new_disambiguated(ident, ns, || (child_index + 1).try_into().unwrap()); // 0 indicates no underscore
108        if self
109            .resolution_or_default(parent, key, orig_ident_span)
110            .borrow_mut_unchecked()
111            .non_glob_decl
112            .replace(decl)
113            .is_some()
114        {
115            ::rustc_middle::util::bug::span_bug_fmt(span,
    format_args!("an external binding was already defined"));span_bug!(span, "an external binding was already defined");
116        }
117    }
118
119    /// Walks up the tree of definitions starting at `def_id`,
120    /// stopping at the first encountered module.
121    /// Parent block modules for arbitrary def-ids are not recorded for the local crate,
122    /// and are not preserved in metadata for foreign crates, so block modules are never
123    /// returned by this function.
124    ///
125    /// For the local crate ignoring block modules may be incorrect, so use this method with care.
126    ///
127    /// For foreign crates block modules can be ignored without introducing observable differences,
128    /// moreover they has to be ignored right now because they are not kept in metadata.
129    /// Foreign parent modules are used for resolving names used by foreign macros with def-site
130    /// hygiene, therefore block module ignorability relies on macros with def-site hygiene and
131    /// block module parents being unreachable from other crates.
132    /// Reachable macros with block module parents exist due to `#[macro_export] macro_rules!`,
133    /// but they cannot use def-site hygiene, so the assumption holds
134    /// (<https://github.com/rust-lang/rust/pull/77984#issuecomment-712445508>).
135    pub(crate) fn get_nearest_non_block_module(&self, mut def_id: DefId) -> Module<'ra> {
136        loop {
137            match self.get_module(def_id) {
138                Some(module) => return module,
139                None => def_id = self.tcx.parent(def_id),
140            }
141        }
142    }
143
144    pub(crate) fn expect_module(&self, def_id: DefId) -> Module<'ra> {
145        self.get_module(def_id).expect("argument `DefId` is not a module")
146    }
147
148    /// If `def_id` refers to a module (in resolver's sense, i.e. a module item, crate root, enum,
149    /// or trait), then this function returns that module's resolver representation, otherwise it
150    /// returns `None`.
151    pub(crate) fn get_module(&self, def_id: DefId) -> Option<Module<'ra>> {
152        match def_id.as_local() {
153            Some(local_def_id) => self.local_module_map.get(&local_def_id).copied(),
154            None => {
155                if let module @ Some(..) = self.extern_module_map.borrow().get(&def_id) {
156                    return module.copied();
157                }
158
159                // Query `def_kind` is not used because query system overhead is too expensive here.
160                let def_kind = self.cstore().def_kind_untracked(self.tcx, def_id);
161                if def_kind.is_module_like() {
162                    let parent = self
163                        .tcx
164                        .opt_parent(def_id)
165                        .map(|parent_id| self.get_nearest_non_block_module(parent_id));
166                    // Query `expn_that_defined` is not used because
167                    // hashing spans in its result is expensive.
168                    let expn_id = self.cstore().expn_that_defined_untracked(self.tcx, def_id);
169                    return Some(self.new_extern_module(
170                        parent,
171                        ModuleKind::Def(def_kind, def_id, Some(self.tcx.item_name(def_id))),
172                        expn_id,
173                        self.def_span(def_id),
174                        // FIXME: Account for `#[no_implicit_prelude]` attributes.
175                        parent.is_some_and(|module| module.no_implicit_prelude),
176                    ));
177                }
178
179                None
180            }
181        }
182    }
183
184    pub(crate) fn expn_def_scope(&self, expn_id: ExpnId) -> Module<'ra> {
185        match expn_id.expn_data().macro_def_id {
186            Some(def_id) => self.macro_def_scope(def_id),
187            None => expn_id
188                .as_local()
189                .and_then(|expn_id| self.ast_transform_scopes.get(&expn_id).copied())
190                .unwrap_or(self.graph_root),
191        }
192    }
193
194    pub(crate) fn macro_def_scope(&self, def_id: DefId) -> Module<'ra> {
195        if let Some(id) = def_id.as_local() {
196            self.local_macro_def_scopes[&id]
197        } else {
198            self.get_nearest_non_block_module(def_id)
199        }
200    }
201
202    pub(crate) fn get_macro(&self, res: Res) -> Option<&'ra MacroData> {
203        match res {
204            Res::Def(DefKind::Macro(..), def_id) => Some(self.get_macro_by_def_id(def_id)),
205            Res::NonMacroAttr(_) => Some(self.non_macro_attr),
206            _ => None,
207        }
208    }
209
210    pub(crate) fn get_macro_by_def_id(&self, def_id: DefId) -> &'ra MacroData {
211        // Local macros are always compiled.
212        match def_id.as_local() {
213            Some(local_def_id) => self.local_macro_map[&local_def_id],
214            None => *self.extern_macro_map.borrow_mut().entry(def_id).or_insert_with(|| {
215                let loaded_macro = self.cstore().load_macro_untracked(self.tcx, def_id);
216                let macro_data = match loaded_macro {
217                    LoadedMacro::MacroDef { def, ident, attrs, span, edition } => {
218                        self.compile_macro(&def, ident, &attrs, span, ast::DUMMY_NODE_ID, edition)
219                    }
220                    LoadedMacro::ProcMacro(ext) => MacroData::new(Arc::new(ext)),
221                };
222
223                self.arenas.alloc_macro(macro_data)
224            }),
225        }
226    }
227
228    /// Add every proc macro accessible from the current crate to the `macro_map` so diagnostics can
229    /// find them for suggestions.
230    pub(crate) fn register_macros_for_all_crates(&mut self) {
231        if !self.all_crate_macros_already_registered {
232            for def_id in self.cstore().all_proc_macro_def_ids(self.tcx) {
233                self.get_macro_by_def_id(def_id);
234            }
235            self.all_crate_macros_already_registered = true;
236        }
237    }
238
239    pub(crate) fn build_reduced_graph(
240        &mut self,
241        fragment: &AstFragment,
242        parent_scope: ParentScope<'ra>,
243    ) -> MacroRulesScopeRef<'ra> {
244        collect_definitions(self, fragment, parent_scope.expansion);
245        let mut visitor = BuildReducedGraphVisitor { r: self, parent_scope };
246        fragment.visit_with(&mut visitor);
247        visitor.parent_scope.macro_rules
248    }
249
250    pub(crate) fn build_reduced_graph_external(&self, module: Module<'ra>) {
251        let def_id = module.def_id();
252        let children = self.tcx.module_children(def_id);
253        let parent_scope = ParentScope::module(module, self.arenas);
254        for (i, child) in children.iter().enumerate() {
255            self.build_reduced_graph_for_external_crate_res(child, parent_scope, i, None)
256        }
257        for (i, child) in
258            self.cstore().ambig_module_children_untracked(self.tcx, def_id).enumerate()
259        {
260            self.build_reduced_graph_for_external_crate_res(
261                &child.main,
262                parent_scope,
263                children.len() + i,
264                Some(&child.second),
265            )
266        }
267    }
268
269    /// Builds the reduced graph for a single item in an external crate.
270    fn build_reduced_graph_for_external_crate_res(
271        &self,
272        child: &ModChild,
273        parent_scope: ParentScope<'ra>,
274        child_index: usize,
275        ambig_child: Option<&ModChild>,
276    ) {
277        let parent = parent_scope.module;
278        let child_span = |this: &Self, reexport_chain: &[Reexport], res: def::Res<_>| {
279            this.def_span(
280                reexport_chain
281                    .first()
282                    .and_then(|reexport| reexport.id())
283                    .unwrap_or_else(|| res.def_id()),
284            )
285        };
286        let ModChild { ident: orig_ident, res, vis, ref reexport_chain } = *child;
287        let ident = IdentKey::new(orig_ident);
288        let span = child_span(self, reexport_chain, res);
289        let res = res.expect_non_local();
290        let expansion = parent_scope.expansion;
291        let ambig = ambig_child.map(|ambig_child| {
292            let ModChild { ident: _, res, vis, ref reexport_chain } = *ambig_child;
293            let span = child_span(self, reexport_chain, res);
294            let res = res.expect_non_local();
295            self.arenas.new_def_decl(res, vis, span, expansion, Some(parent))
296        });
297
298        // Record primary definitions.
299        let define_extern = |ns| {
300            self.define_extern(
301                parent,
302                ident,
303                orig_ident.span,
304                ns,
305                child_index,
306                res,
307                vis,
308                span,
309                expansion,
310                ambig,
311            )
312        };
313        match res {
314            Res::Def(
315                DefKind::Mod
316                | DefKind::Enum
317                | DefKind::Trait
318                | DefKind::Struct
319                | DefKind::Union
320                | DefKind::Variant
321                | DefKind::TyAlias
322                | DefKind::ForeignTy
323                | DefKind::OpaqueTy
324                | DefKind::TraitAlias
325                | DefKind::AssocTy,
326                _,
327            )
328            | Res::PrimTy(..)
329            | Res::ToolMod => define_extern(TypeNS),
330            Res::Def(
331                DefKind::Fn
332                | DefKind::AssocFn
333                | DefKind::Static { .. }
334                | DefKind::Const
335                | DefKind::AssocConst
336                | DefKind::Ctor(..),
337                _,
338            ) => define_extern(ValueNS),
339            Res::Def(DefKind::Macro(..), _) | Res::NonMacroAttr(..) => define_extern(MacroNS),
340            Res::Def(
341                DefKind::TyParam
342                | DefKind::ConstParam
343                | DefKind::ExternCrate
344                | DefKind::Use
345                | DefKind::ForeignMod
346                | DefKind::AnonConst
347                | DefKind::InlineConst
348                | DefKind::Field
349                | DefKind::LifetimeParam
350                | DefKind::GlobalAsm
351                | DefKind::Closure
352                | DefKind::SyntheticCoroutineBody
353                | DefKind::Impl { .. },
354                _,
355            )
356            | Res::Local(..)
357            | Res::SelfTyParam { .. }
358            | Res::SelfTyAlias { .. }
359            | Res::SelfCtor(..)
360            | Res::Err => ::rustc_middle::util::bug::bug_fmt(format_args!("unexpected resolution: {0:?}",
        res))bug!("unexpected resolution: {:?}", res),
361        }
362    }
363}
364
365struct BuildReducedGraphVisitor<'a, 'ra, 'tcx> {
366    r: &'a mut Resolver<'ra, 'tcx>,
367    parent_scope: ParentScope<'ra>,
368}
369
370impl<'ra, 'tcx> AsMut<Resolver<'ra, 'tcx>> for BuildReducedGraphVisitor<'_, 'ra, 'tcx> {
371    fn as_mut(&mut self) -> &mut Resolver<'ra, 'tcx> {
372        self.r
373    }
374}
375
376impl<'a, 'ra, 'tcx> BuildReducedGraphVisitor<'a, 'ra, 'tcx> {
377    fn res(&self, def_id: impl Into<DefId>) -> Res {
378        let def_id = def_id.into();
379        Res::Def(self.r.tcx.def_kind(def_id), def_id)
380    }
381
382    fn resolve_visibility(&mut self, vis: &ast::Visibility) -> Visibility {
383        self.try_resolve_visibility(vis, true).unwrap_or_else(|err| {
384            self.r.report_vis_error(err);
385            Visibility::Public
386        })
387    }
388
389    fn try_resolve_visibility<'ast>(
390        &mut self,
391        vis: &'ast ast::Visibility,
392        finalize: bool,
393    ) -> Result<Visibility, VisResolutionError<'ast>> {
394        let parent_scope = &self.parent_scope;
395        match vis.kind {
396            ast::VisibilityKind::Public => Ok(Visibility::Public),
397            ast::VisibilityKind::Inherited => {
398                Ok(match self.parent_scope.module.kind {
399                    // Any inherited visibility resolved directly inside an enum or trait
400                    // (i.e. variants, fields, and trait items) inherits from the visibility
401                    // of the enum or trait.
402                    ModuleKind::Def(DefKind::Enum | DefKind::Trait, def_id, _) => {
403                        self.r.tcx.visibility(def_id).expect_local()
404                    }
405                    // Otherwise, the visibility is restricted to the nearest parent `mod` item.
406                    _ => Visibility::Restricted(
407                        self.parent_scope.module.nearest_parent_mod().expect_local(),
408                    ),
409                })
410            }
411            ast::VisibilityKind::Restricted { ref path, id, .. } => {
412                // For visibilities we are not ready to provide correct implementation of "uniform
413                // paths" right now, so on 2018 edition we only allow module-relative paths for now.
414                // On 2015 edition visibilities are resolved as crate-relative by default,
415                // so we are prepending a root segment if necessary.
416                let ident = path.segments.get(0).expect("empty path in visibility").ident;
417                let crate_root = if ident.is_path_segment_keyword() {
418                    None
419                } else if ident.span.is_rust_2015() {
420                    Some(Segment::from_ident(Ident::new(
421                        kw::PathRoot,
422                        path.span.shrink_to_lo().with_ctxt(ident.span.ctxt()),
423                    )))
424                } else {
425                    return Err(VisResolutionError::Relative2018(ident.span, path));
426                };
427
428                let segments = crate_root
429                    .into_iter()
430                    .chain(path.segments.iter().map(|seg| seg.into()))
431                    .collect::<Vec<_>>();
432                let expected_found_error = |res| {
433                    Err(VisResolutionError::ExpectedFound(
434                        path.span,
435                        Segment::names_to_string(&segments),
436                        res,
437                    ))
438                };
439                match self.r.cm().resolve_path(
440                    &segments,
441                    None,
442                    parent_scope,
443                    finalize.then(|| Finalize::new(id, path.span)),
444                    None,
445                    None,
446                ) {
447                    PathResult::Module(ModuleOrUniformRoot::Module(module)) => {
448                        let res = module.res().expect("visibility resolved to unnamed block");
449                        if finalize {
450                            self.r.record_partial_res(id, PartialRes::new(res));
451                        }
452                        if module.is_normal() {
453                            match res {
454                                Res::Err => Ok(Visibility::Public),
455                                _ => {
456                                    let vis = Visibility::Restricted(res.def_id());
457                                    if self.r.is_accessible_from(vis, parent_scope.module) {
458                                        Ok(vis.expect_local())
459                                    } else {
460                                        Err(VisResolutionError::AncestorOnly(path.span))
461                                    }
462                                }
463                            }
464                        } else {
465                            expected_found_error(res)
466                        }
467                    }
468                    PathResult::Module(..) => Err(VisResolutionError::ModuleOnly(path.span)),
469                    PathResult::NonModule(partial_res) => {
470                        expected_found_error(partial_res.expect_full_res())
471                    }
472                    PathResult::Failed {
473                        span, label, suggestion, message, segment_name, ..
474                    } => Err(VisResolutionError::FailedToResolve(
475                        span,
476                        segment_name,
477                        label,
478                        suggestion,
479                        message,
480                    )),
481                    PathResult::Indeterminate => Err(VisResolutionError::Indeterminate(path.span)),
482                }
483            }
484        }
485    }
486
487    fn insert_field_idents(&mut self, def_id: LocalDefId, fields: &[ast::FieldDef]) {
488        if fields.iter().any(|field| field.is_placeholder) {
489            // The fields are not expanded yet.
490            return;
491        }
492        let field_name = |i, field: &ast::FieldDef| {
493            field.ident.unwrap_or_else(|| Ident::from_str_and_span(&::alloc::__export::must_use({ ::alloc::fmt::format(format_args!("{0}", i)) })format!("{i}"), field.span))
494        };
495        let field_names: Vec<_> =
496            fields.iter().enumerate().map(|(i, field)| field_name(i, field)).collect();
497        let defaults = fields
498            .iter()
499            .enumerate()
500            .filter_map(|(i, field)| field.default.as_ref().map(|_| field_name(i, field).name))
501            .collect();
502        self.r.field_names.insert(def_id, field_names);
503        self.r.field_defaults.insert(def_id, defaults);
504    }
505
506    fn insert_field_visibilities_local(&mut self, def_id: DefId, fields: &[ast::FieldDef]) {
507        let field_vis = fields
508            .iter()
509            .map(|field| field.vis.span.until(field.ident.map_or(field.ty.span, |i| i.span)))
510            .collect();
511        self.r.field_visibility_spans.insert(def_id, field_vis);
512    }
513
514    fn block_needs_anonymous_module(&self, block: &Block) -> bool {
515        // If any statements are items, we need to create an anonymous module
516        block
517            .stmts
518            .iter()
519            .any(|statement| #[allow(non_exhaustive_omitted_patterns)] match statement.kind {
    StmtKind::Item(_) | StmtKind::MacCall(_) => true,
    _ => false,
}matches!(statement.kind, StmtKind::Item(_) | StmtKind::MacCall(_)))
520    }
521
522    // Add an import to the current module.
523    fn add_import(
524        &mut self,
525        module_path: Vec<Segment>,
526        kind: ImportKind<'ra>,
527        span: Span,
528        item: &ast::Item,
529        root_span: Span,
530        root_id: NodeId,
531        vis: Visibility,
532    ) {
533        let current_module = self.parent_scope.module;
534        let import = self.r.arenas.alloc_import(ImportData {
535            kind,
536            parent_scope: self.parent_scope,
537            module_path,
538            imported_module: CmCell::new(None),
539            span,
540            use_span: item.span,
541            use_span_with_attributes: item.span_with_attributes(),
542            has_attributes: !item.attrs.is_empty(),
543            root_span,
544            root_id,
545            vis,
546            vis_span: item.vis.span,
547        });
548
549        self.r.indeterminate_imports.push(import);
550        match import.kind {
551            ImportKind::Single { target, type_ns_only, .. } => {
552                // Don't add underscore imports to `single_imports`
553                // because they cannot define any usable names.
554                if target.name != kw::Underscore {
555                    self.r.per_ns(|this, ns| {
556                        if !type_ns_only || ns == TypeNS {
557                            let key = BindingKey::new(IdentKey::new(target), ns);
558                            this.resolution_or_default(current_module, key, target.span)
559                                .borrow_mut(this)
560                                .single_imports
561                                .insert(import);
562                        }
563                    });
564                }
565            }
566            ImportKind::Glob { .. } => current_module.globs.borrow_mut(self.r).push(import),
567            _ => ::core::panicking::panic("internal error: entered unreachable code")unreachable!(),
568        }
569    }
570
571    fn build_reduced_graph_for_use_tree(
572        &mut self,
573        // This particular use tree
574        use_tree: &ast::UseTree,
575        id: NodeId,
576        parent_prefix: &[Segment],
577        nested: bool,
578        list_stem: bool,
579        // The whole `use` item
580        item: &Item,
581        vis: Visibility,
582        root_span: Span,
583    ) {
584        {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_resolve/src/build_reduced_graph.rs:584",
                        "rustc_resolve::build_reduced_graph",
                        ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_resolve/src/build_reduced_graph.rs"),
                        ::tracing_core::__macro_support::Option::Some(584u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_resolve::build_reduced_graph"),
                        ::tracing_core::field::FieldSet::new(&["message"],
                            ::tracing_core::callsite::Identifier(&__CALLSITE)),
                        ::tracing::metadata::Kind::EVENT)
                };
            ::tracing::callsite::DefaultCallsite::new(&META)
        };
    let enabled =
        ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::DEBUG <=
                    ::tracing::level_filters::LevelFilter::current() &&
            {
                let interest = __CALLSITE.interest();
                !interest.is_never() &&
                    ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                        interest)
            };
    if enabled {
        (|value_set: ::tracing::field::ValueSet|
                    {
                        let meta = __CALLSITE.metadata();
                        ::tracing::Event::dispatch(meta, &value_set);
                        ;
                    })({
                #[allow(unused_imports)]
                use ::tracing::field::{debug, display, Value};
                let mut iter = __CALLSITE.metadata().fields().iter();
                __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&format_args!("build_reduced_graph_for_use_tree(parent_prefix={0:?}, use_tree={1:?}, nested={2})",
                                                    parent_prefix, use_tree, nested) as &dyn Value))])
            });
    } else { ; }
};debug!(
585            "build_reduced_graph_for_use_tree(parent_prefix={:?}, use_tree={:?}, nested={})",
586            parent_prefix, use_tree, nested
587        );
588
589        // Top level use tree reuses the item's id and list stems reuse their parent
590        // use tree's ids, so in both cases their visibilities are already filled.
591        if nested && !list_stem {
592            self.r.feed_visibility(self.r.feed(id), vis);
593        }
594
595        let mut prefix_iter = parent_prefix
596            .iter()
597            .cloned()
598            .chain(use_tree.prefix.segments.iter().map(|seg| seg.into()))
599            .peekable();
600
601        // On 2015 edition imports are resolved as crate-relative by default,
602        // so prefixes are prepended with crate root segment if necessary.
603        // The root is prepended lazily, when the first non-empty prefix or terminating glob
604        // appears, so imports in braced groups can have roots prepended independently.
605        let is_glob = #[allow(non_exhaustive_omitted_patterns)] match use_tree.kind {
    ast::UseTreeKind::Glob => true,
    _ => false,
}matches!(use_tree.kind, ast::UseTreeKind::Glob);
606        let crate_root = match prefix_iter.peek() {
607            Some(seg) if !seg.ident.is_path_segment_keyword() && seg.ident.span.is_rust_2015() => {
608                Some(seg.ident.span.ctxt())
609            }
610            None if is_glob && use_tree.span.is_rust_2015() => Some(use_tree.span.ctxt()),
611            _ => None,
612        }
613        .map(|ctxt| {
614            Segment::from_ident(Ident::new(
615                kw::PathRoot,
616                use_tree.prefix.span.shrink_to_lo().with_ctxt(ctxt),
617            ))
618        });
619
620        let prefix = crate_root.into_iter().chain(prefix_iter).collect::<Vec<_>>();
621        {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_resolve/src/build_reduced_graph.rs:621",
                        "rustc_resolve::build_reduced_graph",
                        ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_resolve/src/build_reduced_graph.rs"),
                        ::tracing_core::__macro_support::Option::Some(621u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_resolve::build_reduced_graph"),
                        ::tracing_core::field::FieldSet::new(&["message"],
                            ::tracing_core::callsite::Identifier(&__CALLSITE)),
                        ::tracing::metadata::Kind::EVENT)
                };
            ::tracing::callsite::DefaultCallsite::new(&META)
        };
    let enabled =
        ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::DEBUG <=
                    ::tracing::level_filters::LevelFilter::current() &&
            {
                let interest = __CALLSITE.interest();
                !interest.is_never() &&
                    ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                        interest)
            };
    if enabled {
        (|value_set: ::tracing::field::ValueSet|
                    {
                        let meta = __CALLSITE.metadata();
                        ::tracing::Event::dispatch(meta, &value_set);
                        ;
                    })({
                #[allow(unused_imports)]
                use ::tracing::field::{debug, display, Value};
                let mut iter = __CALLSITE.metadata().fields().iter();
                __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&format_args!("build_reduced_graph_for_use_tree: prefix={0:?}",
                                                    prefix) as &dyn Value))])
            });
    } else { ; }
};debug!("build_reduced_graph_for_use_tree: prefix={:?}", prefix);
622
623        let empty_for_self = |prefix: &[Segment]| {
624            prefix.is_empty() || prefix.len() == 1 && prefix[0].ident.name == kw::PathRoot
625        };
626        match use_tree.kind {
627            ast::UseTreeKind::Simple(rename) => {
628                let mut ident = use_tree.ident();
629                let mut module_path = prefix;
630                let mut source = module_path.pop().unwrap();
631                let mut type_ns_only = false;
632
633                if nested {
634                    // Correctly handle `self`
635                    if source.ident.name == kw::SelfLower {
636                        type_ns_only = true;
637
638                        if empty_for_self(&module_path) {
639                            self.r.report_error(
640                                use_tree.span,
641                                ResolutionError::SelfImportOnlyInImportListWithNonEmptyPrefix,
642                            );
643                            return;
644                        }
645
646                        // Replace `use foo::{ self };` with `use foo;`
647                        let self_span = source.ident.span;
648                        source = module_path.pop().unwrap();
649                        if rename.is_none() {
650                            // Keep the span of `self`, but the name of `foo`
651                            ident = Ident::new(source.ident.name, self_span);
652                        }
653                    }
654                } else {
655                    // Disallow `self`
656                    if source.ident.name == kw::SelfLower {
657                        let parent = module_path.last();
658
659                        let span = match parent {
660                            // only `::self` from `use foo::self as bar`
661                            Some(seg) => seg.ident.span.shrink_to_hi().to(source.ident.span),
662                            None => source.ident.span,
663                        };
664                        let span_with_rename = match rename {
665                            // only `self as bar` from `use foo::self as bar`
666                            Some(rename) => source.ident.span.to(rename.span),
667                            None => source.ident.span,
668                        };
669                        self.r.report_error(
670                            span,
671                            ResolutionError::SelfImportsOnlyAllowedWithin {
672                                root: parent.is_none(),
673                                span_with_rename,
674                            },
675                        );
676
677                        // Error recovery: replace `use foo::self;` with `use foo;`
678                        if let Some(parent) = module_path.pop() {
679                            source = parent;
680                            if rename.is_none() {
681                                ident = source.ident;
682                            }
683                        }
684                    }
685
686                    // Disallow `use $crate;`
687                    if source.ident.name == kw::DollarCrate && module_path.is_empty() {
688                        let crate_root = self.r.resolve_crate_root(source.ident);
689                        let crate_name = match crate_root.kind {
690                            ModuleKind::Def(.., name) => name,
691                            ModuleKind::Block => ::core::panicking::panic("internal error: entered unreachable code")unreachable!(),
692                        };
693                        // HACK(eddyb) unclear how good this is, but keeping `$crate`
694                        // in `source` breaks `tests/ui/imports/import-crate-var.rs`,
695                        // while the current crate doesn't have a valid `crate_name`.
696                        if let Some(crate_name) = crate_name {
697                            // `crate_name` should not be interpreted as relative.
698                            module_path.push(Segment::from_ident_and_id(
699                                Ident::new(kw::PathRoot, source.ident.span),
700                                self.r.next_node_id(),
701                            ));
702                            source.ident.name = crate_name;
703                        }
704                        if rename.is_none() {
705                            ident.name = sym::dummy;
706                        }
707
708                        self.r.dcx().emit_err(errors::CrateImported { span: item.span });
709                    }
710                }
711
712                if ident.name == kw::Crate {
713                    self.r.dcx().emit_err(errors::UnnamedCrateRootImport { span: ident.span });
714                }
715
716                let kind = ImportKind::Single {
717                    source: source.ident,
718                    target: ident,
719                    decls: Default::default(),
720                    type_ns_only,
721                    nested,
722                    id,
723                };
724
725                self.add_import(module_path, kind, use_tree.span, item, root_span, item.id, vis);
726            }
727            ast::UseTreeKind::Glob => {
728                if !ast::attr::contains_name(&item.attrs, sym::prelude_import) {
729                    let kind = ImportKind::Glob { max_vis: CmCell::new(None), id };
730                    self.add_import(prefix, kind, use_tree.span, item, root_span, item.id, vis);
731                } else {
732                    // Resolve the prelude import early.
733                    let path_res =
734                        self.r.cm().maybe_resolve_path(&prefix, None, &self.parent_scope, None);
735                    if let PathResult::Module(ModuleOrUniformRoot::Module(module)) = path_res {
736                        self.r.prelude = Some(module);
737                    } else {
738                        self.r.dcx().span_err(use_tree.span, "cannot resolve a prelude import");
739                    }
740                }
741            }
742            ast::UseTreeKind::Nested { ref items, .. } => {
743                // Ensure there is at most one `self` in the list
744                let self_spans = items
745                    .iter()
746                    .filter_map(|(use_tree, _)| {
747                        if let ast::UseTreeKind::Simple(..) = use_tree.kind
748                            && use_tree.ident().name == kw::SelfLower
749                        {
750                            return Some(use_tree.span);
751                        }
752
753                        None
754                    })
755                    .collect::<Vec<_>>();
756                if self_spans.len() > 1 {
757                    let mut e = self.r.into_struct_error(
758                        self_spans[0],
759                        ResolutionError::SelfImportCanOnlyAppearOnceInTheList,
760                    );
761
762                    for other_span in self_spans.iter().skip(1) {
763                        e.span_label(*other_span, "another `self` import appears here");
764                    }
765
766                    e.emit();
767                }
768
769                for &(ref tree, id) in items {
770                    self.build_reduced_graph_for_use_tree(
771                        // This particular use tree
772                        tree, id, &prefix, true, false, // The whole `use` item
773                        item, vis, root_span,
774                    );
775                }
776
777                // Empty groups `a::b::{}` are turned into synthetic `self` imports
778                // `a::b::c::{self as _}`, so that their prefixes are correctly
779                // resolved and checked for privacy/stability/etc.
780                if items.is_empty() && !empty_for_self(&prefix) {
781                    let new_span = prefix[prefix.len() - 1].ident.span;
782                    let tree = ast::UseTree {
783                        prefix: ast::Path::from_ident(Ident::new(kw::SelfLower, new_span)),
784                        kind: ast::UseTreeKind::Simple(Some(Ident::new(kw::Underscore, new_span))),
785                        span: use_tree.span,
786                    };
787                    self.build_reduced_graph_for_use_tree(
788                        // This particular use tree
789                        &tree,
790                        id,
791                        &prefix,
792                        true,
793                        true,
794                        // The whole `use` item
795                        item,
796                        Visibility::Restricted(
797                            self.parent_scope.module.nearest_parent_mod().expect_local(),
798                        ),
799                        root_span,
800                    );
801                }
802            }
803        }
804    }
805
806    fn build_reduced_graph_for_struct_variant(
807        &mut self,
808        fields: &[ast::FieldDef],
809        ident: Ident,
810        feed: Feed<'tcx, LocalDefId>,
811        adt_res: Res,
812        adt_vis: Visibility,
813        adt_span: Span,
814    ) {
815        let parent_scope = &self.parent_scope;
816        let parent = parent_scope.module;
817        let expansion = parent_scope.expansion;
818
819        // Define a name in the type namespace if it is not anonymous.
820        self.r.define_local(parent, ident, TypeNS, adt_res, adt_vis, adt_span, expansion);
821        self.r.feed_visibility(feed, adt_vis);
822        let def_id = feed.key();
823
824        // Record field names for error reporting.
825        self.insert_field_idents(def_id, fields);
826        self.insert_field_visibilities_local(def_id.to_def_id(), fields);
827    }
828
829    /// Constructs the reduced graph for one item.
830    fn build_reduced_graph_for_item(&mut self, item: &'a Item) {
831        let parent_scope = &self.parent_scope;
832        let parent = parent_scope.module;
833        let expansion = parent_scope.expansion;
834        let sp = item.span;
835        let vis = self.resolve_visibility(&item.vis);
836        let feed = self.r.feed(item.id);
837        let local_def_id = feed.key();
838        let def_id = local_def_id.to_def_id();
839        let def_kind = self.r.tcx.def_kind(def_id);
840        let res = Res::Def(def_kind, def_id);
841
842        self.r.feed_visibility(feed, vis);
843
844        match item.kind {
845            ItemKind::Use(ref use_tree) => {
846                self.build_reduced_graph_for_use_tree(
847                    // This particular use tree
848                    use_tree,
849                    item.id,
850                    &[],
851                    false,
852                    false,
853                    // The whole `use` item
854                    item,
855                    vis,
856                    use_tree.span,
857                );
858            }
859
860            ItemKind::ExternCrate(orig_name, ident) => {
861                self.build_reduced_graph_for_extern_crate(
862                    orig_name,
863                    item,
864                    ident,
865                    local_def_id,
866                    vis,
867                );
868            }
869
870            ItemKind::Mod(_, ident, ref mod_kind) => {
871                self.r.define_local(parent, ident, TypeNS, res, vis, sp, expansion);
872
873                if let ast::ModKind::Loaded(_, Inline::No { had_parse_error: Err(_) }, _) = mod_kind
874                {
875                    self.r.mods_with_parse_errors.insert(def_id);
876                }
877                self.parent_scope.module = self.r.new_local_module(
878                    Some(parent),
879                    ModuleKind::Def(def_kind, def_id, Some(ident.name)),
880                    expansion.to_expn_id(),
881                    item.span,
882                    parent.no_implicit_prelude
883                        || ast::attr::contains_name(&item.attrs, sym::no_implicit_prelude),
884                );
885            }
886
887            // These items live in the value namespace.
888            ItemKind::Const(box ConstItem { ident, .. })
889            | ItemKind::Delegation(box Delegation { ident, .. })
890            | ItemKind::Static(box StaticItem { ident, .. }) => {
891                self.r.define_local(parent, ident, ValueNS, res, vis, sp, expansion);
892            }
893            ItemKind::Fn(box Fn { ident, .. }) => {
894                self.r.define_local(parent, ident, ValueNS, res, vis, sp, expansion);
895
896                // Functions introducing procedural macros reserve a slot
897                // in the macro namespace as well (see #52225).
898                self.define_macro(item);
899            }
900
901            // These items live in the type namespace.
902            ItemKind::TyAlias(box TyAlias { ident, .. })
903            | ItemKind::TraitAlias(box TraitAlias { ident, .. }) => {
904                self.r.define_local(parent, ident, TypeNS, res, vis, sp, expansion);
905            }
906
907            ItemKind::Enum(ident, _, _) | ItemKind::Trait(box ast::Trait { ident, .. }) => {
908                self.r.define_local(parent, ident, TypeNS, res, vis, sp, expansion);
909
910                self.parent_scope.module = self.r.new_local_module(
911                    Some(parent),
912                    ModuleKind::Def(def_kind, def_id, Some(ident.name)),
913                    expansion.to_expn_id(),
914                    item.span,
915                    parent.no_implicit_prelude,
916                );
917            }
918
919            // These items live in both the type and value namespaces.
920            ItemKind::Struct(ident, _, ref vdata) => {
921                self.build_reduced_graph_for_struct_variant(
922                    vdata.fields(),
923                    ident,
924                    feed,
925                    res,
926                    vis,
927                    sp,
928                );
929
930                // If this is a tuple or unit struct, define a name
931                // in the value namespace as well.
932                if let Some(ctor_node_id) = vdata.ctor_node_id() {
933                    // If the structure is marked as non_exhaustive then lower the visibility
934                    // to within the crate.
935                    let mut ctor_vis = if vis.is_public()
936                        && ast::attr::contains_name(&item.attrs, sym::non_exhaustive)
937                    {
938                        Visibility::Restricted(CRATE_DEF_ID)
939                    } else {
940                        vis
941                    };
942
943                    let mut ret_fields = Vec::with_capacity(vdata.fields().len());
944
945                    for field in vdata.fields() {
946                        // NOTE: The field may be an expansion placeholder, but expansion sets
947                        // correct visibilities for unnamed field placeholders specifically, so the
948                        // constructor visibility should still be determined correctly.
949                        let field_vis = self
950                            .try_resolve_visibility(&field.vis, false)
951                            .unwrap_or(Visibility::Public);
952                        if ctor_vis.is_at_least(field_vis, self.r.tcx) {
953                            ctor_vis = field_vis;
954                        }
955                        ret_fields.push(field_vis.to_def_id());
956                    }
957                    let feed = self.r.feed(ctor_node_id);
958                    let ctor_def_id = feed.key();
959                    let ctor_res = self.res(ctor_def_id);
960                    self.r.define_local(parent, ident, ValueNS, ctor_res, ctor_vis, sp, expansion);
961                    self.r.feed_visibility(feed, ctor_vis);
962                    // We need the field visibility spans also for the constructor for E0603.
963                    self.insert_field_visibilities_local(ctor_def_id.to_def_id(), vdata.fields());
964
965                    self.r
966                        .struct_constructors
967                        .insert(local_def_id, (ctor_res, ctor_vis.to_def_id(), ret_fields));
968                }
969            }
970
971            ItemKind::Union(ident, _, ref vdata) => {
972                self.build_reduced_graph_for_struct_variant(
973                    vdata.fields(),
974                    ident,
975                    feed,
976                    res,
977                    vis,
978                    sp,
979                );
980            }
981
982            // These items do not add names to modules.
983            ItemKind::Impl { .. }
984            | ItemKind::ForeignMod(..)
985            | ItemKind::GlobalAsm(..)
986            | ItemKind::ConstBlock(..) => {}
987
988            ItemKind::MacroDef(..) | ItemKind::MacCall(_) | ItemKind::DelegationMac(..) => {
989                ::core::panicking::panic("internal error: entered unreachable code")unreachable!()
990            }
991        }
992    }
993
994    fn build_reduced_graph_for_extern_crate(
995        &mut self,
996        orig_name: Option<Symbol>,
997        item: &Item,
998        orig_ident: Ident,
999        local_def_id: LocalDefId,
1000        vis: Visibility,
1001    ) {
1002        let sp = item.span;
1003        let parent_scope = self.parent_scope;
1004        let parent = parent_scope.module;
1005        let expansion = parent_scope.expansion;
1006
1007        let (used, module, decl) = if orig_name.is_none() && orig_ident.name == kw::SelfLower {
1008            self.r.dcx().emit_err(errors::ExternCrateSelfRequiresRenaming { span: sp });
1009            return;
1010        } else if orig_name == Some(kw::SelfLower) {
1011            Some(self.r.graph_root)
1012        } else {
1013            let tcx = self.r.tcx;
1014            let crate_id = self.r.cstore_mut().process_extern_crate(
1015                self.r.tcx,
1016                item,
1017                local_def_id,
1018                &tcx.definitions_untracked(),
1019            );
1020            crate_id.map(|crate_id| {
1021                self.r.extern_crate_map.insert(local_def_id, crate_id);
1022                self.r.expect_module(crate_id.as_def_id())
1023            })
1024        }
1025        .map(|module| {
1026            let used = self.process_macro_use_imports(item, module);
1027            let decl = self.r.arenas.new_pub_def_decl(module.res().unwrap(), sp, expansion);
1028            (used, Some(ModuleOrUniformRoot::Module(module)), decl)
1029        })
1030        .unwrap_or((true, None, self.r.dummy_decl));
1031        let import = self.r.arenas.alloc_import(ImportData {
1032            kind: ImportKind::ExternCrate { source: orig_name, target: orig_ident, id: item.id },
1033            root_id: item.id,
1034            parent_scope,
1035            imported_module: CmCell::new(module),
1036            has_attributes: !item.attrs.is_empty(),
1037            use_span_with_attributes: item.span_with_attributes(),
1038            use_span: item.span,
1039            root_span: item.span,
1040            span: item.span,
1041            module_path: Vec::new(),
1042            vis,
1043            vis_span: item.vis.span,
1044        });
1045        if used {
1046            self.r.import_use_map.insert(import, Used::Other);
1047        }
1048        self.r.potentially_unused_imports.push(import);
1049        let import_decl = self.r.new_import_decl(decl, import);
1050        let ident = IdentKey::new(orig_ident);
1051        if ident.name != kw::Underscore && parent == self.r.graph_root {
1052            // FIXME: this error is technically unnecessary now when extern prelude is split into
1053            // two scopes, remove it with lang team approval.
1054            if let Some(entry) = self.r.extern_prelude.get(&ident)
1055                && expansion != LocalExpnId::ROOT
1056                && orig_name.is_some()
1057                && entry.item_decl.is_none()
1058            {
1059                self.r.dcx().emit_err(
1060                    errors::MacroExpandedExternCrateCannotShadowExternArguments { span: item.span },
1061                );
1062            }
1063
1064            use indexmap::map::Entry;
1065            match self.r.extern_prelude.entry(ident) {
1066                Entry::Occupied(mut occupied) => {
1067                    let entry = occupied.get_mut();
1068                    if entry.item_decl.is_some() {
1069                        let msg = ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("extern crate `{0}` already in extern prelude",
                orig_ident))
    })format!("extern crate `{orig_ident}` already in extern prelude");
1070                        self.r.tcx.dcx().span_delayed_bug(item.span, msg);
1071                    } else {
1072                        entry.item_decl = Some((import_decl, orig_ident.span, orig_name.is_some()));
1073                    }
1074                    entry
1075                }
1076                Entry::Vacant(vacant) => vacant.insert(ExternPreludeEntry {
1077                    item_decl: Some((import_decl, orig_ident.span, true)),
1078                    flag_decl: None,
1079                }),
1080            };
1081        }
1082        self.r.plant_decl_into_local_module(ident, orig_ident.span, TypeNS, import_decl);
1083    }
1084
1085    /// Constructs the reduced graph for one foreign item.
1086    fn build_reduced_graph_for_foreign_item(&mut self, item: &ForeignItem, ident: Ident) {
1087        let feed = self.r.feed(item.id);
1088        let local_def_id = feed.key();
1089        let def_id = local_def_id.to_def_id();
1090        let ns = match item.kind {
1091            ForeignItemKind::Fn(..) => ValueNS,
1092            ForeignItemKind::Static(..) => ValueNS,
1093            ForeignItemKind::TyAlias(..) => TypeNS,
1094            ForeignItemKind::MacCall(..) => ::core::panicking::panic("internal error: entered unreachable code")unreachable!(),
1095        };
1096        let parent = self.parent_scope.module;
1097        let expansion = self.parent_scope.expansion;
1098        let vis = self.resolve_visibility(&item.vis);
1099        self.r.define_local(parent, ident, ns, self.res(def_id), vis, item.span, expansion);
1100        self.r.feed_visibility(feed, vis);
1101    }
1102
1103    fn build_reduced_graph_for_block(&mut self, block: &Block) {
1104        let parent = self.parent_scope.module;
1105        let expansion = self.parent_scope.expansion;
1106        if self.block_needs_anonymous_module(block) {
1107            let module = self.r.new_local_module(
1108                Some(parent),
1109                ModuleKind::Block,
1110                expansion.to_expn_id(),
1111                block.span,
1112                parent.no_implicit_prelude,
1113            );
1114            self.r.block_map.insert(block.id, module);
1115            self.parent_scope.module = module; // Descend into the block.
1116        }
1117    }
1118
1119    fn add_macro_use_decl(
1120        &mut self,
1121        name: Symbol,
1122        decl: Decl<'ra>,
1123        span: Span,
1124        allow_shadowing: bool,
1125    ) {
1126        if self.r.macro_use_prelude.insert(name, decl).is_some() && !allow_shadowing {
1127            self.r.dcx().emit_err(errors::MacroUseNameAlreadyInUse { span, name });
1128        }
1129    }
1130
1131    /// Returns `true` if we should consider the underlying `extern crate` to be used.
1132    fn process_macro_use_imports(&mut self, item: &Item, module: Module<'ra>) -> bool {
1133        let mut import_all = None;
1134        let mut single_imports = ThinVec::new();
1135        if let Some(Attribute::Parsed(AttributeKind::MacroUse { span, arguments })) =
1136            AttributeParser::parse_limited(
1137                self.r.tcx.sess,
1138                &item.attrs,
1139                sym::macro_use,
1140                item.span,
1141                item.id,
1142                None,
1143            )
1144        {
1145            if self.parent_scope.module.parent.is_some() {
1146                self.r
1147                    .dcx()
1148                    .emit_err(errors::ExternCrateLoadingMacroNotAtCrateRoot { span: item.span });
1149            }
1150            if let ItemKind::ExternCrate(Some(orig_name), _) = item.kind
1151                && orig_name == kw::SelfLower
1152            {
1153                self.r.dcx().emit_err(errors::MacroUseExternCrateSelf { span });
1154            }
1155
1156            match arguments {
1157                MacroUseArgs::UseAll => import_all = Some(span),
1158                MacroUseArgs::UseSpecific(imports) => single_imports = imports,
1159            }
1160        }
1161
1162        let macro_use_import = |this: &Self, span, warn_private| {
1163            this.r.arenas.alloc_import(ImportData {
1164                kind: ImportKind::MacroUse { warn_private },
1165                root_id: item.id,
1166                parent_scope: this.parent_scope,
1167                imported_module: CmCell::new(Some(ModuleOrUniformRoot::Module(module))),
1168                use_span_with_attributes: item.span_with_attributes(),
1169                has_attributes: !item.attrs.is_empty(),
1170                use_span: item.span,
1171                root_span: span,
1172                span,
1173                module_path: Vec::new(),
1174                vis: Visibility::Restricted(CRATE_DEF_ID),
1175                vis_span: item.vis.span,
1176            })
1177        };
1178
1179        let allow_shadowing = self.parent_scope.expansion == LocalExpnId::ROOT;
1180        if let Some(span) = import_all {
1181            let import = macro_use_import(self, span, false);
1182            self.r.potentially_unused_imports.push(import);
1183            module.for_each_child_mut(self, |this, ident, _, ns, binding| {
1184                if ns == MacroNS {
1185                    let import =
1186                        if this.r.is_accessible_from(binding.vis(), this.parent_scope.module) {
1187                            import
1188                        } else {
1189                            // FIXME: This branch is used for reporting the `private_macro_use` lint
1190                            // and should eventually be removed.
1191                            if this.r.macro_use_prelude.contains_key(&ident.name) {
1192                                // Do not override already existing entries with compatibility entries.
1193                                return;
1194                            }
1195                            macro_use_import(this, span, true)
1196                        };
1197                    let import_decl = this.r.new_import_decl(binding, import);
1198                    this.add_macro_use_decl(ident.name, import_decl, span, allow_shadowing);
1199                }
1200            });
1201        } else {
1202            for ident in single_imports.iter().cloned() {
1203                let result = self.r.cm().maybe_resolve_ident_in_module(
1204                    ModuleOrUniformRoot::Module(module),
1205                    ident,
1206                    MacroNS,
1207                    &self.parent_scope,
1208                    None,
1209                );
1210                if let Ok(binding) = result {
1211                    let import = macro_use_import(self, ident.span, false);
1212                    self.r.potentially_unused_imports.push(import);
1213                    let import_decl = self.r.new_import_decl(binding, import);
1214                    self.add_macro_use_decl(ident.name, import_decl, ident.span, allow_shadowing);
1215                } else {
1216                    self.r.dcx().emit_err(errors::ImportedMacroNotFound { span: ident.span });
1217                }
1218            }
1219        }
1220        import_all.is_some() || !single_imports.is_empty()
1221    }
1222
1223    /// Returns `true` if this attribute list contains `macro_use`.
1224    fn contains_macro_use(&self, attrs: &[ast::Attribute]) -> bool {
1225        for attr in attrs {
1226            if attr.has_name(sym::macro_escape) {
1227                let inner_attribute = #[allow(non_exhaustive_omitted_patterns)] match attr.style {
    ast::AttrStyle::Inner => true,
    _ => false,
}matches!(attr.style, ast::AttrStyle::Inner);
1228                self.r
1229                    .dcx()
1230                    .emit_warn(errors::MacroExternDeprecated { span: attr.span, inner_attribute });
1231            } else if !attr.has_name(sym::macro_use) {
1232                continue;
1233            }
1234
1235            if !attr.is_word() {
1236                self.r.dcx().emit_err(errors::ArgumentsMacroUseNotAllowed { span: attr.span });
1237            }
1238            return true;
1239        }
1240
1241        false
1242    }
1243
1244    fn visit_invoc(&mut self, id: NodeId) -> LocalExpnId {
1245        let invoc_id = id.placeholder_to_expn_id();
1246        let old_parent_scope = self.r.invocation_parent_scopes.insert(invoc_id, self.parent_scope);
1247        if !old_parent_scope.is_none() {
    {
        ::core::panicking::panic_fmt(format_args!("invocation data is reset for an invocation"));
    }
};assert!(old_parent_scope.is_none(), "invocation data is reset for an invocation");
1248        invoc_id
1249    }
1250
1251    /// Visit invocation in context in which it can emit a named item (possibly `macro_rules`)
1252    /// directly into its parent scope's module.
1253    fn visit_invoc_in_module(&mut self, id: NodeId) -> MacroRulesScopeRef<'ra> {
1254        let invoc_id = self.visit_invoc(id);
1255        self.parent_scope.module.unexpanded_invocations.borrow_mut(self.r).insert(invoc_id);
1256        self.r.arenas.alloc_macro_rules_scope(MacroRulesScope::Invocation(invoc_id))
1257    }
1258
1259    fn proc_macro_stub(
1260        &self,
1261        item: &ast::Item,
1262        fn_ident: Ident,
1263    ) -> Option<(MacroKind, Ident, Span)> {
1264        if ast::attr::contains_name(&item.attrs, sym::proc_macro) {
1265            return Some((MacroKind::Bang, fn_ident, item.span));
1266        } else if ast::attr::contains_name(&item.attrs, sym::proc_macro_attribute) {
1267            return Some((MacroKind::Attr, fn_ident, item.span));
1268        } else if let Some(attr) = ast::attr::find_by_name(&item.attrs, sym::proc_macro_derive)
1269            && let Some(meta_item_inner) =
1270                attr.meta_item_list().and_then(|list| list.get(0).cloned())
1271            && let Some(ident) = meta_item_inner.ident()
1272        {
1273            return Some((MacroKind::Derive, ident, ident.span));
1274        }
1275        None
1276    }
1277
1278    // Mark the given macro as unused unless its name starts with `_`.
1279    // Macro uses will remove items from this set, and the remaining
1280    // items will be reported as `unused_macros`.
1281    fn insert_unused_macro(&mut self, ident: Ident, def_id: LocalDefId, node_id: NodeId) {
1282        if !ident.as_str().starts_with('_') {
1283            self.r.unused_macros.insert(def_id, (node_id, ident));
1284            let nrules = self.r.local_macro_map[&def_id].nrules;
1285            self.r.unused_macro_rules.insert(node_id, DenseBitSet::new_filled(nrules));
1286        }
1287    }
1288
1289    fn define_macro(&mut self, item: &ast::Item) -> MacroRulesScopeRef<'ra> {
1290        let parent_scope = self.parent_scope;
1291        let expansion = parent_scope.expansion;
1292        let feed = self.r.feed(item.id);
1293        let def_id = feed.key();
1294        let (res, orig_ident, span, macro_rules) = match &item.kind {
1295            ItemKind::MacroDef(ident, def) => {
1296                (self.res(def_id), *ident, item.span, def.macro_rules)
1297            }
1298            ItemKind::Fn(box ast::Fn { ident: fn_ident, .. }) => {
1299                match self.proc_macro_stub(item, *fn_ident) {
1300                    Some((macro_kind, ident, span)) => {
1301                        let macro_kinds = macro_kind.into();
1302                        let res = Res::Def(DefKind::Macro(macro_kinds), def_id.to_def_id());
1303                        let macro_data = MacroData::new(self.r.dummy_ext(macro_kind));
1304                        self.r.new_local_macro(def_id, macro_data);
1305                        self.r.proc_macro_stubs.insert(def_id);
1306                        (res, ident, span, false)
1307                    }
1308                    None => return parent_scope.macro_rules,
1309                }
1310            }
1311            _ => ::core::panicking::panic("internal error: entered unreachable code")unreachable!(),
1312        };
1313
1314        self.r.local_macro_def_scopes.insert(def_id, parent_scope.module);
1315
1316        if macro_rules {
1317            let ident = IdentKey::new(orig_ident);
1318            self.r.macro_names.insert(ident);
1319            let is_macro_export = ast::attr::contains_name(&item.attrs, sym::macro_export);
1320            let vis = if is_macro_export {
1321                Visibility::Public
1322            } else {
1323                Visibility::Restricted(CRATE_DEF_ID)
1324            };
1325            let decl = self.r.arenas.new_def_decl(
1326                res,
1327                vis.to_def_id(),
1328                span,
1329                expansion,
1330                Some(parent_scope.module),
1331            );
1332            self.r.all_macro_rules.insert(ident.name);
1333            if is_macro_export {
1334                let import = self.r.arenas.alloc_import(ImportData {
1335                    kind: ImportKind::MacroExport,
1336                    root_id: item.id,
1337                    parent_scope: ParentScope { module: self.r.graph_root, ..parent_scope },
1338                    imported_module: CmCell::new(None),
1339                    has_attributes: false,
1340                    use_span_with_attributes: span,
1341                    use_span: span,
1342                    root_span: span,
1343                    span,
1344                    module_path: Vec::new(),
1345                    vis,
1346                    vis_span: item.vis.span,
1347                });
1348                self.r.import_use_map.insert(import, Used::Other);
1349                let import_decl = self.r.new_import_decl(decl, import);
1350                self.r.plant_decl_into_local_module(ident, orig_ident.span, MacroNS, import_decl);
1351            } else {
1352                self.r.check_reserved_macro_name(ident.name, orig_ident.span, res);
1353                self.insert_unused_macro(orig_ident, def_id, item.id);
1354            }
1355            self.r.feed_visibility(feed, vis);
1356            let scope = self.r.arenas.alloc_macro_rules_scope(MacroRulesScope::Def(
1357                self.r.arenas.alloc_macro_rules_decl(MacroRulesDecl {
1358                    parent_macro_rules_scope: parent_scope.macro_rules,
1359                    decl,
1360                    ident,
1361                    orig_ident_span: orig_ident.span,
1362                }),
1363            ));
1364            self.r.macro_rules_scopes.insert(def_id, scope);
1365            scope
1366        } else {
1367            let module = parent_scope.module;
1368            let vis = match item.kind {
1369                // Visibilities must not be resolved non-speculatively twice
1370                // and we already resolved this one as a `fn` item visibility.
1371                ItemKind::Fn(..) => {
1372                    self.try_resolve_visibility(&item.vis, false).unwrap_or(Visibility::Public)
1373                }
1374                _ => self.resolve_visibility(&item.vis),
1375            };
1376            if !vis.is_public() {
1377                self.insert_unused_macro(orig_ident, def_id, item.id);
1378            }
1379            self.r.define_local(module, orig_ident, MacroNS, res, vis, span, expansion);
1380            self.r.feed_visibility(feed, vis);
1381            self.parent_scope.macro_rules
1382        }
1383    }
1384}
1385
1386macro_rules! method {
1387    ($visit:ident: $ty:ty, $invoc:path, $walk:ident) => {
1388        fn $visit(&mut self, node: &'a $ty) {
1389            if let $invoc(..) = node.kind {
1390                self.visit_invoc(node.id);
1391            } else {
1392                visit::$walk(self, node);
1393            }
1394        }
1395    };
1396}
1397
1398impl<'a, 'ra, 'tcx> Visitor<'a> for BuildReducedGraphVisitor<'a, 'ra, 'tcx> {
1399    self
&'a ast::Expr
node
if let ast::ExprKind::MacCall(..) = node.kind {
    self.visit_invoc(node.id);
} else { visit::walk_expr(self, node); }method!(visit_expr: ast::Expr, ast::ExprKind::MacCall, walk_expr);
1400    self
&'a ast::Pat
node
if let ast::PatKind::MacCall(..) = node.kind {
    self.visit_invoc(node.id);
} else { visit::walk_pat(self, node); }method!(visit_pat: ast::Pat, ast::PatKind::MacCall, walk_pat);
1401    self
&'a ast::Ty
node
if let ast::TyKind::MacCall(..) = node.kind {
    self.visit_invoc(node.id);
} else { visit::walk_ty(self, node); }method!(visit_ty: ast::Ty, ast::TyKind::MacCall, walk_ty);
1402
1403    fn visit_item(&mut self, item: &'a Item) {
1404        let orig_module_scope = self.parent_scope.module;
1405        self.parent_scope.macro_rules = match item.kind {
1406            ItemKind::MacroDef(..) => {
1407                let macro_rules_scope = self.define_macro(item);
1408                visit::walk_item(self, item);
1409                macro_rules_scope
1410            }
1411            ItemKind::MacCall(..) => self.visit_invoc_in_module(item.id),
1412            _ => {
1413                let orig_macro_rules_scope = self.parent_scope.macro_rules;
1414                self.build_reduced_graph_for_item(item);
1415                match item.kind {
1416                    ItemKind::Mod(..) => {
1417                        // Visit attributes after items for backward compatibility.
1418                        // This way they can use `macro_rules` defined later.
1419                        self.visit_vis(&item.vis);
1420                        item.kind.walk(&item.attrs, item.span, item.id, &item.vis, (), self);
1421                        for elem in &item.attrs {
    match ::rustc_ast_ir::visit::VisitorResult::branch(self.visit_attribute(elem))
        {
        core::ops::ControlFlow::Continue(()) =>
            (),
            #[allow(unreachable_code)]
            core::ops::ControlFlow::Break(r) => {
            return ::rustc_ast_ir::visit::VisitorResult::from_residual(r);
        }
    };
};visit::walk_list!(self, visit_attribute, &item.attrs);
1422                    }
1423                    _ => visit::walk_item(self, item),
1424                }
1425                match item.kind {
1426                    ItemKind::Mod(..) if self.contains_macro_use(&item.attrs) => {
1427                        self.parent_scope.macro_rules
1428                    }
1429                    _ => orig_macro_rules_scope,
1430                }
1431            }
1432        };
1433        self.parent_scope.module = orig_module_scope;
1434    }
1435
1436    fn visit_stmt(&mut self, stmt: &'a ast::Stmt) {
1437        if let ast::StmtKind::MacCall(..) = stmt.kind {
1438            self.parent_scope.macro_rules = self.visit_invoc_in_module(stmt.id);
1439        } else {
1440            visit::walk_stmt(self, stmt);
1441        }
1442    }
1443
1444    fn visit_foreign_item(&mut self, foreign_item: &'a ForeignItem) {
1445        let ident = match foreign_item.kind {
1446            ForeignItemKind::Static(box StaticItem { ident, .. })
1447            | ForeignItemKind::Fn(box Fn { ident, .. })
1448            | ForeignItemKind::TyAlias(box TyAlias { ident, .. }) => ident,
1449            ForeignItemKind::MacCall(_) => {
1450                self.visit_invoc_in_module(foreign_item.id);
1451                return;
1452            }
1453        };
1454
1455        self.build_reduced_graph_for_foreign_item(foreign_item, ident);
1456        visit::walk_item(self, foreign_item);
1457    }
1458
1459    fn visit_block(&mut self, block: &'a Block) {
1460        let orig_current_module = self.parent_scope.module;
1461        let orig_current_macro_rules_scope = self.parent_scope.macro_rules;
1462        self.build_reduced_graph_for_block(block);
1463        visit::walk_block(self, block);
1464        self.parent_scope.module = orig_current_module;
1465        self.parent_scope.macro_rules = orig_current_macro_rules_scope;
1466    }
1467
1468    fn visit_assoc_item(&mut self, item: &'a AssocItem, ctxt: AssocCtxt) {
1469        let (ident, ns) = match item.kind {
1470            AssocItemKind::Const(box ConstItem { ident, .. })
1471            | AssocItemKind::Fn(box Fn { ident, .. })
1472            | AssocItemKind::Delegation(box Delegation { ident, .. }) => (ident, ValueNS),
1473
1474            AssocItemKind::Type(box TyAlias { ident, .. }) => (ident, TypeNS),
1475
1476            AssocItemKind::MacCall(_) => {
1477                match ctxt {
1478                    AssocCtxt::Trait => {
1479                        self.visit_invoc_in_module(item.id);
1480                    }
1481                    AssocCtxt::Impl { .. } => {
1482                        let invoc_id = item.id.placeholder_to_expn_id();
1483                        if !self.r.glob_delegation_invoc_ids.contains(&invoc_id) {
1484                            self.r
1485                                .impl_unexpanded_invocations
1486                                .entry(self.r.invocation_parent(invoc_id))
1487                                .or_default()
1488                                .insert(invoc_id);
1489                        }
1490                        self.visit_invoc(item.id);
1491                    }
1492                }
1493                return;
1494            }
1495
1496            AssocItemKind::DelegationMac(..) => ::rustc_middle::util::bug::bug_fmt(format_args!("impossible case reached"))bug!(),
1497        };
1498        let vis = self.resolve_visibility(&item.vis);
1499        let feed = self.r.feed(item.id);
1500        let local_def_id = feed.key();
1501        let def_id = local_def_id.to_def_id();
1502
1503        if !(#[allow(non_exhaustive_omitted_patterns)] match ctxt {
    AssocCtxt::Impl { of_trait: true } => true,
    _ => false,
}matches!(ctxt, AssocCtxt::Impl { of_trait: true })
1504            && #[allow(non_exhaustive_omitted_patterns)] match item.vis.kind {
    ast::VisibilityKind::Inherited => true,
    _ => false,
}matches!(item.vis.kind, ast::VisibilityKind::Inherited))
1505        {
1506            // Trait impl item visibility is inherited from its trait when not specified
1507            // explicitly. In that case we cannot determine it here in early resolve,
1508            // so we leave a hole in the visibility table to be filled later.
1509            self.r.feed_visibility(feed, vis);
1510        }
1511
1512        if ctxt == AssocCtxt::Trait {
1513            let parent = self.parent_scope.module;
1514            let expansion = self.parent_scope.expansion;
1515            self.r.define_local(parent, ident, ns, self.res(def_id), vis, item.span, expansion);
1516        } else if !#[allow(non_exhaustive_omitted_patterns)] match &item.kind {
    AssocItemKind::Delegation(deleg) if deleg.from_glob => true,
    _ => false,
}matches!(&item.kind, AssocItemKind::Delegation(deleg) if deleg.from_glob)
1517            && ident.name != kw::Underscore
1518        {
1519            // Don't add underscore names, they cannot be looked up anyway.
1520            let impl_def_id = self.r.tcx.local_parent(local_def_id);
1521            let key = BindingKey::new(IdentKey::new(ident), ns);
1522            self.r.impl_binding_keys.entry(impl_def_id).or_default().insert(key);
1523        }
1524
1525        visit::walk_assoc_item(self, item, ctxt);
1526    }
1527
1528    fn visit_attribute(&mut self, attr: &'a ast::Attribute) {
1529        if !attr.is_doc_comment() && attr::is_builtin_attr(attr) {
1530            self.r
1531                .builtin_attrs
1532                .push((attr.get_normal_item().path.segments[0].ident, self.parent_scope));
1533        }
1534        visit::walk_attribute(self, attr);
1535    }
1536
1537    fn visit_arm(&mut self, arm: &'a ast::Arm) {
1538        if arm.is_placeholder {
1539            self.visit_invoc(arm.id);
1540        } else {
1541            visit::walk_arm(self, arm);
1542        }
1543    }
1544
1545    fn visit_expr_field(&mut self, f: &'a ast::ExprField) {
1546        if f.is_placeholder {
1547            self.visit_invoc(f.id);
1548        } else {
1549            visit::walk_expr_field(self, f);
1550        }
1551    }
1552
1553    fn visit_pat_field(&mut self, fp: &'a ast::PatField) {
1554        if fp.is_placeholder {
1555            self.visit_invoc(fp.id);
1556        } else {
1557            visit::walk_pat_field(self, fp);
1558        }
1559    }
1560
1561    fn visit_generic_param(&mut self, param: &'a ast::GenericParam) {
1562        if param.is_placeholder {
1563            self.visit_invoc(param.id);
1564        } else {
1565            visit::walk_generic_param(self, param);
1566        }
1567    }
1568
1569    fn visit_param(&mut self, p: &'a ast::Param) {
1570        if p.is_placeholder {
1571            self.visit_invoc(p.id);
1572        } else {
1573            visit::walk_param(self, p);
1574        }
1575    }
1576
1577    fn visit_field_def(&mut self, sf: &'a ast::FieldDef) {
1578        if sf.is_placeholder {
1579            self.visit_invoc(sf.id);
1580        } else {
1581            let vis = self.resolve_visibility(&sf.vis);
1582            self.r.feed_visibility(self.r.feed(sf.id), vis);
1583            visit::walk_field_def(self, sf);
1584        }
1585    }
1586
1587    // Constructs the reduced graph for one variant. Variants exist in the
1588    // type and value namespaces.
1589    fn visit_variant(&mut self, variant: &'a ast::Variant) {
1590        if variant.is_placeholder {
1591            self.visit_invoc_in_module(variant.id);
1592            return;
1593        }
1594
1595        let parent = self.parent_scope.module;
1596        let expn_id = self.parent_scope.expansion;
1597        let ident = variant.ident;
1598
1599        // Define a name in the type namespace.
1600        let feed = self.r.feed(variant.id);
1601        let def_id = feed.key();
1602        let vis = self.resolve_visibility(&variant.vis);
1603        self.r.define_local(parent, ident, TypeNS, self.res(def_id), vis, variant.span, expn_id);
1604        self.r.feed_visibility(feed, vis);
1605
1606        // If the variant is marked as non_exhaustive then lower the visibility to within the crate.
1607        let ctor_vis =
1608            if vis.is_public() && ast::attr::contains_name(&variant.attrs, sym::non_exhaustive) {
1609                Visibility::Restricted(CRATE_DEF_ID)
1610            } else {
1611                vis
1612            };
1613
1614        // Define a constructor name in the value namespace.
1615        if let Some(ctor_node_id) = variant.data.ctor_node_id() {
1616            let feed = self.r.feed(ctor_node_id);
1617            let ctor_def_id = feed.key();
1618            let ctor_res = self.res(ctor_def_id);
1619            self.r.define_local(parent, ident, ValueNS, ctor_res, ctor_vis, variant.span, expn_id);
1620            self.r.feed_visibility(feed, ctor_vis);
1621        }
1622
1623        // Record field names for error reporting.
1624        self.insert_field_idents(def_id, variant.data.fields());
1625        self.insert_field_visibilities_local(def_id.to_def_id(), variant.data.fields());
1626
1627        visit::walk_variant(self, variant);
1628    }
1629
1630    fn visit_where_predicate(&mut self, p: &'a ast::WherePredicate) {
1631        if p.is_placeholder {
1632            self.visit_invoc(p.id);
1633        } else {
1634            visit::walk_where_predicate(self, p);
1635        }
1636    }
1637
1638    fn visit_crate(&mut self, krate: &'a ast::Crate) {
1639        if krate.is_placeholder {
1640            self.visit_invoc_in_module(krate.id);
1641        } else {
1642            // Visit attributes after items for backward compatibility.
1643            // This way they can use `macro_rules` defined later.
1644            for elem in &krate.items {
    match ::rustc_ast_ir::visit::VisitorResult::branch(self.visit_item(elem))
        {
        core::ops::ControlFlow::Continue(()) =>
            (),
            #[allow(unreachable_code)]
            core::ops::ControlFlow::Break(r) => {
            return ::rustc_ast_ir::visit::VisitorResult::from_residual(r);
        }
    };
};visit::walk_list!(self, visit_item, &krate.items);
1645            for elem in &krate.attrs {
    match ::rustc_ast_ir::visit::VisitorResult::branch(self.visit_attribute(elem))
        {
        core::ops::ControlFlow::Continue(()) =>
            (),
            #[allow(unreachable_code)]
            core::ops::ControlFlow::Break(r) => {
            return ::rustc_ast_ir::visit::VisitorResult::from_residual(r);
        }
    };
};visit::walk_list!(self, visit_attribute, &krate.attrs);
1646            self.contains_macro_use(&krate.attrs);
1647        }
1648    }
1649}