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