]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_ty_utils/src/ty.rs
Rollup merge of #106767 - chbaker0:disable-unstable-features, r=Mark-Simulacrum
[rust.git] / compiler / rustc_ty_utils / src / ty.rs
1 use rustc_data_structures::fx::FxIndexSet;
2 use rustc_hir as hir;
3 use rustc_hir::def_id::DefId;
4 use rustc_middle::ty::{self, Binder, Predicate, PredicateKind, ToPredicate, Ty, TyCtxt};
5 use rustc_session::config::TraitSolver;
6 use rustc_trait_selection::traits;
7
8 fn sized_constraint_for_ty<'tcx>(
9     tcx: TyCtxt<'tcx>,
10     adtdef: ty::AdtDef<'tcx>,
11     ty: Ty<'tcx>,
12 ) -> Vec<Ty<'tcx>> {
13     use rustc_type_ir::sty::TyKind::*;
14
15     let result = match ty.kind() {
16         Bool | Char | Int(..) | Uint(..) | Float(..) | RawPtr(..) | Ref(..) | FnDef(..)
17         | FnPtr(_) | Array(..) | Closure(..) | Generator(..) | Never => vec![],
18
19         Str | Dynamic(..) | Slice(_) | Foreign(..) | Error(_) | GeneratorWitness(..) => {
20             // these are never sized - return the target type
21             vec![ty]
22         }
23
24         Tuple(ref tys) => match tys.last() {
25             None => vec![],
26             Some(&ty) => sized_constraint_for_ty(tcx, adtdef, ty),
27         },
28
29         Adt(adt, substs) => {
30             // recursive case
31             let adt_tys = adt.sized_constraint(tcx);
32             debug!("sized_constraint_for_ty({:?}) intermediate = {:?}", ty, adt_tys);
33             adt_tys
34                 .0
35                 .iter()
36                 .map(|ty| adt_tys.rebind(*ty).subst(tcx, substs))
37                 .flat_map(|ty| sized_constraint_for_ty(tcx, adtdef, ty))
38                 .collect()
39         }
40
41         Alias(..) => {
42             // must calculate explicitly.
43             // FIXME: consider special-casing always-Sized projections
44             vec![ty]
45         }
46
47         Param(..) => {
48             // perf hack: if there is a `T: Sized` bound, then
49             // we know that `T` is Sized and do not need to check
50             // it on the impl.
51
52             let Some(sized_trait) = tcx.lang_items().sized_trait() else { return vec![ty] };
53             let sized_predicate = ty::Binder::dummy(tcx.mk_trait_ref(sized_trait, [ty]))
54                 .without_const()
55                 .to_predicate(tcx);
56             let predicates = tcx.predicates_of(adtdef.did()).predicates;
57             if predicates.iter().any(|(p, _)| *p == sized_predicate) { vec![] } else { vec![ty] }
58         }
59
60         Placeholder(..) | Bound(..) | Infer(..) => {
61             bug!("unexpected type `{:?}` in sized_constraint_for_ty", ty)
62         }
63     };
64     debug!("sized_constraint_for_ty({:?}) = {:?}", ty, result);
65     result
66 }
67
68 fn impl_defaultness(tcx: TyCtxt<'_>, def_id: DefId) -> hir::Defaultness {
69     match tcx.hir().get_by_def_id(def_id.expect_local()) {
70         hir::Node::Item(hir::Item { kind: hir::ItemKind::Impl(impl_), .. }) => impl_.defaultness,
71         hir::Node::ImplItem(hir::ImplItem { defaultness, .. })
72         | hir::Node::TraitItem(hir::TraitItem { defaultness, .. }) => *defaultness,
73         node => {
74             bug!("`impl_defaultness` called on {:?}", node);
75         }
76     }
77 }
78
79 /// Calculates the `Sized` constraint.
80 ///
81 /// In fact, there are only a few options for the types in the constraint:
82 ///     - an obviously-unsized type
83 ///     - a type parameter or projection whose Sizedness can't be known
84 ///     - a tuple of type parameters or projections, if there are multiple
85 ///       such.
86 ///     - an Error, if a type is infinitely sized
87 fn adt_sized_constraint(tcx: TyCtxt<'_>, def_id: DefId) -> &[Ty<'_>] {
88     if let Some(def_id) = def_id.as_local() {
89         if matches!(tcx.representability(def_id), ty::Representability::Infinite) {
90             return tcx.intern_type_list(&[tcx.ty_error()]);
91         }
92     }
93     let def = tcx.adt_def(def_id);
94
95     let result = tcx.mk_type_list(
96         def.variants()
97             .iter()
98             .flat_map(|v| v.fields.last())
99             .flat_map(|f| sized_constraint_for_ty(tcx, def, tcx.type_of(f.did))),
100     );
101
102     debug!("adt_sized_constraint: {:?} => {:?}", def, result);
103
104     result
105 }
106
107 /// See `ParamEnv` struct definition for details.
108 fn param_env(tcx: TyCtxt<'_>, def_id: DefId) -> ty::ParamEnv<'_> {
109     // Compute the bounds on Self and the type parameters.
110     let ty::InstantiatedPredicates { mut predicates, .. } =
111         tcx.predicates_of(def_id).instantiate_identity(tcx);
112
113     // Finally, we have to normalize the bounds in the environment, in
114     // case they contain any associated type projections. This process
115     // can yield errors if the put in illegal associated types, like
116     // `<i32 as Foo>::Bar` where `i32` does not implement `Foo`. We
117     // report these errors right here; this doesn't actually feel
118     // right to me, because constructing the environment feels like a
119     // kind of an "idempotent" action, but I'm not sure where would be
120     // a better place. In practice, we construct environments for
121     // every fn once during type checking, and we'll abort if there
122     // are any errors at that point, so outside of type inference you can be
123     // sure that this will succeed without errors anyway.
124
125     if tcx.sess.opts.unstable_opts.trait_solver == TraitSolver::Chalk {
126         let environment = well_formed_types_in_env(tcx, def_id);
127         predicates.extend(environment);
128     }
129
130     let local_did = def_id.as_local();
131     let hir_id = local_did.map(|def_id| tcx.hir().local_def_id_to_hir_id(def_id));
132
133     // FIXME(consts): This is not exactly in line with the constness query.
134     let constness = match hir_id {
135         Some(hir_id) => match tcx.hir().get(hir_id) {
136             hir::Node::TraitItem(hir::TraitItem { kind: hir::TraitItemKind::Fn(..), .. })
137                 if tcx.is_const_default_method(def_id) =>
138             {
139                 hir::Constness::Const
140             }
141
142             hir::Node::Item(hir::Item { kind: hir::ItemKind::Const(..), .. })
143             | hir::Node::Item(hir::Item { kind: hir::ItemKind::Static(..), .. })
144             | hir::Node::TraitItem(hir::TraitItem {
145                 kind: hir::TraitItemKind::Const(..), ..
146             })
147             | hir::Node::AnonConst(_)
148             | hir::Node::ImplItem(hir::ImplItem { kind: hir::ImplItemKind::Const(..), .. })
149             | hir::Node::ImplItem(hir::ImplItem {
150                 kind:
151                     hir::ImplItemKind::Fn(
152                         hir::FnSig {
153                             header: hir::FnHeader { constness: hir::Constness::Const, .. },
154                             ..
155                         },
156                         ..,
157                     ),
158                 ..
159             }) => hir::Constness::Const,
160
161             hir::Node::ImplItem(hir::ImplItem {
162                 kind: hir::ImplItemKind::Type(..) | hir::ImplItemKind::Fn(..),
163                 ..
164             }) => {
165                 let parent_hir_id = tcx.hir().parent_id(hir_id);
166                 match tcx.hir().get(parent_hir_id) {
167                     hir::Node::Item(hir::Item {
168                         kind: hir::ItemKind::Impl(hir::Impl { constness, .. }),
169                         ..
170                     }) => *constness,
171                     _ => span_bug!(
172                         tcx.def_span(parent_hir_id.owner),
173                         "impl item's parent node is not an impl",
174                     ),
175                 }
176             }
177
178             hir::Node::Item(hir::Item {
179                 kind:
180                     hir::ItemKind::Fn(hir::FnSig { header: hir::FnHeader { constness, .. }, .. }, ..),
181                 ..
182             })
183             | hir::Node::TraitItem(hir::TraitItem {
184                 kind:
185                     hir::TraitItemKind::Fn(
186                         hir::FnSig { header: hir::FnHeader { constness, .. }, .. },
187                         ..,
188                     ),
189                 ..
190             })
191             | hir::Node::Item(hir::Item {
192                 kind: hir::ItemKind::Impl(hir::Impl { constness, .. }),
193                 ..
194             }) => *constness,
195
196             _ => hir::Constness::NotConst,
197         },
198         // FIXME(consts): It's suspicious that a param-env for a foreign item
199         // will always have NotConst param-env, though we don't typically use
200         // that param-env for anything meaningful right now, so it's likely
201         // not an issue.
202         None => hir::Constness::NotConst,
203     };
204
205     let unnormalized_env = ty::ParamEnv::new(
206         tcx.intern_predicates(&predicates),
207         traits::Reveal::UserFacing,
208         constness,
209     );
210
211     let body_id =
212         local_did.and_then(|id| tcx.hir().maybe_body_owned_by(id).map(|body| body.hir_id));
213     let body_id = match body_id {
214         Some(id) => id,
215         None if hir_id.is_some() => hir_id.unwrap(),
216         _ => hir::CRATE_HIR_ID,
217     };
218
219     let cause = traits::ObligationCause::misc(tcx.def_span(def_id), body_id);
220     traits::normalize_param_env_or_error(tcx, unnormalized_env, cause)
221 }
222
223 /// Elaborate the environment.
224 ///
225 /// Collect a list of `Predicate`'s used for building the `ParamEnv`. Adds `TypeWellFormedFromEnv`'s
226 /// that are assumed to be well-formed (because they come from the environment).
227 ///
228 /// Used only in chalk mode.
229 fn well_formed_types_in_env(tcx: TyCtxt<'_>, def_id: DefId) -> &ty::List<Predicate<'_>> {
230     use rustc_hir::{ForeignItemKind, ImplItemKind, ItemKind, Node, TraitItemKind};
231     use rustc_middle::ty::subst::GenericArgKind;
232
233     debug!("environment(def_id = {:?})", def_id);
234
235     // The environment of an impl Trait type is its defining function's environment.
236     if let Some(parent) = ty::is_impl_trait_defn(tcx, def_id) {
237         return well_formed_types_in_env(tcx, parent.to_def_id());
238     }
239
240     // Compute the bounds on `Self` and the type parameters.
241     let ty::InstantiatedPredicates { predicates, .. } =
242         tcx.predicates_of(def_id).instantiate_identity(tcx);
243
244     let clauses = predicates.into_iter();
245
246     if !def_id.is_local() {
247         return ty::List::empty();
248     }
249     let node = tcx.hir().get_by_def_id(def_id.expect_local());
250
251     enum NodeKind {
252         TraitImpl,
253         InherentImpl,
254         Fn,
255         Other,
256     }
257
258     let node_kind = match node {
259         Node::TraitItem(item) => match item.kind {
260             TraitItemKind::Fn(..) => NodeKind::Fn,
261             _ => NodeKind::Other,
262         },
263
264         Node::ImplItem(item) => match item.kind {
265             ImplItemKind::Fn(..) => NodeKind::Fn,
266             _ => NodeKind::Other,
267         },
268
269         Node::Item(item) => match item.kind {
270             ItemKind::Impl(hir::Impl { of_trait: Some(_), .. }) => NodeKind::TraitImpl,
271             ItemKind::Impl(hir::Impl { of_trait: None, .. }) => NodeKind::InherentImpl,
272             ItemKind::Fn(..) => NodeKind::Fn,
273             _ => NodeKind::Other,
274         },
275
276         Node::ForeignItem(item) => match item.kind {
277             ForeignItemKind::Fn(..) => NodeKind::Fn,
278             _ => NodeKind::Other,
279         },
280
281         // FIXME: closures?
282         _ => NodeKind::Other,
283     };
284
285     // FIXME(eddyb) isn't the unordered nature of this a hazard?
286     let mut inputs = FxIndexSet::default();
287
288     match node_kind {
289         // In a trait impl, we assume that the header trait ref and all its
290         // constituents are well-formed.
291         NodeKind::TraitImpl => {
292             let trait_ref = tcx.impl_trait_ref(def_id).expect("not an impl").subst_identity();
293
294             // FIXME(chalk): this has problems because of late-bound regions
295             //inputs.extend(trait_ref.substs.iter().flat_map(|arg| arg.walk()));
296             inputs.extend(trait_ref.substs.iter());
297         }
298
299         // In an inherent impl, we assume that the receiver type and all its
300         // constituents are well-formed.
301         NodeKind::InherentImpl => {
302             let self_ty = tcx.type_of(def_id);
303             inputs.extend(self_ty.walk());
304         }
305
306         // In an fn, we assume that the arguments and all their constituents are
307         // well-formed.
308         NodeKind::Fn => {
309             let fn_sig = tcx.fn_sig(def_id);
310             let fn_sig = tcx.liberate_late_bound_regions(def_id, fn_sig);
311
312             inputs.extend(fn_sig.inputs().iter().flat_map(|ty| ty.walk()));
313         }
314
315         NodeKind::Other => (),
316     }
317     let input_clauses = inputs.into_iter().filter_map(|arg| {
318         match arg.unpack() {
319             GenericArgKind::Type(ty) => {
320                 let binder = Binder::dummy(PredicateKind::TypeWellFormedFromEnv(ty));
321                 Some(tcx.mk_predicate(binder))
322             }
323
324             // FIXME(eddyb) no WF conditions from lifetimes?
325             GenericArgKind::Lifetime(_) => None,
326
327             // FIXME(eddyb) support const generics in Chalk
328             GenericArgKind::Const(_) => None,
329         }
330     });
331
332     tcx.mk_predicates(clauses.chain(input_clauses))
333 }
334
335 fn param_env_reveal_all_normalized(tcx: TyCtxt<'_>, def_id: DefId) -> ty::ParamEnv<'_> {
336     tcx.param_env(def_id).with_reveal_all_normalized(tcx)
337 }
338
339 fn instance_def_size_estimate<'tcx>(
340     tcx: TyCtxt<'tcx>,
341     instance_def: ty::InstanceDef<'tcx>,
342 ) -> usize {
343     use ty::InstanceDef;
344
345     match instance_def {
346         InstanceDef::Item(..) | InstanceDef::DropGlue(..) => {
347             let mir = tcx.instance_mir(instance_def);
348             mir.basic_blocks.iter().map(|bb| bb.statements.len() + 1).sum()
349         }
350         // Estimate the size of other compiler-generated shims to be 1.
351         _ => 1,
352     }
353 }
354
355 /// If `def_id` is an issue 33140 hack impl, returns its self type; otherwise, returns `None`.
356 ///
357 /// See [`ty::ImplOverlapKind::Issue33140`] for more details.
358 fn issue33140_self_ty(tcx: TyCtxt<'_>, def_id: DefId) -> Option<Ty<'_>> {
359     debug!("issue33140_self_ty({:?})", def_id);
360
361     let trait_ref = tcx
362         .impl_trait_ref(def_id)
363         .unwrap_or_else(|| bug!("issue33140_self_ty called on inherent impl {:?}", def_id))
364         .skip_binder();
365
366     debug!("issue33140_self_ty({:?}), trait-ref={:?}", def_id, trait_ref);
367
368     let is_marker_like = tcx.impl_polarity(def_id) == ty::ImplPolarity::Positive
369         && tcx.associated_item_def_ids(trait_ref.def_id).is_empty();
370
371     // Check whether these impls would be ok for a marker trait.
372     if !is_marker_like {
373         debug!("issue33140_self_ty - not marker-like!");
374         return None;
375     }
376
377     // impl must be `impl Trait for dyn Marker1 + Marker2 + ...`
378     if trait_ref.substs.len() != 1 {
379         debug!("issue33140_self_ty - impl has substs!");
380         return None;
381     }
382
383     let predicates = tcx.predicates_of(def_id);
384     if predicates.parent.is_some() || !predicates.predicates.is_empty() {
385         debug!("issue33140_self_ty - impl has predicates {:?}!", predicates);
386         return None;
387     }
388
389     let self_ty = trait_ref.self_ty();
390     let self_ty_matches = match self_ty.kind() {
391         ty::Dynamic(ref data, re, _) if re.is_static() => data.principal().is_none(),
392         _ => false,
393     };
394
395     if self_ty_matches {
396         debug!("issue33140_self_ty - MATCHES!");
397         Some(self_ty)
398     } else {
399         debug!("issue33140_self_ty - non-matching self type");
400         None
401     }
402 }
403
404 /// Check if a function is async.
405 fn asyncness(tcx: TyCtxt<'_>, def_id: DefId) -> hir::IsAsync {
406     let node = tcx.hir().get_by_def_id(def_id.expect_local());
407     node.fn_sig().map_or(hir::IsAsync::NotAsync, |sig| sig.header.asyncness)
408 }
409
410 pub fn provide(providers: &mut ty::query::Providers) {
411     *providers = ty::query::Providers {
412         asyncness,
413         adt_sized_constraint,
414         param_env,
415         param_env_reveal_all_normalized,
416         instance_def_size_estimate,
417         issue33140_self_ty,
418         impl_defaultness,
419         ..*providers
420     };
421 }