]> git.proxmox.com Git - rustc.git/blame - src/librustc_trait_selection/traits/mod.rs
New upstream version 1.44.1+dfsg1
[rustc.git] / src / librustc_trait_selection / traits / mod.rs
CommitLineData
ba9703b0
XL
1//! Trait Resolution. See the [rustc dev guide] for more information on how this works.
2//!
3//! [rustc dev guide]: https://rustc-dev-guide.rust-lang.org/traits/resolution.html
4
5#[allow(dead_code)]
6pub mod auto_trait;
7pub mod codegen;
8mod coherence;
9mod engine;
10pub mod error_reporting;
11mod fulfill;
12pub mod misc;
13mod object_safety;
14mod on_unimplemented;
15mod project;
16pub mod query;
17mod select;
18mod specialize;
19mod structural_match;
20mod util;
21pub mod wf;
22
23use crate::infer::outlives::env::OutlivesEnvironment;
24use crate::infer::{InferCtxt, RegionckMode, TyCtxtInferExt};
25use crate::traits::error_reporting::InferCtxtExt as _;
26use crate::traits::query::evaluate_obligation::InferCtxtExt as _;
27use rustc_errors::ErrorReported;
28use rustc_hir as hir;
29use rustc_hir::def_id::DefId;
30use rustc_middle::middle::region;
31use rustc_middle::ty::fold::TypeFoldable;
32use rustc_middle::ty::subst::{InternalSubsts, SubstsRef};
33use rustc_middle::ty::{self, GenericParamDefKind, ToPredicate, Ty, TyCtxt, WithConstness};
34use rustc_span::Span;
35
36use std::fmt::Debug;
37
38pub use self::FulfillmentErrorCode::*;
39pub use self::ObligationCauseCode::*;
40pub use self::SelectionError::*;
41pub use self::Vtable::*;
42
43pub use self::coherence::{add_placeholder_note, orphan_check, overlapping_impls};
44pub use self::coherence::{OrphanCheckErr, OverlapResult};
45pub use self::engine::TraitEngineExt;
46pub use self::fulfill::{FulfillmentContext, PendingPredicateObligation};
47pub use self::object_safety::astconv_object_safety_violations;
48pub use self::object_safety::is_vtable_safe_method;
49pub use self::object_safety::MethodViolationCode;
50pub use self::object_safety::ObjectSafetyViolation;
51pub use self::on_unimplemented::{OnUnimplementedDirective, OnUnimplementedNote};
52pub use self::project::{
53 normalize, normalize_projection_type, normalize_to, poly_project_and_unify_type,
54};
55pub use self::select::{EvaluationCache, SelectionCache, SelectionContext};
56pub use self::select::{EvaluationResult, IntercrateAmbiguityCause, OverflowError};
57pub use self::specialize::specialization_graph::FutureCompatOverlapError;
58pub use self::specialize::specialization_graph::FutureCompatOverlapErrorKind;
59pub use self::specialize::{specialization_graph, translate_substs, OverlapError};
60pub use self::structural_match::search_for_structural_match_violation;
61pub use self::structural_match::type_marked_structural;
62pub use self::structural_match::NonStructuralMatchTy;
63pub use self::util::{elaborate_predicates, elaborate_trait_ref, elaborate_trait_refs};
64pub use self::util::{expand_trait_aliases, TraitAliasExpander};
65pub use self::util::{
66 get_vtable_index_of_object_method, impl_item_is_final, predicate_for_trait_def, upcast_choices,
67};
68pub use self::util::{
69 supertrait_def_ids, supertraits, transitive_bounds, SupertraitDefIds, Supertraits,
70};
71
72pub use rustc_infer::traits::*;
73
74/// Whether to skip the leak check, as part of a future compatibility warning step.
75#[derive(Copy, Clone, PartialEq, Eq, Debug)]
76pub enum SkipLeakCheck {
77 Yes,
78 No,
79}
80
81impl SkipLeakCheck {
82 fn is_yes(self) -> bool {
83 self == SkipLeakCheck::Yes
84 }
85}
86
87/// The "default" for skip-leak-check corresponds to the current
88/// behavior (do not skip the leak check) -- not the behavior we are
89/// transitioning into.
90impl Default for SkipLeakCheck {
91 fn default() -> Self {
92 SkipLeakCheck::No
93 }
94}
95
96/// The mode that trait queries run in.
97#[derive(Copy, Clone, PartialEq, Eq, Debug)]
98pub enum TraitQueryMode {
99 // Standard/un-canonicalized queries get accurate
100 // spans etc. passed in and hence can do reasonable
101 // error reporting on their own.
102 Standard,
103 // Canonicalized queries get dummy spans and hence
104 // must generally propagate errors to
105 // pre-canonicalization callsites.
106 Canonical,
107}
108
109/// Creates predicate obligations from the generic bounds.
110pub fn predicates_for_generics<'tcx>(
111 cause: ObligationCause<'tcx>,
112 param_env: ty::ParamEnv<'tcx>,
113 generic_bounds: ty::InstantiatedPredicates<'tcx>,
114) -> impl Iterator<Item = PredicateObligation<'tcx>> {
115 util::predicates_for_generics(cause, 0, param_env, generic_bounds)
116}
117
118/// Determines whether the type `ty` is known to meet `bound` and
119/// returns true if so. Returns false if `ty` either does not meet
120/// `bound` or is not known to meet bound (note that this is
121/// conservative towards *no impl*, which is the opposite of the
122/// `evaluate` methods).
123pub fn type_known_to_meet_bound_modulo_regions<'a, 'tcx>(
124 infcx: &InferCtxt<'a, 'tcx>,
125 param_env: ty::ParamEnv<'tcx>,
126 ty: Ty<'tcx>,
127 def_id: DefId,
128 span: Span,
129) -> bool {
130 debug!(
131 "type_known_to_meet_bound_modulo_regions(ty={:?}, bound={:?})",
132 ty,
133 infcx.tcx.def_path_str(def_id)
134 );
135
136 let trait_ref = ty::TraitRef { def_id, substs: infcx.tcx.mk_substs_trait(ty, &[]) };
137 let obligation = Obligation {
138 param_env,
139 cause: ObligationCause::misc(span, hir::CRATE_HIR_ID),
140 recursion_depth: 0,
141 predicate: trait_ref.without_const().to_predicate(),
142 };
143
144 let result = infcx.predicate_must_hold_modulo_regions(&obligation);
145 debug!(
146 "type_known_to_meet_ty={:?} bound={} => {:?}",
147 ty,
148 infcx.tcx.def_path_str(def_id),
149 result
150 );
151
152 if result && ty.has_infer_types_or_consts() {
153 // Because of inference "guessing", selection can sometimes claim
154 // to succeed while the success requires a guess. To ensure
155 // this function's result remains infallible, we must confirm
156 // that guess. While imperfect, I believe this is sound.
157
158 // The handling of regions in this area of the code is terrible,
159 // see issue #29149. We should be able to improve on this with
160 // NLL.
161 let mut fulfill_cx = FulfillmentContext::new_ignoring_regions();
162
163 // We can use a dummy node-id here because we won't pay any mind
164 // to region obligations that arise (there shouldn't really be any
165 // anyhow).
166 let cause = ObligationCause::misc(span, hir::CRATE_HIR_ID);
167
168 fulfill_cx.register_bound(infcx, param_env, ty, def_id, cause);
169
170 // Note: we only assume something is `Copy` if we can
171 // *definitively* show that it implements `Copy`. Otherwise,
172 // assume it is move; linear is always ok.
173 match fulfill_cx.select_all_or_error(infcx) {
174 Ok(()) => {
175 debug!(
176 "type_known_to_meet_bound_modulo_regions: ty={:?} bound={} success",
177 ty,
178 infcx.tcx.def_path_str(def_id)
179 );
180 true
181 }
182 Err(e) => {
183 debug!(
184 "type_known_to_meet_bound_modulo_regions: ty={:?} bound={} errors={:?}",
185 ty,
186 infcx.tcx.def_path_str(def_id),
187 e
188 );
189 false
190 }
191 }
192 } else {
193 result
194 }
195}
196
197fn do_normalize_predicates<'tcx>(
198 tcx: TyCtxt<'tcx>,
199 region_context: DefId,
200 cause: ObligationCause<'tcx>,
201 elaborated_env: ty::ParamEnv<'tcx>,
202 predicates: Vec<ty::Predicate<'tcx>>,
203) -> Result<Vec<ty::Predicate<'tcx>>, ErrorReported> {
204 debug!(
205 "do_normalize_predicates(predicates={:?}, region_context={:?}, cause={:?})",
206 predicates, region_context, cause,
207 );
208 let span = cause.span;
209 tcx.infer_ctxt().enter(|infcx| {
210 // FIXME. We should really... do something with these region
211 // obligations. But this call just continues the older
212 // behavior (i.e., doesn't cause any new bugs), and it would
213 // take some further refactoring to actually solve them. In
214 // particular, we would have to handle implied bounds
215 // properly, and that code is currently largely confined to
216 // regionck (though I made some efforts to extract it
217 // out). -nmatsakis
218 //
219 // @arielby: In any case, these obligations are checked
220 // by wfcheck anyway, so I'm not sure we have to check
221 // them here too, and we will remove this function when
222 // we move over to lazy normalization *anyway*.
223 let fulfill_cx = FulfillmentContext::new_ignoring_regions();
224 let predicates =
225 match fully_normalize(&infcx, fulfill_cx, cause, elaborated_env, &predicates) {
226 Ok(predicates) => predicates,
227 Err(errors) => {
228 infcx.report_fulfillment_errors(&errors, None, false);
229 return Err(ErrorReported);
230 }
231 };
232
233 debug!("do_normalize_predictes: normalized predicates = {:?}", predicates);
234
235 let region_scope_tree = region::ScopeTree::default();
236
237 // We can use the `elaborated_env` here; the region code only
238 // cares about declarations like `'a: 'b`.
239 let outlives_env = OutlivesEnvironment::new(elaborated_env);
240
241 infcx.resolve_regions_and_report_errors(
242 region_context,
243 &region_scope_tree,
244 &outlives_env,
245 RegionckMode::default(),
246 );
247
248 let predicates = match infcx.fully_resolve(&predicates) {
249 Ok(predicates) => predicates,
250 Err(fixup_err) => {
251 // If we encounter a fixup error, it means that some type
252 // variable wound up unconstrained. I actually don't know
253 // if this can happen, and I certainly don't expect it to
254 // happen often, but if it did happen it probably
255 // represents a legitimate failure due to some kind of
256 // unconstrained variable, and it seems better not to ICE,
257 // all things considered.
258 tcx.sess.span_err(span, &fixup_err.to_string());
259 return Err(ErrorReported);
260 }
261 };
262 if predicates.needs_infer() {
263 tcx.sess.delay_span_bug(span, "encountered inference variables after `fully_resolve`");
264 Err(ErrorReported)
265 } else {
266 Ok(predicates)
267 }
268 })
269}
270
271// FIXME: this is gonna need to be removed ...
272/// Normalizes the parameter environment, reporting errors if they occur.
273pub fn normalize_param_env_or_error<'tcx>(
274 tcx: TyCtxt<'tcx>,
275 region_context: DefId,
276 unnormalized_env: ty::ParamEnv<'tcx>,
277 cause: ObligationCause<'tcx>,
278) -> ty::ParamEnv<'tcx> {
279 // I'm not wild about reporting errors here; I'd prefer to
280 // have the errors get reported at a defined place (e.g.,
281 // during typeck). Instead I have all parameter
282 // environments, in effect, going through this function
283 // and hence potentially reporting errors. This ensures of
284 // course that we never forget to normalize (the
285 // alternative seemed like it would involve a lot of
286 // manual invocations of this fn -- and then we'd have to
287 // deal with the errors at each of those sites).
288 //
289 // In any case, in practice, typeck constructs all the
290 // parameter environments once for every fn as it goes,
291 // and errors will get reported then; so after typeck we
292 // can be sure that no errors should occur.
293
294 debug!(
295 "normalize_param_env_or_error(region_context={:?}, unnormalized_env={:?}, cause={:?})",
296 region_context, unnormalized_env, cause
297 );
298
299 let mut predicates: Vec<_> =
300 util::elaborate_predicates(tcx, unnormalized_env.caller_bounds.into_iter().cloned())
301 .map(|obligation| obligation.predicate)
302 .collect();
303
304 debug!("normalize_param_env_or_error: elaborated-predicates={:?}", predicates);
305
306 let elaborated_env = ty::ParamEnv::new(
307 tcx.intern_predicates(&predicates),
308 unnormalized_env.reveal,
309 unnormalized_env.def_id,
310 );
311
312 // HACK: we are trying to normalize the param-env inside *itself*. The problem is that
313 // normalization expects its param-env to be already normalized, which means we have
314 // a circularity.
315 //
316 // The way we handle this is by normalizing the param-env inside an unnormalized version
317 // of the param-env, which means that if the param-env contains unnormalized projections,
318 // we'll have some normalization failures. This is unfortunate.
319 //
320 // Lazy normalization would basically handle this by treating just the
321 // normalizing-a-trait-ref-requires-itself cycles as evaluation failures.
322 //
323 // Inferred outlives bounds can create a lot of `TypeOutlives` predicates for associated
324 // types, so to make the situation less bad, we normalize all the predicates *but*
325 // the `TypeOutlives` predicates first inside the unnormalized parameter environment, and
326 // then we normalize the `TypeOutlives` bounds inside the normalized parameter environment.
327 //
328 // This works fairly well because trait matching does not actually care about param-env
329 // TypeOutlives predicates - these are normally used by regionck.
330 let outlives_predicates: Vec<_> = predicates
331 .drain_filter(|predicate| match predicate {
332 ty::Predicate::TypeOutlives(..) => true,
333 _ => false,
334 })
335 .collect();
336
337 debug!(
338 "normalize_param_env_or_error: predicates=(non-outlives={:?}, outlives={:?})",
339 predicates, outlives_predicates
340 );
341 let non_outlives_predicates = match do_normalize_predicates(
342 tcx,
343 region_context,
344 cause.clone(),
345 elaborated_env,
346 predicates,
347 ) {
348 Ok(predicates) => predicates,
349 // An unnormalized env is better than nothing.
350 Err(ErrorReported) => {
351 debug!("normalize_param_env_or_error: errored resolving non-outlives predicates");
352 return elaborated_env;
353 }
354 };
355
356 debug!("normalize_param_env_or_error: non-outlives predicates={:?}", non_outlives_predicates);
357
358 // Not sure whether it is better to include the unnormalized TypeOutlives predicates
359 // here. I believe they should not matter, because we are ignoring TypeOutlives param-env
360 // predicates here anyway. Keeping them here anyway because it seems safer.
361 let outlives_env: Vec<_> =
362 non_outlives_predicates.iter().chain(&outlives_predicates).cloned().collect();
363 let outlives_env =
364 ty::ParamEnv::new(tcx.intern_predicates(&outlives_env), unnormalized_env.reveal, None);
365 let outlives_predicates = match do_normalize_predicates(
366 tcx,
367 region_context,
368 cause,
369 outlives_env,
370 outlives_predicates,
371 ) {
372 Ok(predicates) => predicates,
373 // An unnormalized env is better than nothing.
374 Err(ErrorReported) => {
375 debug!("normalize_param_env_or_error: errored resolving outlives predicates");
376 return elaborated_env;
377 }
378 };
379 debug!("normalize_param_env_or_error: outlives predicates={:?}", outlives_predicates);
380
381 let mut predicates = non_outlives_predicates;
382 predicates.extend(outlives_predicates);
383 debug!("normalize_param_env_or_error: final predicates={:?}", predicates);
384 ty::ParamEnv::new(
385 tcx.intern_predicates(&predicates),
386 unnormalized_env.reveal,
387 unnormalized_env.def_id,
388 )
389}
390
391pub fn fully_normalize<'a, 'tcx, T>(
392 infcx: &InferCtxt<'a, 'tcx>,
393 mut fulfill_cx: FulfillmentContext<'tcx>,
394 cause: ObligationCause<'tcx>,
395 param_env: ty::ParamEnv<'tcx>,
396 value: &T,
397) -> Result<T, Vec<FulfillmentError<'tcx>>>
398where
399 T: TypeFoldable<'tcx>,
400{
401 debug!("fully_normalize_with_fulfillcx(value={:?})", value);
402 let selcx = &mut SelectionContext::new(infcx);
403 let Normalized { value: normalized_value, obligations } =
404 project::normalize(selcx, param_env, cause, value);
405 debug!(
406 "fully_normalize: normalized_value={:?} obligations={:?}",
407 normalized_value, obligations
408 );
409 for obligation in obligations {
410 fulfill_cx.register_predicate_obligation(selcx.infcx(), obligation);
411 }
412
413 debug!("fully_normalize: select_all_or_error start");
414 fulfill_cx.select_all_or_error(infcx)?;
415 debug!("fully_normalize: select_all_or_error complete");
416 let resolved_value = infcx.resolve_vars_if_possible(&normalized_value);
417 debug!("fully_normalize: resolved_value={:?}", resolved_value);
418 Ok(resolved_value)
419}
420
421/// Normalizes the predicates and checks whether they hold in an empty
422/// environment. If this returns false, then either normalize
423/// encountered an error or one of the predicates did not hold. Used
424/// when creating vtables to check for unsatisfiable methods.
425pub fn normalize_and_test_predicates<'tcx>(
426 tcx: TyCtxt<'tcx>,
427 predicates: Vec<ty::Predicate<'tcx>>,
428) -> bool {
429 debug!("normalize_and_test_predicates(predicates={:?})", predicates);
430
431 let result = tcx.infer_ctxt().enter(|infcx| {
432 let param_env = ty::ParamEnv::reveal_all();
433 let mut selcx = SelectionContext::new(&infcx);
434 let mut fulfill_cx = FulfillmentContext::new();
435 let cause = ObligationCause::dummy();
436 let Normalized { value: predicates, obligations } =
437 normalize(&mut selcx, param_env, cause.clone(), &predicates);
438 for obligation in obligations {
439 fulfill_cx.register_predicate_obligation(&infcx, obligation);
440 }
441 for predicate in predicates {
442 let obligation = Obligation::new(cause.clone(), param_env, predicate);
443 fulfill_cx.register_predicate_obligation(&infcx, obligation);
444 }
445
446 fulfill_cx.select_all_or_error(&infcx).is_ok()
447 });
448 debug!("normalize_and_test_predicates(predicates={:?}) = {:?}", predicates, result);
449 result
450}
451
452fn substitute_normalize_and_test_predicates<'tcx>(
453 tcx: TyCtxt<'tcx>,
454 key: (DefId, SubstsRef<'tcx>),
455) -> bool {
456 debug!("substitute_normalize_and_test_predicates(key={:?})", key);
457
458 let predicates = tcx.predicates_of(key.0).instantiate(tcx, key.1).predicates;
459 let result = normalize_and_test_predicates(tcx, predicates);
460
461 debug!("substitute_normalize_and_test_predicates(key={:?}) = {:?}", key, result);
462 result
463}
464
465/// Given a trait `trait_ref`, iterates the vtable entries
466/// that come from `trait_ref`, including its supertraits.
467#[inline] // FIXME(#35870): avoid closures being unexported due to `impl Trait`.
468fn vtable_methods<'tcx>(
469 tcx: TyCtxt<'tcx>,
470 trait_ref: ty::PolyTraitRef<'tcx>,
471) -> &'tcx [Option<(DefId, SubstsRef<'tcx>)>] {
472 debug!("vtable_methods({:?})", trait_ref);
473
474 tcx.arena.alloc_from_iter(supertraits(tcx, trait_ref).flat_map(move |trait_ref| {
475 let trait_methods = tcx
476 .associated_items(trait_ref.def_id())
477 .in_definition_order()
478 .filter(|item| item.kind == ty::AssocKind::Fn);
479
480 // Now list each method's DefId and InternalSubsts (for within its trait).
481 // If the method can never be called from this object, produce None.
482 trait_methods.map(move |trait_method| {
483 debug!("vtable_methods: trait_method={:?}", trait_method);
484 let def_id = trait_method.def_id;
485
486 // Some methods cannot be called on an object; skip those.
487 if !is_vtable_safe_method(tcx, trait_ref.def_id(), &trait_method) {
488 debug!("vtable_methods: not vtable safe");
489 return None;
490 }
491
492 // The method may have some early-bound lifetimes; add regions for those.
493 let substs = trait_ref.map_bound(|trait_ref| {
494 InternalSubsts::for_item(tcx, def_id, |param, _| match param.kind {
495 GenericParamDefKind::Lifetime => tcx.lifetimes.re_erased.into(),
496 GenericParamDefKind::Type { .. } | GenericParamDefKind::Const => {
497 trait_ref.substs[param.index as usize]
498 }
499 })
500 });
501
502 // The trait type may have higher-ranked lifetimes in it;
503 // erase them if they appear, so that we get the type
504 // at some particular call site.
505 let substs =
506 tcx.normalize_erasing_late_bound_regions(ty::ParamEnv::reveal_all(), &substs);
507
508 // It's possible that the method relies on where-clauses that
509 // do not hold for this particular set of type parameters.
510 // Note that this method could then never be called, so we
511 // do not want to try and codegen it, in that case (see #23435).
512 let predicates = tcx.predicates_of(def_id).instantiate_own(tcx, substs);
513 if !normalize_and_test_predicates(tcx, predicates.predicates) {
514 debug!("vtable_methods: predicates do not hold");
515 return None;
516 }
517
518 Some((def_id, substs))
519 })
520 }))
521}
522
523pub fn provide(providers: &mut ty::query::Providers<'_>) {
524 object_safety::provide(providers);
525 *providers = ty::query::Providers {
526 specialization_graph_of: specialize::specialization_graph_provider,
527 specializes: specialize::specializes,
528 codegen_fulfill_obligation: codegen::codegen_fulfill_obligation,
529 vtable_methods,
530 substitute_normalize_and_test_predicates,
531 ..*providers
532 };
533}