rustc_hir_analysis/collect/
generics_of.rs

1use std::assert_matches::assert_matches;
2use std::ops::ControlFlow;
3
4use hir::intravisit::{self, Visitor};
5use hir::{GenericParamKind, HirId, Node};
6use rustc_hir::def::DefKind;
7use rustc_hir::def_id::LocalDefId;
8use rustc_hir::intravisit::VisitorExt;
9use rustc_hir::{self as hir, AmbigArg};
10use rustc_middle::ty::{self, TyCtxt};
11use rustc_session::lint;
12use rustc_span::{Span, Symbol, kw};
13use tracing::{debug, instrument};
14
15use crate::delegation::inherit_generics_for_delegation_item;
16use crate::middle::resolve_bound_vars as rbv;
17
18#[instrument(level = "debug", skip(tcx), ret)]
19pub(super) fn generics_of(tcx: TyCtxt<'_>, def_id: LocalDefId) -> ty::Generics {
20    use rustc_hir::*;
21
22    // For an RPITIT, synthesize generics which are equal to the opaque's generics
23    // and parent fn's generics compressed into one list.
24    if let Some(ty::ImplTraitInTraitData::Trait { fn_def_id, opaque_def_id }) =
25        tcx.opt_rpitit_info(def_id.to_def_id())
26    {
27        debug!("RPITIT fn_def_id={fn_def_id:?} opaque_def_id={opaque_def_id:?}");
28        let trait_def_id = tcx.parent(fn_def_id);
29        let opaque_ty_generics = tcx.generics_of(opaque_def_id);
30        let opaque_ty_parent_count = opaque_ty_generics.parent_count;
31        let mut own_params = opaque_ty_generics.own_params.clone();
32
33        let parent_generics = tcx.generics_of(trait_def_id);
34        let parent_count = parent_generics.parent_count + parent_generics.own_params.len();
35
36        let mut trait_fn_params = tcx.generics_of(fn_def_id).own_params.clone();
37
38        for param in &mut own_params {
39            param.index = param.index + parent_count as u32 + trait_fn_params.len() as u32
40                - opaque_ty_parent_count as u32;
41        }
42
43        trait_fn_params.extend(own_params);
44        own_params = trait_fn_params;
45
46        let param_def_id_to_index =
47            own_params.iter().map(|param| (param.def_id, param.index)).collect();
48
49        return ty::Generics {
50            parent: Some(trait_def_id),
51            parent_count,
52            own_params,
53            param_def_id_to_index,
54            has_self: opaque_ty_generics.has_self,
55            has_late_bound_regions: opaque_ty_generics.has_late_bound_regions,
56        };
57    }
58
59    let hir_id = tcx.local_def_id_to_hir_id(def_id);
60
61    let node = tcx.hir_node(hir_id);
62    if let Some(sig) = node.fn_sig()
63        && let Some(sig_id) = sig.decl.opt_delegation_sig_id()
64    {
65        return inherit_generics_for_delegation_item(tcx, def_id, sig_id);
66    }
67
68    let parent_def_id = match node {
69        Node::ImplItem(_)
70        | Node::TraitItem(_)
71        | Node::Variant(_)
72        | Node::Ctor(..)
73        | Node::Field(_) => {
74            let parent_id = tcx.hir().get_parent_item(hir_id);
75            Some(parent_id.to_def_id())
76        }
77        // FIXME(#43408) always enable this once `lazy_normalization` is
78        // stable enough and does not need a feature gate anymore.
79        Node::AnonConst(_) => {
80            let parent_did = tcx.parent(def_id.to_def_id());
81
82            // We don't do this unconditionally because the `DefId` parent of an anon const
83            // might be an implicitly created closure during `async fn` desugaring. This would
84            // have the wrong generics.
85            //
86            // i.e. `async fn foo<'a>() { let a = [(); { 1 + 2 }]; bar().await() }`
87            // would implicitly have a closure in its body that would be the parent of
88            // the `{ 1 + 2 }` anon const. This closure's generics is simply a witness
89            // instead of `['a]`.
90            let parent_did = if let DefKind::AnonConst = tcx.def_kind(parent_did) {
91                parent_did
92            } else {
93                tcx.hir().get_parent_item(hir_id).to_def_id()
94            };
95            debug!(?parent_did);
96
97            let mut in_param_ty = false;
98            for (_parent, node) in tcx.hir().parent_iter(hir_id) {
99                if let Some(generics) = node.generics() {
100                    let mut visitor = AnonConstInParamTyDetector { in_param_ty: false, ct: hir_id };
101
102                    in_param_ty = visitor.visit_generics(generics).is_break();
103                    break;
104                }
105            }
106
107            if in_param_ty {
108                // We do not allow generic parameters in anon consts if we are inside
109                // of a const parameter type, e.g. `struct Foo<const N: usize, const M: [u8; N]>` is not allowed.
110                None
111            } else if tcx.features().generic_const_exprs() {
112                let parent_node = tcx.parent_hir_node(hir_id);
113                debug!(?parent_node);
114                if let Node::Variant(Variant { disr_expr: Some(constant), .. }) = parent_node
115                    && constant.hir_id == hir_id
116                {
117                    // enum variant discriminants are not allowed to use any kind of generics
118                    None
119                } else if let Some(param_id) =
120                    tcx.hir().opt_const_param_default_param_def_id(hir_id)
121                {
122                    // If the def_id we are calling generics_of on is an anon ct default i.e:
123                    //
124                    // struct Foo<const N: usize = { .. }>;
125                    //        ^^^       ^          ^^^^^^ def id of this anon const
126                    //        ^         ^ param_id
127                    //        ^ parent_def_id
128                    //
129                    // then we only want to return generics for params to the left of `N`. If we don't do that we
130                    // end up with that const looking like: `ty::ConstKind::Unevaluated(def_id, args: [N#0])`.
131                    //
132                    // This causes ICEs (#86580) when building the args for Foo in `fn foo() -> Foo { .. }` as
133                    // we instantiate the defaults with the partially built args when we build the args. Instantiating
134                    // the `N#0` on the unevaluated const indexes into the empty args we're in the process of building.
135                    //
136                    // We fix this by having this function return the parent's generics ourselves and truncating the
137                    // generics to only include non-forward declared params (with the exception of the `Self` ty)
138                    //
139                    // For the above code example that means we want `args: []`
140                    // For the following struct def we want `args: [N#0]` when generics_of is called on
141                    // the def id of the `{ N + 1 }` anon const
142                    // struct Foo<const N: usize, const M: usize = { N + 1 }>;
143                    //
144                    // This has some implications for how we get the predicates available to the anon const
145                    // see `explicit_predicates_of` for more information on this
146                    let generics = tcx.generics_of(parent_did);
147                    let param_def_idx = generics.param_def_id_to_index[&param_id.to_def_id()];
148                    // In the above example this would be .params[..N#0]
149                    let own_params = generics.params_to(param_def_idx as usize, tcx).to_owned();
150                    let param_def_id_to_index =
151                        own_params.iter().map(|param| (param.def_id, param.index)).collect();
152
153                    return ty::Generics {
154                        // we set the parent of these generics to be our parent's parent so that we
155                        // dont end up with args: [N, M, N] for the const default on a struct like this:
156                        // struct Foo<const N: usize, const M: usize = { ... }>;
157                        parent: generics.parent,
158                        parent_count: generics.parent_count,
159                        own_params,
160                        param_def_id_to_index,
161                        has_self: generics.has_self,
162                        has_late_bound_regions: generics.has_late_bound_regions,
163                    };
164                } else {
165                    // HACK(eddyb) this provides the correct generics when
166                    // `feature(generic_const_expressions)` is enabled, so that const expressions
167                    // used with const generics, e.g. `Foo<{N+1}>`, can work at all.
168                    //
169                    // Note that we do not supply the parent generics when using
170                    // `min_const_generics`.
171                    Some(parent_did)
172                }
173            } else {
174                let parent_node = tcx.parent_hir_node(hir_id);
175                let parent_node = match parent_node {
176                    Node::ConstArg(ca) => tcx.parent_hir_node(ca.hir_id),
177                    _ => parent_node,
178                };
179                match parent_node {
180                    // HACK(eddyb) this provides the correct generics for repeat
181                    // expressions' count (i.e. `N` in `[x; N]`), and explicit
182                    // `enum` discriminants (i.e. `D` in `enum Foo { Bar = D }`),
183                    // as they shouldn't be able to cause query cycle errors.
184                    Node::Expr(Expr { kind: ExprKind::Repeat(_, ct), .. })
185                        if ct.anon_const_hir_id() == Some(hir_id) =>
186                    {
187                        Some(parent_did)
188                    }
189                    // Exclude `GlobalAsm` here which cannot have generics.
190                    Node::Expr(&Expr { kind: ExprKind::InlineAsm(asm), .. })
191                        if asm.operands.iter().any(|(op, _op_sp)| match op {
192                            hir::InlineAsmOperand::Const { anon_const }
193                            | hir::InlineAsmOperand::SymFn { anon_const } => {
194                                anon_const.hir_id == hir_id
195                            }
196                            _ => false,
197                        }) =>
198                    {
199                        Some(parent_did)
200                    }
201                    Node::TyPat(_) => Some(parent_did),
202                    _ => None,
203                }
204            }
205        }
206        Node::ConstBlock(_)
207        | Node::Expr(&hir::Expr { kind: hir::ExprKind::Closure { .. }, .. }) => {
208            Some(tcx.typeck_root_def_id(def_id.to_def_id()))
209        }
210        Node::OpaqueTy(&hir::OpaqueTy {
211            origin:
212                hir::OpaqueTyOrigin::FnReturn { parent: fn_def_id, in_trait_or_impl }
213                | hir::OpaqueTyOrigin::AsyncFn { parent: fn_def_id, in_trait_or_impl },
214            ..
215        }) => {
216            if in_trait_or_impl.is_some() {
217                assert_matches!(tcx.def_kind(fn_def_id), DefKind::AssocFn);
218            } else {
219                assert_matches!(tcx.def_kind(fn_def_id), DefKind::AssocFn | DefKind::Fn);
220            }
221            Some(fn_def_id.to_def_id())
222        }
223        Node::OpaqueTy(&hir::OpaqueTy {
224            origin: hir::OpaqueTyOrigin::TyAlias { parent, in_assoc_ty },
225            ..
226        }) => {
227            if in_assoc_ty {
228                assert_matches!(tcx.def_kind(parent), DefKind::AssocTy);
229            } else {
230                assert_matches!(tcx.def_kind(parent), DefKind::TyAlias);
231            }
232            debug!("generics_of: parent of opaque ty {:?} is {:?}", def_id, parent);
233            // Opaque types are always nested within another item, and
234            // inherit the generics of the item.
235            Some(parent.to_def_id())
236        }
237        _ => None,
238    };
239
240    enum Defaults {
241        Allowed,
242        // See #36887
243        FutureCompatDisallowed,
244        Deny,
245    }
246
247    let hir_generics = node.generics().unwrap_or(hir::Generics::empty());
248    let (opt_self, allow_defaults) = match node {
249        Node::Item(item) => {
250            match item.kind {
251                ItemKind::Trait(..) | ItemKind::TraitAlias(..) => {
252                    // Add in the self type parameter.
253                    //
254                    // Something of a hack: use the node id for the trait, also as
255                    // the node id for the Self type parameter.
256                    let opt_self = Some(ty::GenericParamDef {
257                        index: 0,
258                        name: kw::SelfUpper,
259                        def_id: def_id.to_def_id(),
260                        pure_wrt_drop: false,
261                        kind: ty::GenericParamDefKind::Type {
262                            has_default: false,
263                            synthetic: false,
264                        },
265                    });
266
267                    (opt_self, Defaults::Allowed)
268                }
269                ItemKind::TyAlias(..)
270                | ItemKind::Enum(..)
271                | ItemKind::Struct(..)
272                | ItemKind::Union(..) => (None, Defaults::Allowed),
273                ItemKind::Const(..) => (None, Defaults::Deny),
274                _ => (None, Defaults::FutureCompatDisallowed),
275            }
276        }
277
278        Node::OpaqueTy(..) => (None, Defaults::Allowed),
279
280        // GATs
281        Node::TraitItem(item) if matches!(item.kind, TraitItemKind::Type(..)) => {
282            (None, Defaults::Deny)
283        }
284        Node::ImplItem(item) if matches!(item.kind, ImplItemKind::Type(..)) => {
285            (None, Defaults::Deny)
286        }
287
288        _ => (None, Defaults::FutureCompatDisallowed),
289    };
290
291    let has_self = opt_self.is_some();
292    let mut parent_has_self = false;
293    let mut own_start = has_self as u32;
294    let parent_count = parent_def_id.map_or(0, |def_id| {
295        let generics = tcx.generics_of(def_id);
296        assert!(!has_self);
297        parent_has_self = generics.has_self;
298        own_start = generics.count() as u32;
299        generics.parent_count + generics.own_params.len()
300    });
301
302    let mut own_params: Vec<_> = Vec::with_capacity(hir_generics.params.len() + has_self as usize);
303
304    if let Some(opt_self) = opt_self {
305        own_params.push(opt_self);
306    }
307
308    let early_lifetimes = super::early_bound_lifetimes_from_generics(tcx, hir_generics);
309    own_params.extend(early_lifetimes.enumerate().map(|(i, param)| ty::GenericParamDef {
310        name: param.name.ident().name,
311        index: own_start + i as u32,
312        def_id: param.def_id.to_def_id(),
313        pure_wrt_drop: param.pure_wrt_drop,
314        kind: ty::GenericParamDefKind::Lifetime,
315    }));
316
317    // Now create the real type and const parameters.
318    let type_start = own_start - has_self as u32 + own_params.len() as u32;
319    let mut i: u32 = 0;
320    let mut next_index = || {
321        let prev = i;
322        i += 1;
323        prev + type_start
324    };
325
326    const TYPE_DEFAULT_NOT_ALLOWED: &'static str = "defaults for type parameters are only allowed in \
327    `struct`, `enum`, `type`, or `trait` definitions";
328
329    own_params.extend(hir_generics.params.iter().filter_map(|param| match param.kind {
330        GenericParamKind::Lifetime { .. } => None,
331        GenericParamKind::Type { default, synthetic, .. } => {
332            if default.is_some() {
333                match allow_defaults {
334                    Defaults::Allowed => {}
335                    Defaults::FutureCompatDisallowed => {
336                        tcx.node_span_lint(
337                            lint::builtin::INVALID_TYPE_PARAM_DEFAULT,
338                            param.hir_id,
339                            param.span,
340                            |lint| {
341                                lint.primary_message(TYPE_DEFAULT_NOT_ALLOWED);
342                            },
343                        );
344                    }
345                    Defaults::Deny => {
346                        tcx.dcx().span_err(param.span, TYPE_DEFAULT_NOT_ALLOWED);
347                    }
348                }
349            }
350
351            let kind = ty::GenericParamDefKind::Type { has_default: default.is_some(), synthetic };
352
353            Some(ty::GenericParamDef {
354                index: next_index(),
355                name: param.name.ident().name,
356                def_id: param.def_id.to_def_id(),
357                pure_wrt_drop: param.pure_wrt_drop,
358                kind,
359            })
360        }
361        GenericParamKind::Const { ty: _, default, synthetic } => {
362            if !matches!(allow_defaults, Defaults::Allowed) && default.is_some() {
363                tcx.dcx().span_err(
364                    param.span,
365                    "defaults for const parameters are only allowed in \
366                    `struct`, `enum`, `type`, or `trait` definitions",
367                );
368            }
369
370            let index = next_index();
371
372            Some(ty::GenericParamDef {
373                index,
374                name: param.name.ident().name,
375                def_id: param.def_id.to_def_id(),
376                pure_wrt_drop: param.pure_wrt_drop,
377                kind: ty::GenericParamDefKind::Const { has_default: default.is_some(), synthetic },
378            })
379        }
380    }));
381
382    // provide junk type parameter defs - the only place that
383    // cares about anything but the length is instantiation,
384    // and we don't do that for closures.
385    if let Node::Expr(&hir::Expr {
386        kind: hir::ExprKind::Closure(hir::Closure { kind, .. }), ..
387    }) = node
388    {
389        // See `ClosureArgsParts`, `CoroutineArgsParts`, and `CoroutineClosureArgsParts`
390        // for info on the usage of each of these fields.
391        let dummy_args = match kind {
392            ClosureKind::Closure => &["<closure_kind>", "<closure_signature>", "<upvars>"][..],
393            ClosureKind::Coroutine(_) => &[
394                "<coroutine_kind>",
395                "<resume_ty>",
396                "<yield_ty>",
397                "<return_ty>",
398                "<witness>",
399                "<upvars>",
400            ][..],
401            ClosureKind::CoroutineClosure(_) => &[
402                "<closure_kind>",
403                "<closure_signature_parts>",
404                "<upvars>",
405                "<bound_captures_by_ref>",
406                "<witness>",
407            ][..],
408        };
409
410        own_params.extend(dummy_args.iter().map(|&arg| ty::GenericParamDef {
411            index: next_index(),
412            name: Symbol::intern(arg),
413            def_id: def_id.to_def_id(),
414            pure_wrt_drop: false,
415            kind: ty::GenericParamDefKind::Type { has_default: false, synthetic: false },
416        }));
417    }
418
419    // provide junk type parameter defs for const blocks.
420    if let Node::ConstBlock(_) = node {
421        own_params.push(ty::GenericParamDef {
422            index: next_index(),
423            name: rustc_span::sym::const_ty_placeholder,
424            def_id: def_id.to_def_id(),
425            pure_wrt_drop: false,
426            kind: ty::GenericParamDefKind::Type { has_default: false, synthetic: false },
427        });
428    }
429
430    if let Node::OpaqueTy(&hir::OpaqueTy { .. }) = node {
431        assert!(own_params.is_empty());
432
433        let lifetimes = tcx.opaque_captured_lifetimes(def_id);
434        debug!(?lifetimes);
435
436        own_params.extend(lifetimes.iter().map(|&(_, param)| ty::GenericParamDef {
437            name: tcx.item_name(param.to_def_id()),
438            index: next_index(),
439            def_id: param.to_def_id(),
440            pure_wrt_drop: false,
441            kind: ty::GenericParamDefKind::Lifetime,
442        }))
443    }
444
445    let param_def_id_to_index =
446        own_params.iter().map(|param| (param.def_id, param.index)).collect();
447
448    ty::Generics {
449        parent: parent_def_id,
450        parent_count,
451        own_params,
452        param_def_id_to_index,
453        has_self: has_self || parent_has_self,
454        has_late_bound_regions: has_late_bound_regions(tcx, node),
455    }
456}
457
458fn has_late_bound_regions<'tcx>(tcx: TyCtxt<'tcx>, node: Node<'tcx>) -> Option<Span> {
459    struct LateBoundRegionsDetector<'tcx> {
460        tcx: TyCtxt<'tcx>,
461        outer_index: ty::DebruijnIndex,
462    }
463
464    impl<'tcx> Visitor<'tcx> for LateBoundRegionsDetector<'tcx> {
465        type Result = ControlFlow<Span>;
466        fn visit_ty(&mut self, ty: &'tcx hir::Ty<'tcx, AmbigArg>) -> ControlFlow<Span> {
467            match ty.kind {
468                hir::TyKind::BareFn(..) => {
469                    self.outer_index.shift_in(1);
470                    let res = intravisit::walk_ty(self, ty);
471                    self.outer_index.shift_out(1);
472                    res
473                }
474                hir::TyKind::UnsafeBinder(_) => {
475                    self.outer_index.shift_in(1);
476                    let res = intravisit::walk_ty(self, ty);
477                    self.outer_index.shift_out(1);
478                    res
479                }
480                _ => intravisit::walk_ty(self, ty),
481            }
482        }
483
484        fn visit_poly_trait_ref(&mut self, tr: &'tcx hir::PolyTraitRef<'tcx>) -> ControlFlow<Span> {
485            self.outer_index.shift_in(1);
486            let res = intravisit::walk_poly_trait_ref(self, tr);
487            self.outer_index.shift_out(1);
488            res
489        }
490
491        fn visit_lifetime(&mut self, lt: &'tcx hir::Lifetime) -> ControlFlow<Span> {
492            match self.tcx.named_bound_var(lt.hir_id) {
493                Some(rbv::ResolvedArg::StaticLifetime | rbv::ResolvedArg::EarlyBound(..)) => {
494                    ControlFlow::Continue(())
495                }
496                Some(rbv::ResolvedArg::LateBound(debruijn, _, _))
497                    if debruijn < self.outer_index =>
498                {
499                    ControlFlow::Continue(())
500                }
501                Some(
502                    rbv::ResolvedArg::LateBound(..)
503                    | rbv::ResolvedArg::Free(..)
504                    | rbv::ResolvedArg::Error(_),
505                )
506                | None => ControlFlow::Break(lt.ident.span),
507            }
508        }
509    }
510
511    fn has_late_bound_regions<'tcx>(
512        tcx: TyCtxt<'tcx>,
513        generics: &'tcx hir::Generics<'tcx>,
514        decl: &'tcx hir::FnDecl<'tcx>,
515    ) -> Option<Span> {
516        let mut visitor = LateBoundRegionsDetector { tcx, outer_index: ty::INNERMOST };
517        for param in generics.params {
518            if let GenericParamKind::Lifetime { .. } = param.kind {
519                if tcx.is_late_bound(param.hir_id) {
520                    return Some(param.span);
521                }
522            }
523        }
524        visitor.visit_fn_decl(decl).break_value()
525    }
526
527    let decl = node.fn_decl()?;
528    let generics = node.generics()?;
529    has_late_bound_regions(tcx, generics, decl)
530}
531
532struct AnonConstInParamTyDetector {
533    in_param_ty: bool,
534    ct: HirId,
535}
536
537impl<'v> Visitor<'v> for AnonConstInParamTyDetector {
538    type Result = ControlFlow<()>;
539
540    fn visit_generic_param(&mut self, p: &'v hir::GenericParam<'v>) -> Self::Result {
541        if let GenericParamKind::Const { ty, default: _, synthetic: _ } = p.kind {
542            let prev = self.in_param_ty;
543            self.in_param_ty = true;
544            let res = self.visit_ty_unambig(ty);
545            self.in_param_ty = prev;
546            res
547        } else {
548            ControlFlow::Continue(())
549        }
550    }
551
552    fn visit_anon_const(&mut self, c: &'v hir::AnonConst) -> Self::Result {
553        if self.in_param_ty && self.ct == c.hir_id {
554            return ControlFlow::Break(());
555        }
556        intravisit::walk_anon_const(self, c)
557    }
558}