rustc_resolve/
effective_visibilities.rs

1use std::mem;
2
3use rustc_ast::visit::Visitor;
4use rustc_ast::{Crate, EnumDef, ast, visit};
5use rustc_data_structures::fx::FxHashSet;
6use rustc_hir::def_id::{CRATE_DEF_ID, LocalDefId};
7use rustc_middle::middle::privacy::{EffectiveVisibilities, EffectiveVisibility, Level};
8use rustc_middle::ty::Visibility;
9use tracing::info;
10
11use crate::{NameBinding, NameBindingKind, Resolver};
12
13#[derive(Clone, Copy)]
14enum ParentId<'ra> {
15    Def(LocalDefId),
16    Import(NameBinding<'ra>),
17}
18
19impl ParentId<'_> {
20    fn level(self) -> Level {
21        match self {
22            ParentId::Def(_) => Level::Direct,
23            ParentId::Import(_) => Level::Reexported,
24        }
25    }
26}
27
28pub(crate) struct EffectiveVisibilitiesVisitor<'a, 'ra, 'tcx> {
29    r: &'a mut Resolver<'ra, 'tcx>,
30    def_effective_visibilities: EffectiveVisibilities,
31    /// While walking import chains we need to track effective visibilities per-binding, and def id
32    /// keys in `Resolver::effective_visibilities` are not enough for that, because multiple
33    /// bindings can correspond to a single def id in imports. So we keep a separate table.
34    import_effective_visibilities: EffectiveVisibilities<NameBinding<'ra>>,
35    // It's possible to recalculate this at any point, but it's relatively expensive.
36    current_private_vis: Visibility,
37    changed: bool,
38}
39
40impl Resolver<'_, '_> {
41    fn nearest_normal_mod(&self, def_id: LocalDefId) -> LocalDefId {
42        self.get_nearest_non_block_module(def_id.to_def_id()).nearest_parent_mod().expect_local()
43    }
44
45    fn private_vis_import(&self, binding: NameBinding<'_>) -> Visibility {
46        let NameBindingKind::Import { import, .. } = binding.kind else { unreachable!() };
47        Visibility::Restricted(
48            import
49                .id()
50                .map(|id| self.nearest_normal_mod(self.local_def_id(id)))
51                .unwrap_or(CRATE_DEF_ID),
52        )
53    }
54
55    fn private_vis_def(&self, def_id: LocalDefId) -> Visibility {
56        // For mod items `nearest_normal_mod` returns its argument, but we actually need its parent.
57        let normal_mod_id = self.nearest_normal_mod(def_id);
58        if normal_mod_id == def_id {
59            Visibility::Restricted(self.tcx.local_parent(def_id))
60        } else {
61            Visibility::Restricted(normal_mod_id)
62        }
63    }
64}
65
66impl<'a, 'ra, 'tcx> EffectiveVisibilitiesVisitor<'a, 'ra, 'tcx> {
67    /// Fills the `Resolver::effective_visibilities` table with public & exported items
68    /// For now, this doesn't resolve macros (FIXME) and cannot resolve Impl, as we
69    /// need access to a TyCtxt for that. Returns the set of ambiguous re-exports.
70    pub(crate) fn compute_effective_visibilities<'c>(
71        r: &'a mut Resolver<'ra, 'tcx>,
72        krate: &'c Crate,
73    ) -> FxHashSet<NameBinding<'ra>> {
74        let mut visitor = EffectiveVisibilitiesVisitor {
75            r,
76            def_effective_visibilities: Default::default(),
77            import_effective_visibilities: Default::default(),
78            current_private_vis: Visibility::Restricted(CRATE_DEF_ID),
79            changed: true,
80        };
81
82        visitor.def_effective_visibilities.update_root();
83        visitor.set_bindings_effective_visibilities(CRATE_DEF_ID);
84
85        while visitor.changed {
86            visitor.changed = false;
87            visit::walk_crate(&mut visitor, krate);
88        }
89        visitor.r.effective_visibilities = visitor.def_effective_visibilities;
90
91        let mut exported_ambiguities = FxHashSet::default();
92
93        // Update visibilities for import def ids. These are not used during the
94        // `EffectiveVisibilitiesVisitor` pass, because we have more detailed binding-based
95        // information, but are used by later passes. Effective visibility of an import def id
96        // is the maximum value among visibilities of bindings corresponding to that def id.
97        for (binding, eff_vis) in visitor.import_effective_visibilities.iter() {
98            let NameBindingKind::Import { import, .. } = binding.kind else { unreachable!() };
99            if !binding.is_ambiguity_recursive() {
100                if let Some(node_id) = import.id() {
101                    r.effective_visibilities.update_eff_vis(r.local_def_id(node_id), eff_vis, r.tcx)
102                }
103            } else if binding.ambiguity.is_some() && eff_vis.is_public_at_level(Level::Reexported) {
104                exported_ambiguities.insert(*binding);
105            }
106        }
107
108        info!("resolve::effective_visibilities: {:#?}", r.effective_visibilities);
109
110        exported_ambiguities
111    }
112
113    /// Update effective visibilities of bindings in the given module,
114    /// including their whole reexport chains.
115    fn set_bindings_effective_visibilities(&mut self, module_id: LocalDefId) {
116        let module = self.r.expect_module(module_id.to_def_id());
117        let resolutions = self.r.resolutions(module);
118
119        for (_, name_resolution) in resolutions.borrow().iter() {
120            let Some(mut binding) = name_resolution.borrow().binding() else {
121                continue;
122            };
123            // Set the given effective visibility level to `Level::Direct` and
124            // sets the rest of the `use` chain to `Level::Reexported` until
125            // we hit the actual exported item.
126            //
127            // If the binding is ambiguous, put the root ambiguity binding and all reexports
128            // leading to it into the table. They are used by the `ambiguous_glob_reexports`
129            // lint. For all bindings added to the table this way `is_ambiguity` returns true.
130            let is_ambiguity =
131                |binding: NameBinding<'ra>, warn: bool| binding.ambiguity.is_some() && !warn;
132            let mut parent_id = ParentId::Def(module_id);
133            let mut warn_ambiguity = binding.warn_ambiguity;
134            while let NameBindingKind::Import { binding: nested_binding, .. } = binding.kind {
135                self.update_import(binding, parent_id);
136
137                if is_ambiguity(binding, warn_ambiguity) {
138                    // Stop at the root ambiguity, further bindings in the chain should not
139                    // be reexported because the root ambiguity blocks any access to them.
140                    // (Those further bindings are most likely not ambiguities themselves.)
141                    break;
142                }
143
144                parent_id = ParentId::Import(binding);
145                binding = nested_binding;
146                warn_ambiguity |= nested_binding.warn_ambiguity;
147            }
148            if !is_ambiguity(binding, warn_ambiguity)
149                && let Some(def_id) = binding.res().opt_def_id().and_then(|id| id.as_local())
150            {
151                self.update_def(def_id, binding.vis.expect_local(), parent_id);
152            }
153        }
154    }
155
156    fn effective_vis_or_private(&mut self, parent_id: ParentId<'ra>) -> EffectiveVisibility {
157        // Private nodes are only added to the table for caching, they could be added or removed at
158        // any moment without consequences, so we don't set `changed` to true when adding them.
159        *match parent_id {
160            ParentId::Def(def_id) => self
161                .def_effective_visibilities
162                .effective_vis_or_private(def_id, || self.r.private_vis_def(def_id)),
163            ParentId::Import(binding) => self
164                .import_effective_visibilities
165                .effective_vis_or_private(binding, || self.r.private_vis_import(binding)),
166        }
167    }
168
169    /// All effective visibilities for a node are larger or equal than private visibility
170    /// for that node (see `check_invariants` in middle/privacy.rs).
171    /// So if either parent or nominal visibility is the same as private visibility, then
172    /// `min(parent_vis, nominal_vis) <= private_vis`, and the update logic is guaranteed
173    /// to not update anything and we can skip it.
174    ///
175    /// We are checking this condition only if the correct value of private visibility is
176    /// cheaply available, otherwise it doesn't make sense performance-wise.
177    ///
178    /// `None` is returned if the update can be skipped,
179    /// and cheap private visibility is returned otherwise.
180    fn may_update(
181        &self,
182        nominal_vis: Visibility,
183        parent_id: ParentId<'_>,
184    ) -> Option<Option<Visibility>> {
185        match parent_id {
186            ParentId::Def(def_id) => (nominal_vis != self.current_private_vis
187                && self.r.tcx.local_visibility(def_id) != self.current_private_vis)
188                .then_some(Some(self.current_private_vis)),
189            ParentId::Import(_) => Some(None),
190        }
191    }
192
193    fn update_import(&mut self, binding: NameBinding<'ra>, parent_id: ParentId<'ra>) {
194        let nominal_vis = binding.vis.expect_local();
195        let Some(cheap_private_vis) = self.may_update(nominal_vis, parent_id) else { return };
196        let inherited_eff_vis = self.effective_vis_or_private(parent_id);
197        let tcx = self.r.tcx;
198        self.changed |= self.import_effective_visibilities.update(
199            binding,
200            Some(nominal_vis),
201            || cheap_private_vis.unwrap_or_else(|| self.r.private_vis_import(binding)),
202            inherited_eff_vis,
203            parent_id.level(),
204            tcx,
205        );
206    }
207
208    fn update_def(
209        &mut self,
210        def_id: LocalDefId,
211        nominal_vis: Visibility,
212        parent_id: ParentId<'ra>,
213    ) {
214        let Some(cheap_private_vis) = self.may_update(nominal_vis, parent_id) else { return };
215        let inherited_eff_vis = self.effective_vis_or_private(parent_id);
216        let tcx = self.r.tcx;
217        self.changed |= self.def_effective_visibilities.update(
218            def_id,
219            Some(nominal_vis),
220            || cheap_private_vis.unwrap_or_else(|| self.r.private_vis_def(def_id)),
221            inherited_eff_vis,
222            parent_id.level(),
223            tcx,
224        );
225    }
226
227    fn update_field(&mut self, def_id: LocalDefId, parent_id: LocalDefId) {
228        self.update_def(def_id, self.r.tcx.local_visibility(def_id), ParentId::Def(parent_id));
229    }
230}
231
232impl<'a, 'ra, 'tcx> Visitor<'a> for EffectiveVisibilitiesVisitor<'a, 'ra, 'tcx> {
233    fn visit_item(&mut self, item: &'a ast::Item) {
234        let def_id = self.r.local_def_id(item.id);
235        // Update effective visibilities of nested items.
236        // If it's a mod, also make the visitor walk all of its items
237        match item.kind {
238            // Resolved in rustc_privacy when types are available
239            ast::ItemKind::Impl(..) => return,
240
241            // Should be unreachable at this stage
242            ast::ItemKind::MacCall(..) | ast::ItemKind::DelegationMac(..) => panic!(
243                "ast::ItemKind::MacCall encountered, this should not anymore appear at this stage"
244            ),
245
246            ast::ItemKind::Mod(..) => {
247                let prev_private_vis =
248                    mem::replace(&mut self.current_private_vis, Visibility::Restricted(def_id));
249                self.set_bindings_effective_visibilities(def_id);
250                visit::walk_item(self, item);
251                self.current_private_vis = prev_private_vis;
252            }
253
254            ast::ItemKind::Enum(_, _, EnumDef { ref variants }) => {
255                self.set_bindings_effective_visibilities(def_id);
256                for variant in variants {
257                    let variant_def_id = self.r.local_def_id(variant.id);
258                    for field in variant.data.fields() {
259                        self.update_field(self.r.local_def_id(field.id), variant_def_id);
260                    }
261                }
262            }
263
264            ast::ItemKind::Struct(_, _, ref def) | ast::ItemKind::Union(_, _, ref def) => {
265                for field in def.fields() {
266                    self.update_field(self.r.local_def_id(field.id), def_id);
267                }
268            }
269
270            ast::ItemKind::Trait(..) => {
271                self.set_bindings_effective_visibilities(def_id);
272            }
273
274            ast::ItemKind::ExternCrate(..)
275            | ast::ItemKind::Use(..)
276            | ast::ItemKind::Static(..)
277            | ast::ItemKind::Const(..)
278            | ast::ItemKind::GlobalAsm(..)
279            | ast::ItemKind::TyAlias(..)
280            | ast::ItemKind::TraitAlias(..)
281            | ast::ItemKind::MacroDef(..)
282            | ast::ItemKind::ForeignMod(..)
283            | ast::ItemKind::Fn(..)
284            | ast::ItemKind::Delegation(..) => return,
285        }
286    }
287}