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        match use_tree.kind {
624            ast::UseTreeKind::Simple(rename) => {
625                let mut ident = use_tree.ident();
626                let mut module_path = prefix;
627                let mut source = module_path.pop().unwrap();
628
629                // `true` for `...::{self [as target]}` imports, `false` otherwise.
630                let type_ns_only = nested && source.ident.name == kw::SelfLower;
631
632                if source.ident.name == kw::SelfLower
633                    && let Some(parent) = module_path.pop()
634                {
635                    // Suggest `use prefix::{self};` for `use prefix::self;`
636                    if !type_ns_only
637                        && (parent.ident.name != kw::PathRoot
638                            || self.r.path_root_is_crate_root(parent.ident))
639                    {
640                        let span_with_rename = match rename {
641                            Some(rename) => source.ident.span.to(rename.span),
642                            None => source.ident.span,
643                        };
644
645                        self.r.report_error(
646                            parent.ident.span.shrink_to_hi().to(source.ident.span),
647                            ResolutionError::SelfImportsOnlyAllowedWithin {
648                                root: parent.ident.name == kw::PathRoot,
649                                span_with_rename,
650                            },
651                        );
652                    }
653
654                    let self_span = source.ident.span;
655                    source = parent;
656                    if rename.is_none() {
657                        ident = Ident::new(source.ident.name, self_span);
658                    }
659                }
660
661                match source.ident.name {
662                    kw::DollarCrate => {
663                        if !module_path.is_empty() {
664                            self.r.dcx().span_err(
665                                source.ident.span,
666                                "`$crate` in paths can only be used in start position",
667                            );
668                            return;
669                        }
670                    }
671                    kw::Crate => {
672                        if !module_path.is_empty() {
673                            self.r.dcx().span_err(
674                                source.ident.span,
675                                "`crate` in paths can only be used in start position",
676                            );
677                            return;
678                        }
679                    }
680                    kw::Super => {
681                        // Allow `self::super` as a valid prefix - `self` at position 0
682                        // followed by any number of `super` segments.
683                        let valid_prefix = module_path.iter().enumerate().all(|(i, seg)| {
684                            let name = seg.ident.name;
685                            name == kw::Super || (name == kw::SelfLower && i == 0)
686                        });
687
688                        if !valid_prefix {
689                            self.r.dcx().span_err(
690                                source.ident.span,
691                                "`super` in paths can only be used in start position, after `self`, or after another `super`",
692                            );
693                            return;
694                        }
695                    }
696                    // Deny `use ::{self};` after edition 2015
697                    kw::PathRoot if !self.r.path_root_is_crate_root(source.ident) => {
698                        self.r.dcx().span_err(use_tree.span, "extern prelude cannot be imported");
699                        return;
700                    }
701                    _ => {}
702                }
703
704                // Deny importing path-kw without renaming
705                if rename.is_none() && ident.is_path_segment_keyword() {
706                    let ident = use_tree.ident();
707
708                    // Don't suggest `use xx::self as name;` for `use xx::self;`
709                    // But it's OK to suggest `use xx::{self as name};` for `use xx::{self};`
710                    let sugg = if !type_ns_only && ident.name == kw::SelfLower {
711                        None
712                    } else {
713                        Some(errors::UnnamedImportSugg { span: ident.span, ident })
714                    };
715
716                    self.r.dcx().emit_err(errors::UnnamedImport { span: ident.span, sugg });
717                    return;
718                }
719
720                let kind = ImportKind::Single {
721                    source: source.ident,
722                    target: ident,
723                    decls: Default::default(),
724                    type_ns_only,
725                    nested,
726                    id,
727                };
728
729                self.add_import(module_path, kind, use_tree.span, item, root_span, item.id, vis);
730            }
731            ast::UseTreeKind::Glob => {
732                if !ast::attr::contains_name(&item.attrs, sym::prelude_import) {
733                    let kind = ImportKind::Glob { max_vis: CmCell::new(None), id };
734                    self.add_import(prefix, kind, use_tree.span, item, root_span, item.id, vis);
735                } else {
736                    // Resolve the prelude import early.
737                    let path_res =
738                        self.r.cm().maybe_resolve_path(&prefix, None, &self.parent_scope, None);
739                    if let PathResult::Module(ModuleOrUniformRoot::Module(module)) = path_res {
740                        self.r.prelude = Some(module);
741                    } else {
742                        self.r.dcx().span_err(use_tree.span, "cannot resolve a prelude import");
743                    }
744                }
745            }
746            ast::UseTreeKind::Nested { ref items, .. } => {
747                for &(ref tree, id) in items {
748                    self.build_reduced_graph_for_use_tree(
749                        // This particular use tree
750                        tree, id, &prefix, true, false, // The whole `use` item
751                        item, vis, root_span,
752                    );
753                }
754
755                // Empty groups `a::b::{}` are turned into synthetic `self` imports
756                // `a::b::c::{self as _}`, so that their prefixes are correctly
757                // resolved and checked for privacy/stability/etc.
758                if items.is_empty()
759                    && !prefix.is_empty()
760                    && (prefix.len() > 1 || prefix[0].ident.name != kw::PathRoot)
761                {
762                    let new_span = prefix[prefix.len() - 1].ident.span;
763                    let tree = ast::UseTree {
764                        prefix: ast::Path::from_ident(Ident::new(kw::SelfLower, new_span)),
765                        kind: ast::UseTreeKind::Simple(Some(Ident::new(kw::Underscore, new_span))),
766                        span: use_tree.span,
767                    };
768                    self.build_reduced_graph_for_use_tree(
769                        // This particular use tree
770                        &tree,
771                        id,
772                        &prefix,
773                        true,
774                        true,
775                        // The whole `use` item
776                        item,
777                        Visibility::Restricted(
778                            self.parent_scope.module.nearest_parent_mod().expect_local(),
779                        ),
780                        root_span,
781                    );
782                }
783            }
784        }
785    }
786
787    fn build_reduced_graph_for_struct_variant(
788        &mut self,
789        fields: &[ast::FieldDef],
790        ident: Ident,
791        feed: Feed<'tcx, LocalDefId>,
792        adt_res: Res,
793        adt_vis: Visibility,
794        adt_span: Span,
795    ) {
796        let parent_scope = &self.parent_scope;
797        let parent = parent_scope.module;
798        let expansion = parent_scope.expansion;
799
800        // Define a name in the type namespace if it is not anonymous.
801        self.r.define_local(parent, ident, TypeNS, adt_res, adt_vis, adt_span, expansion);
802        self.r.feed_visibility(feed, adt_vis);
803        let def_id = feed.key();
804
805        // Record field names for error reporting.
806        self.insert_field_idents(def_id, fields);
807        self.insert_field_visibilities_local(def_id.to_def_id(), fields);
808    }
809
810    /// Constructs the reduced graph for one item.
811    fn build_reduced_graph_for_item(&mut self, item: &'a Item) {
812        let parent_scope = &self.parent_scope;
813        let parent = parent_scope.module;
814        let expansion = parent_scope.expansion;
815        let sp = item.span;
816        let vis = self.resolve_visibility(&item.vis);
817        let feed = self.r.feed(item.id);
818        let local_def_id = feed.key();
819        let def_id = local_def_id.to_def_id();
820        let def_kind = self.r.tcx.def_kind(def_id);
821        let res = Res::Def(def_kind, def_id);
822
823        self.r.feed_visibility(feed, vis);
824
825        match item.kind {
826            ItemKind::Use(ref use_tree) => {
827                self.build_reduced_graph_for_use_tree(
828                    // This particular use tree
829                    use_tree,
830                    item.id,
831                    &[],
832                    false,
833                    false,
834                    // The whole `use` item
835                    item,
836                    vis,
837                    use_tree.span,
838                );
839            }
840
841            ItemKind::ExternCrate(orig_name, ident) => {
842                self.build_reduced_graph_for_extern_crate(
843                    orig_name,
844                    item,
845                    ident,
846                    local_def_id,
847                    vis,
848                );
849            }
850
851            ItemKind::Mod(_, ident, ref mod_kind) => {
852                self.r.define_local(parent, ident, TypeNS, res, vis, sp, expansion);
853
854                if let ast::ModKind::Loaded(_, Inline::No { had_parse_error: Err(_) }, _) = mod_kind
855                {
856                    self.r.mods_with_parse_errors.insert(def_id);
857                }
858                self.parent_scope.module = self.r.new_local_module(
859                    Some(parent),
860                    ModuleKind::Def(def_kind, def_id, Some(ident.name)),
861                    expansion.to_expn_id(),
862                    item.span,
863                    parent.no_implicit_prelude
864                        || ast::attr::contains_name(&item.attrs, sym::no_implicit_prelude),
865                );
866            }
867
868            // These items live in the value namespace.
869            ItemKind::Const(box ConstItem { ident, .. })
870            | ItemKind::Delegation(box Delegation { ident, .. })
871            | ItemKind::Static(box StaticItem { ident, .. }) => {
872                self.r.define_local(parent, ident, ValueNS, res, vis, sp, expansion);
873            }
874            ItemKind::Fn(box Fn { ident, .. }) => {
875                self.r.define_local(parent, ident, ValueNS, res, vis, sp, expansion);
876
877                // Functions introducing procedural macros reserve a slot
878                // in the macro namespace as well (see #52225).
879                self.define_macro(item);
880            }
881
882            // These items live in the type namespace.
883            ItemKind::TyAlias(box TyAlias { ident, .. })
884            | ItemKind::TraitAlias(box TraitAlias { ident, .. }) => {
885                self.r.define_local(parent, ident, TypeNS, res, vis, sp, expansion);
886            }
887
888            ItemKind::Enum(ident, _, _) | ItemKind::Trait(box ast::Trait { ident, .. }) => {
889                self.r.define_local(parent, ident, TypeNS, res, vis, sp, expansion);
890
891                self.parent_scope.module = self.r.new_local_module(
892                    Some(parent),
893                    ModuleKind::Def(def_kind, def_id, Some(ident.name)),
894                    expansion.to_expn_id(),
895                    item.span,
896                    parent.no_implicit_prelude,
897                );
898            }
899
900            // These items live in both the type and value namespaces.
901            ItemKind::Struct(ident, _, ref vdata) => {
902                self.build_reduced_graph_for_struct_variant(
903                    vdata.fields(),
904                    ident,
905                    feed,
906                    res,
907                    vis,
908                    sp,
909                );
910
911                // If this is a tuple or unit struct, define a name
912                // in the value namespace as well.
913                if let Some(ctor_node_id) = vdata.ctor_node_id() {
914                    // If the structure is marked as non_exhaustive then lower the visibility
915                    // to within the crate.
916                    let mut ctor_vis = if vis.is_public()
917                        && ast::attr::contains_name(&item.attrs, sym::non_exhaustive)
918                    {
919                        Visibility::Restricted(CRATE_DEF_ID)
920                    } else {
921                        vis
922                    };
923
924                    let mut ret_fields = Vec::with_capacity(vdata.fields().len());
925
926                    for field in vdata.fields() {
927                        // NOTE: The field may be an expansion placeholder, but expansion sets
928                        // correct visibilities for unnamed field placeholders specifically, so the
929                        // constructor visibility should still be determined correctly.
930                        let field_vis = self
931                            .try_resolve_visibility(&field.vis, false)
932                            .unwrap_or(Visibility::Public);
933                        if ctor_vis.is_at_least(field_vis, self.r.tcx) {
934                            ctor_vis = field_vis;
935                        }
936                        ret_fields.push(field_vis.to_def_id());
937                    }
938                    let feed = self.r.feed(ctor_node_id);
939                    let ctor_def_id = feed.key();
940                    let ctor_res = self.res(ctor_def_id);
941                    self.r.define_local(parent, ident, ValueNS, ctor_res, ctor_vis, sp, expansion);
942                    self.r.feed_visibility(feed, ctor_vis);
943                    // We need the field visibility spans also for the constructor for E0603.
944                    self.insert_field_visibilities_local(ctor_def_id.to_def_id(), vdata.fields());
945
946                    self.r
947                        .struct_constructors
948                        .insert(local_def_id, (ctor_res, ctor_vis.to_def_id(), ret_fields));
949                }
950            }
951
952            ItemKind::Union(ident, _, ref vdata) => {
953                self.build_reduced_graph_for_struct_variant(
954                    vdata.fields(),
955                    ident,
956                    feed,
957                    res,
958                    vis,
959                    sp,
960                );
961            }
962
963            // These items do not add names to modules.
964            ItemKind::Impl { .. }
965            | ItemKind::ForeignMod(..)
966            | ItemKind::GlobalAsm(..)
967            | ItemKind::ConstBlock(..) => {}
968
969            ItemKind::MacroDef(..) | ItemKind::MacCall(_) | ItemKind::DelegationMac(..) => {
970                ::core::panicking::panic("internal error: entered unreachable code")unreachable!()
971            }
972        }
973    }
974
975    fn build_reduced_graph_for_extern_crate(
976        &mut self,
977        orig_name: Option<Symbol>,
978        item: &Item,
979        orig_ident: Ident,
980        local_def_id: LocalDefId,
981        vis: Visibility,
982    ) {
983        let sp = item.span;
984        let parent_scope = self.parent_scope;
985        let parent = parent_scope.module;
986        let expansion = parent_scope.expansion;
987
988        let (used, module, decl) = if orig_name.is_none() && orig_ident.name == kw::SelfLower {
989            self.r.dcx().emit_err(errors::ExternCrateSelfRequiresRenaming { span: sp });
990            return;
991        } else if orig_name == Some(kw::SelfLower) {
992            Some(self.r.graph_root)
993        } else {
994            let tcx = self.r.tcx;
995            let crate_id = self.r.cstore_mut().process_extern_crate(
996                self.r.tcx,
997                item,
998                local_def_id,
999                &tcx.definitions_untracked(),
1000            );
1001            crate_id.map(|crate_id| {
1002                self.r.extern_crate_map.insert(local_def_id, crate_id);
1003                self.r.expect_module(crate_id.as_def_id())
1004            })
1005        }
1006        .map(|module| {
1007            let used = self.process_macro_use_imports(item, module);
1008            let decl = self.r.arenas.new_pub_def_decl(module.res().unwrap(), sp, expansion);
1009            (used, Some(ModuleOrUniformRoot::Module(module)), decl)
1010        })
1011        .unwrap_or((true, None, self.r.dummy_decl));
1012        let import = self.r.arenas.alloc_import(ImportData {
1013            kind: ImportKind::ExternCrate { source: orig_name, target: orig_ident, id: item.id },
1014            root_id: item.id,
1015            parent_scope,
1016            imported_module: CmCell::new(module),
1017            has_attributes: !item.attrs.is_empty(),
1018            use_span_with_attributes: item.span_with_attributes(),
1019            use_span: item.span,
1020            root_span: item.span,
1021            span: item.span,
1022            module_path: Vec::new(),
1023            vis,
1024            vis_span: item.vis.span,
1025        });
1026        if used {
1027            self.r.import_use_map.insert(import, Used::Other);
1028        }
1029        self.r.potentially_unused_imports.push(import);
1030        let import_decl = self.r.new_import_decl(decl, import);
1031        let ident = IdentKey::new(orig_ident);
1032        if ident.name != kw::Underscore && parent == self.r.graph_root {
1033            // FIXME: this error is technically unnecessary now when extern prelude is split into
1034            // two scopes, remove it with lang team approval.
1035            if let Some(entry) = self.r.extern_prelude.get(&ident)
1036                && expansion != LocalExpnId::ROOT
1037                && orig_name.is_some()
1038                && entry.item_decl.is_none()
1039            {
1040                self.r.dcx().emit_err(
1041                    errors::MacroExpandedExternCrateCannotShadowExternArguments { span: item.span },
1042                );
1043            }
1044
1045            use indexmap::map::Entry;
1046            match self.r.extern_prelude.entry(ident) {
1047                Entry::Occupied(mut occupied) => {
1048                    let entry = occupied.get_mut();
1049                    if entry.item_decl.is_some() {
1050                        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");
1051                        self.r.tcx.dcx().span_delayed_bug(item.span, msg);
1052                    } else {
1053                        entry.item_decl = Some((import_decl, orig_ident.span, orig_name.is_some()));
1054                    }
1055                    entry
1056                }
1057                Entry::Vacant(vacant) => vacant.insert(ExternPreludeEntry {
1058                    item_decl: Some((import_decl, orig_ident.span, true)),
1059                    flag_decl: None,
1060                }),
1061            };
1062        }
1063        self.r.plant_decl_into_local_module(ident, orig_ident.span, TypeNS, import_decl);
1064    }
1065
1066    /// Constructs the reduced graph for one foreign item.
1067    fn build_reduced_graph_for_foreign_item(&mut self, item: &ForeignItem, ident: Ident) {
1068        let feed = self.r.feed(item.id);
1069        let local_def_id = feed.key();
1070        let def_id = local_def_id.to_def_id();
1071        let ns = match item.kind {
1072            ForeignItemKind::Fn(..) => ValueNS,
1073            ForeignItemKind::Static(..) => ValueNS,
1074            ForeignItemKind::TyAlias(..) => TypeNS,
1075            ForeignItemKind::MacCall(..) => ::core::panicking::panic("internal error: entered unreachable code")unreachable!(),
1076        };
1077        let parent = self.parent_scope.module;
1078        let expansion = self.parent_scope.expansion;
1079        let vis = self.resolve_visibility(&item.vis);
1080        self.r.define_local(parent, ident, ns, self.res(def_id), vis, item.span, expansion);
1081        self.r.feed_visibility(feed, vis);
1082    }
1083
1084    fn build_reduced_graph_for_block(&mut self, block: &Block) {
1085        let parent = self.parent_scope.module;
1086        let expansion = self.parent_scope.expansion;
1087        if self.block_needs_anonymous_module(block) {
1088            let module = self.r.new_local_module(
1089                Some(parent),
1090                ModuleKind::Block,
1091                expansion.to_expn_id(),
1092                block.span,
1093                parent.no_implicit_prelude,
1094            );
1095            self.r.block_map.insert(block.id, module);
1096            self.parent_scope.module = module; // Descend into the block.
1097        }
1098    }
1099
1100    fn add_macro_use_decl(
1101        &mut self,
1102        name: Symbol,
1103        decl: Decl<'ra>,
1104        span: Span,
1105        allow_shadowing: bool,
1106    ) {
1107        if self.r.macro_use_prelude.insert(name, decl).is_some() && !allow_shadowing {
1108            self.r.dcx().emit_err(errors::MacroUseNameAlreadyInUse { span, name });
1109        }
1110    }
1111
1112    /// Returns `true` if we should consider the underlying `extern crate` to be used.
1113    fn process_macro_use_imports(&mut self, item: &Item, module: Module<'ra>) -> bool {
1114        let mut import_all = None;
1115        let mut single_imports = ThinVec::new();
1116        if let Some(Attribute::Parsed(AttributeKind::MacroUse { span, arguments })) =
1117            AttributeParser::parse_limited(
1118                self.r.tcx.sess,
1119                &item.attrs,
1120                sym::macro_use,
1121                item.span,
1122                item.id,
1123                None,
1124            )
1125        {
1126            if self.parent_scope.module.parent.is_some() {
1127                self.r
1128                    .dcx()
1129                    .emit_err(errors::ExternCrateLoadingMacroNotAtCrateRoot { span: item.span });
1130            }
1131            if let ItemKind::ExternCrate(Some(orig_name), _) = item.kind
1132                && orig_name == kw::SelfLower
1133            {
1134                self.r.dcx().emit_err(errors::MacroUseExternCrateSelf { span });
1135            }
1136
1137            match arguments {
1138                MacroUseArgs::UseAll => import_all = Some(span),
1139                MacroUseArgs::UseSpecific(imports) => single_imports = imports,
1140            }
1141        }
1142
1143        let macro_use_import = |this: &Self, span, warn_private| {
1144            this.r.arenas.alloc_import(ImportData {
1145                kind: ImportKind::MacroUse { warn_private },
1146                root_id: item.id,
1147                parent_scope: this.parent_scope,
1148                imported_module: CmCell::new(Some(ModuleOrUniformRoot::Module(module))),
1149                use_span_with_attributes: item.span_with_attributes(),
1150                has_attributes: !item.attrs.is_empty(),
1151                use_span: item.span,
1152                root_span: span,
1153                span,
1154                module_path: Vec::new(),
1155                vis: Visibility::Restricted(CRATE_DEF_ID),
1156                vis_span: item.vis.span,
1157            })
1158        };
1159
1160        let allow_shadowing = self.parent_scope.expansion == LocalExpnId::ROOT;
1161        if let Some(span) = import_all {
1162            let import = macro_use_import(self, span, false);
1163            self.r.potentially_unused_imports.push(import);
1164            module.for_each_child_mut(self, |this, ident, _, ns, binding| {
1165                if ns == MacroNS {
1166                    let import =
1167                        if this.r.is_accessible_from(binding.vis(), this.parent_scope.module) {
1168                            import
1169                        } else {
1170                            // FIXME: This branch is used for reporting the `private_macro_use` lint
1171                            // and should eventually be removed.
1172                            if this.r.macro_use_prelude.contains_key(&ident.name) {
1173                                // Do not override already existing entries with compatibility entries.
1174                                return;
1175                            }
1176                            macro_use_import(this, span, true)
1177                        };
1178                    let import_decl = this.r.new_import_decl(binding, import);
1179                    this.add_macro_use_decl(ident.name, import_decl, span, allow_shadowing);
1180                }
1181            });
1182        } else {
1183            for ident in single_imports.iter().cloned() {
1184                let result = self.r.cm().maybe_resolve_ident_in_module(
1185                    ModuleOrUniformRoot::Module(module),
1186                    ident,
1187                    MacroNS,
1188                    &self.parent_scope,
1189                    None,
1190                );
1191                if let Ok(binding) = result {
1192                    let import = macro_use_import(self, ident.span, false);
1193                    self.r.potentially_unused_imports.push(import);
1194                    let import_decl = self.r.new_import_decl(binding, import);
1195                    self.add_macro_use_decl(ident.name, import_decl, ident.span, allow_shadowing);
1196                } else {
1197                    self.r.dcx().emit_err(errors::ImportedMacroNotFound { span: ident.span });
1198                }
1199            }
1200        }
1201        import_all.is_some() || !single_imports.is_empty()
1202    }
1203
1204    /// Returns `true` if this attribute list contains `macro_use`.
1205    fn contains_macro_use(&self, attrs: &[ast::Attribute]) -> bool {
1206        for attr in attrs {
1207            if attr.has_name(sym::macro_escape) {
1208                let inner_attribute = #[allow(non_exhaustive_omitted_patterns)] match attr.style {
    ast::AttrStyle::Inner => true,
    _ => false,
}matches!(attr.style, ast::AttrStyle::Inner);
1209                self.r
1210                    .dcx()
1211                    .emit_warn(errors::MacroExternDeprecated { span: attr.span, inner_attribute });
1212            } else if !attr.has_name(sym::macro_use) {
1213                continue;
1214            }
1215
1216            if !attr.is_word() {
1217                self.r.dcx().emit_err(errors::ArgumentsMacroUseNotAllowed { span: attr.span });
1218            }
1219            return true;
1220        }
1221
1222        false
1223    }
1224
1225    fn visit_invoc(&mut self, id: NodeId) -> LocalExpnId {
1226        let invoc_id = id.placeholder_to_expn_id();
1227        let old_parent_scope = self.r.invocation_parent_scopes.insert(invoc_id, self.parent_scope);
1228        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");
1229        invoc_id
1230    }
1231
1232    /// Visit invocation in context in which it can emit a named item (possibly `macro_rules`)
1233    /// directly into its parent scope's module.
1234    fn visit_invoc_in_module(&mut self, id: NodeId) -> MacroRulesScopeRef<'ra> {
1235        let invoc_id = self.visit_invoc(id);
1236        self.parent_scope.module.unexpanded_invocations.borrow_mut(self.r).insert(invoc_id);
1237        self.r.arenas.alloc_macro_rules_scope(MacroRulesScope::Invocation(invoc_id))
1238    }
1239
1240    fn proc_macro_stub(
1241        &self,
1242        item: &ast::Item,
1243        fn_ident: Ident,
1244    ) -> Option<(MacroKind, Ident, Span)> {
1245        if ast::attr::contains_name(&item.attrs, sym::proc_macro) {
1246            return Some((MacroKind::Bang, fn_ident, item.span));
1247        } else if ast::attr::contains_name(&item.attrs, sym::proc_macro_attribute) {
1248            return Some((MacroKind::Attr, fn_ident, item.span));
1249        } else if let Some(attr) = ast::attr::find_by_name(&item.attrs, sym::proc_macro_derive)
1250            && let Some(meta_item_inner) =
1251                attr.meta_item_list().and_then(|list| list.get(0).cloned())
1252            && let Some(ident) = meta_item_inner.ident()
1253        {
1254            return Some((MacroKind::Derive, ident, ident.span));
1255        }
1256        None
1257    }
1258
1259    // Mark the given macro as unused unless its name starts with `_`.
1260    // Macro uses will remove items from this set, and the remaining
1261    // items will be reported as `unused_macros`.
1262    fn insert_unused_macro(&mut self, ident: Ident, def_id: LocalDefId, node_id: NodeId) {
1263        if !ident.as_str().starts_with('_') {
1264            self.r.unused_macros.insert(def_id, (node_id, ident));
1265            let nrules = self.r.local_macro_map[&def_id].nrules;
1266            self.r.unused_macro_rules.insert(node_id, DenseBitSet::new_filled(nrules));
1267        }
1268    }
1269
1270    fn define_macro(&mut self, item: &ast::Item) -> MacroRulesScopeRef<'ra> {
1271        let parent_scope = self.parent_scope;
1272        let expansion = parent_scope.expansion;
1273        let feed = self.r.feed(item.id);
1274        let def_id = feed.key();
1275        let (res, orig_ident, span, macro_rules) = match &item.kind {
1276            ItemKind::MacroDef(ident, def) => {
1277                (self.res(def_id), *ident, item.span, def.macro_rules)
1278            }
1279            ItemKind::Fn(box ast::Fn { ident: fn_ident, .. }) => {
1280                match self.proc_macro_stub(item, *fn_ident) {
1281                    Some((macro_kind, ident, span)) => {
1282                        let macro_kinds = macro_kind.into();
1283                        let res = Res::Def(DefKind::Macro(macro_kinds), def_id.to_def_id());
1284                        let macro_data = MacroData::new(self.r.dummy_ext(macro_kind));
1285                        self.r.new_local_macro(def_id, macro_data);
1286                        self.r.proc_macro_stubs.insert(def_id);
1287                        (res, ident, span, false)
1288                    }
1289                    None => return parent_scope.macro_rules,
1290                }
1291            }
1292            _ => ::core::panicking::panic("internal error: entered unreachable code")unreachable!(),
1293        };
1294
1295        self.r.local_macro_def_scopes.insert(def_id, parent_scope.module);
1296
1297        if macro_rules {
1298            let ident = IdentKey::new(orig_ident);
1299            self.r.macro_names.insert(ident);
1300            let is_macro_export = ast::attr::contains_name(&item.attrs, sym::macro_export);
1301            let vis = if is_macro_export {
1302                Visibility::Public
1303            } else {
1304                Visibility::Restricted(CRATE_DEF_ID)
1305            };
1306            let decl = self.r.arenas.new_def_decl(
1307                res,
1308                vis.to_def_id(),
1309                span,
1310                expansion,
1311                Some(parent_scope.module),
1312            );
1313            self.r.all_macro_rules.insert(ident.name);
1314            if is_macro_export {
1315                let import = self.r.arenas.alloc_import(ImportData {
1316                    kind: ImportKind::MacroExport,
1317                    root_id: item.id,
1318                    parent_scope: ParentScope { module: self.r.graph_root, ..parent_scope },
1319                    imported_module: CmCell::new(None),
1320                    has_attributes: false,
1321                    use_span_with_attributes: span,
1322                    use_span: span,
1323                    root_span: span,
1324                    span,
1325                    module_path: Vec::new(),
1326                    vis,
1327                    vis_span: item.vis.span,
1328                });
1329                self.r.import_use_map.insert(import, Used::Other);
1330                let import_decl = self.r.new_import_decl(decl, import);
1331                self.r.plant_decl_into_local_module(ident, orig_ident.span, MacroNS, import_decl);
1332            } else {
1333                self.r.check_reserved_macro_name(ident.name, orig_ident.span, res);
1334                self.insert_unused_macro(orig_ident, def_id, item.id);
1335            }
1336            self.r.feed_visibility(feed, vis);
1337            let scope = self.r.arenas.alloc_macro_rules_scope(MacroRulesScope::Def(
1338                self.r.arenas.alloc_macro_rules_decl(MacroRulesDecl {
1339                    parent_macro_rules_scope: parent_scope.macro_rules,
1340                    decl,
1341                    ident,
1342                    orig_ident_span: orig_ident.span,
1343                }),
1344            ));
1345            self.r.macro_rules_scopes.insert(def_id, scope);
1346            scope
1347        } else {
1348            let module = parent_scope.module;
1349            let vis = match item.kind {
1350                // Visibilities must not be resolved non-speculatively twice
1351                // and we already resolved this one as a `fn` item visibility.
1352                ItemKind::Fn(..) => {
1353                    self.try_resolve_visibility(&item.vis, false).unwrap_or(Visibility::Public)
1354                }
1355                _ => self.resolve_visibility(&item.vis),
1356            };
1357            if !vis.is_public() {
1358                self.insert_unused_macro(orig_ident, def_id, item.id);
1359            }
1360            self.r.define_local(module, orig_ident, MacroNS, res, vis, span, expansion);
1361            self.r.feed_visibility(feed, vis);
1362            self.parent_scope.macro_rules
1363        }
1364    }
1365}
1366
1367macro_rules! method {
1368    ($visit:ident: $ty:ty, $invoc:path, $walk:ident) => {
1369        fn $visit(&mut self, node: &'a $ty) {
1370            if let $invoc(..) = node.kind {
1371                self.visit_invoc(node.id);
1372            } else {
1373                visit::$walk(self, node);
1374            }
1375        }
1376    };
1377}
1378
1379impl<'a, 'ra, 'tcx> Visitor<'a> for BuildReducedGraphVisitor<'a, 'ra, 'tcx> {
1380    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);
1381    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);
1382    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);
1383
1384    fn visit_item(&mut self, item: &'a Item) {
1385        let orig_module_scope = self.parent_scope.module;
1386        self.parent_scope.macro_rules = match item.kind {
1387            ItemKind::MacroDef(..) => {
1388                let macro_rules_scope = self.define_macro(item);
1389                visit::walk_item(self, item);
1390                macro_rules_scope
1391            }
1392            ItemKind::MacCall(..) => self.visit_invoc_in_module(item.id),
1393            _ => {
1394                let orig_macro_rules_scope = self.parent_scope.macro_rules;
1395                self.build_reduced_graph_for_item(item);
1396                match item.kind {
1397                    ItemKind::Mod(..) => {
1398                        // Visit attributes after items for backward compatibility.
1399                        // This way they can use `macro_rules` defined later.
1400                        self.visit_vis(&item.vis);
1401                        item.kind.walk(&item.attrs, item.span, item.id, &item.vis, (), self);
1402                        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);
1403                    }
1404                    _ => visit::walk_item(self, item),
1405                }
1406                match item.kind {
1407                    ItemKind::Mod(..) if self.contains_macro_use(&item.attrs) => {
1408                        self.parent_scope.macro_rules
1409                    }
1410                    _ => orig_macro_rules_scope,
1411                }
1412            }
1413        };
1414        self.parent_scope.module = orig_module_scope;
1415    }
1416
1417    fn visit_stmt(&mut self, stmt: &'a ast::Stmt) {
1418        if let ast::StmtKind::MacCall(..) = stmt.kind {
1419            self.parent_scope.macro_rules = self.visit_invoc_in_module(stmt.id);
1420        } else {
1421            visit::walk_stmt(self, stmt);
1422        }
1423    }
1424
1425    fn visit_foreign_item(&mut self, foreign_item: &'a ForeignItem) {
1426        let ident = match foreign_item.kind {
1427            ForeignItemKind::Static(box StaticItem { ident, .. })
1428            | ForeignItemKind::Fn(box Fn { ident, .. })
1429            | ForeignItemKind::TyAlias(box TyAlias { ident, .. }) => ident,
1430            ForeignItemKind::MacCall(_) => {
1431                self.visit_invoc_in_module(foreign_item.id);
1432                return;
1433            }
1434        };
1435
1436        self.build_reduced_graph_for_foreign_item(foreign_item, ident);
1437        visit::walk_item(self, foreign_item);
1438    }
1439
1440    fn visit_block(&mut self, block: &'a Block) {
1441        let orig_current_module = self.parent_scope.module;
1442        let orig_current_macro_rules_scope = self.parent_scope.macro_rules;
1443        self.build_reduced_graph_for_block(block);
1444        visit::walk_block(self, block);
1445        self.parent_scope.module = orig_current_module;
1446        self.parent_scope.macro_rules = orig_current_macro_rules_scope;
1447    }
1448
1449    fn visit_assoc_item(&mut self, item: &'a AssocItem, ctxt: AssocCtxt) {
1450        let (ident, ns) = match item.kind {
1451            AssocItemKind::Const(box ConstItem { ident, .. })
1452            | AssocItemKind::Fn(box Fn { ident, .. })
1453            | AssocItemKind::Delegation(box Delegation { ident, .. }) => (ident, ValueNS),
1454
1455            AssocItemKind::Type(box TyAlias { ident, .. }) => (ident, TypeNS),
1456
1457            AssocItemKind::MacCall(_) => {
1458                match ctxt {
1459                    AssocCtxt::Trait => {
1460                        self.visit_invoc_in_module(item.id);
1461                    }
1462                    AssocCtxt::Impl { .. } => {
1463                        let invoc_id = item.id.placeholder_to_expn_id();
1464                        if !self.r.glob_delegation_invoc_ids.contains(&invoc_id) {
1465                            self.r
1466                                .impl_unexpanded_invocations
1467                                .entry(self.r.invocation_parent(invoc_id))
1468                                .or_default()
1469                                .insert(invoc_id);
1470                        }
1471                        self.visit_invoc(item.id);
1472                    }
1473                }
1474                return;
1475            }
1476
1477            AssocItemKind::DelegationMac(..) => ::rustc_middle::util::bug::bug_fmt(format_args!("impossible case reached"))bug!(),
1478        };
1479        let vis = self.resolve_visibility(&item.vis);
1480        let feed = self.r.feed(item.id);
1481        let local_def_id = feed.key();
1482        let def_id = local_def_id.to_def_id();
1483
1484        if !(#[allow(non_exhaustive_omitted_patterns)] match ctxt {
    AssocCtxt::Impl { of_trait: true } => true,
    _ => false,
}matches!(ctxt, AssocCtxt::Impl { of_trait: true })
1485            && #[allow(non_exhaustive_omitted_patterns)] match item.vis.kind {
    ast::VisibilityKind::Inherited => true,
    _ => false,
}matches!(item.vis.kind, ast::VisibilityKind::Inherited))
1486        {
1487            // Trait impl item visibility is inherited from its trait when not specified
1488            // explicitly. In that case we cannot determine it here in early resolve,
1489            // so we leave a hole in the visibility table to be filled later.
1490            self.r.feed_visibility(feed, vis);
1491        }
1492
1493        if ctxt == AssocCtxt::Trait {
1494            let parent = self.parent_scope.module;
1495            let expansion = self.parent_scope.expansion;
1496            self.r.define_local(parent, ident, ns, self.res(def_id), vis, item.span, expansion);
1497        } 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)
1498            && ident.name != kw::Underscore
1499        {
1500            // Don't add underscore names, they cannot be looked up anyway.
1501            let impl_def_id = self.r.tcx.local_parent(local_def_id);
1502            let key = BindingKey::new(IdentKey::new(ident), ns);
1503            self.r.impl_binding_keys.entry(impl_def_id).or_default().insert(key);
1504        }
1505
1506        visit::walk_assoc_item(self, item, ctxt);
1507    }
1508
1509    fn visit_attribute(&mut self, attr: &'a ast::Attribute) {
1510        if !attr.is_doc_comment() && attr::is_builtin_attr(attr) {
1511            self.r
1512                .builtin_attrs
1513                .push((attr.get_normal_item().path.segments[0].ident, self.parent_scope));
1514        }
1515        visit::walk_attribute(self, attr);
1516    }
1517
1518    fn visit_arm(&mut self, arm: &'a ast::Arm) {
1519        if arm.is_placeholder {
1520            self.visit_invoc(arm.id);
1521        } else {
1522            visit::walk_arm(self, arm);
1523        }
1524    }
1525
1526    fn visit_expr_field(&mut self, f: &'a ast::ExprField) {
1527        if f.is_placeholder {
1528            self.visit_invoc(f.id);
1529        } else {
1530            visit::walk_expr_field(self, f);
1531        }
1532    }
1533
1534    fn visit_pat_field(&mut self, fp: &'a ast::PatField) {
1535        if fp.is_placeholder {
1536            self.visit_invoc(fp.id);
1537        } else {
1538            visit::walk_pat_field(self, fp);
1539        }
1540    }
1541
1542    fn visit_generic_param(&mut self, param: &'a ast::GenericParam) {
1543        if param.is_placeholder {
1544            self.visit_invoc(param.id);
1545        } else {
1546            visit::walk_generic_param(self, param);
1547        }
1548    }
1549
1550    fn visit_param(&mut self, p: &'a ast::Param) {
1551        if p.is_placeholder {
1552            self.visit_invoc(p.id);
1553        } else {
1554            visit::walk_param(self, p);
1555        }
1556    }
1557
1558    fn visit_field_def(&mut self, sf: &'a ast::FieldDef) {
1559        if sf.is_placeholder {
1560            self.visit_invoc(sf.id);
1561        } else {
1562            let vis = self.resolve_visibility(&sf.vis);
1563            self.r.feed_visibility(self.r.feed(sf.id), vis);
1564            visit::walk_field_def(self, sf);
1565        }
1566    }
1567
1568    // Constructs the reduced graph for one variant. Variants exist in the
1569    // type and value namespaces.
1570    fn visit_variant(&mut self, variant: &'a ast::Variant) {
1571        if variant.is_placeholder {
1572            self.visit_invoc_in_module(variant.id);
1573            return;
1574        }
1575
1576        let parent = self.parent_scope.module;
1577        let expn_id = self.parent_scope.expansion;
1578        let ident = variant.ident;
1579
1580        // Define a name in the type namespace.
1581        let feed = self.r.feed(variant.id);
1582        let def_id = feed.key();
1583        let vis = self.resolve_visibility(&variant.vis);
1584        self.r.define_local(parent, ident, TypeNS, self.res(def_id), vis, variant.span, expn_id);
1585        self.r.feed_visibility(feed, vis);
1586
1587        // If the variant is marked as non_exhaustive then lower the visibility to within the crate.
1588        let ctor_vis =
1589            if vis.is_public() && ast::attr::contains_name(&variant.attrs, sym::non_exhaustive) {
1590                Visibility::Restricted(CRATE_DEF_ID)
1591            } else {
1592                vis
1593            };
1594
1595        // Define a constructor name in the value namespace.
1596        if let Some(ctor_node_id) = variant.data.ctor_node_id() {
1597            let feed = self.r.feed(ctor_node_id);
1598            let ctor_def_id = feed.key();
1599            let ctor_res = self.res(ctor_def_id);
1600            self.r.define_local(parent, ident, ValueNS, ctor_res, ctor_vis, variant.span, expn_id);
1601            self.r.feed_visibility(feed, ctor_vis);
1602        }
1603
1604        // Record field names for error reporting.
1605        self.insert_field_idents(def_id, variant.data.fields());
1606        self.insert_field_visibilities_local(def_id.to_def_id(), variant.data.fields());
1607
1608        visit::walk_variant(self, variant);
1609    }
1610
1611    fn visit_where_predicate(&mut self, p: &'a ast::WherePredicate) {
1612        if p.is_placeholder {
1613            self.visit_invoc(p.id);
1614        } else {
1615            visit::walk_where_predicate(self, p);
1616        }
1617    }
1618
1619    fn visit_crate(&mut self, krate: &'a ast::Crate) {
1620        if krate.is_placeholder {
1621            self.visit_invoc_in_module(krate.id);
1622        } else {
1623            // Visit attributes after items for backward compatibility.
1624            // This way they can use `macro_rules` defined later.
1625            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);
1626            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);
1627            self.contains_macro_use(&krate.attrs);
1628        }
1629    }
1630}