rustc_trait_selection/traits/specialize/
mod.rs

1//! Logic and data structures related to impl specialization, explained in
2//! greater detail below.
3//!
4//! At the moment, this implementation support only the simple "chain" rule:
5//! If any two impls overlap, one must be a strict subset of the other.
6//!
7//! See the [rustc dev guide] for a bit more detail on how specialization
8//! fits together with the rest of the trait machinery.
9//!
10//! [rustc dev guide]: https://rustc-dev-guide.rust-lang.org/traits/specialization.html
11
12pub mod specialization_graph;
13
14use rustc_data_structures::fx::FxIndexSet;
15use rustc_errors::codes::*;
16use rustc_errors::{Diag, EmissionGuarantee};
17use rustc_hir::def_id::{DefId, LocalDefId};
18use rustc_infer::traits::Obligation;
19use rustc_middle::bug;
20use rustc_middle::query::LocalCrate;
21use rustc_middle::ty::print::PrintTraitRefExt as _;
22use rustc_middle::ty::{self, GenericArgsRef, Ty, TyCtxt, TypeVisitableExt, TypingMode};
23use rustc_session::lint::builtin::{COHERENCE_LEAK_CHECK, ORDER_DEPENDENT_TRAIT_OBJECTS};
24use rustc_span::{DUMMY_SP, ErrorGuaranteed, Span, sym};
25use rustc_type_ir::solve::NoSolution;
26use specialization_graph::GraphExt;
27use tracing::{debug, instrument};
28
29use crate::error_reporting::traits::to_pretty_impl_header;
30use crate::errors::NegativePositiveConflict;
31use crate::infer::{InferCtxt, TyCtxtInferExt};
32use crate::traits::select::IntercrateAmbiguityCause;
33use crate::traits::{
34    FutureCompatOverlapErrorKind, ObligationCause, ObligationCtxt, coherence,
35    predicates_for_generics,
36};
37
38/// Information pertinent to an overlapping impl error.
39#[derive(Debug)]
40pub struct OverlapError<'tcx> {
41    pub with_impl: DefId,
42    pub trait_ref: ty::TraitRef<'tcx>,
43    pub self_ty: Option<Ty<'tcx>>,
44    pub intercrate_ambiguity_causes: FxIndexSet<IntercrateAmbiguityCause<'tcx>>,
45    pub involves_placeholder: bool,
46    pub overflowing_predicates: Vec<ty::Predicate<'tcx>>,
47}
48
49/// Given the generic parameters for the requested impl, translate it to the generic parameters
50/// appropriate for the actual item definition (whether it be in that impl,
51/// a parent impl, or the trait).
52///
53/// When we have selected one impl, but are actually using item definitions from
54/// a parent impl providing a default, we need a way to translate between the
55/// type parameters of the two impls. Here the `source_impl` is the one we've
56/// selected, and `source_args` is its generic parameters.
57/// And `target_node` is the impl/trait we're actually going to get the
58/// definition from. The resulting instantiation will map from `target_node`'s
59/// generics to `source_impl`'s generics as instantiated by `source_args`.
60///
61/// For example, consider the following scenario:
62///
63/// ```ignore (illustrative)
64/// trait Foo { ... }
65/// impl<T, U> Foo for (T, U) { ... }  // target impl
66/// impl<V> Foo for (V, V) { ... }     // source impl
67/// ```
68///
69/// Suppose we have selected "source impl" with `V` instantiated with `u32`.
70/// This function will produce an instantiation with `T` and `U` both mapping to `u32`.
71///
72/// where-clauses add some trickiness here, because they can be used to "define"
73/// an argument indirectly:
74///
75/// ```ignore (illustrative)
76/// impl<'a, I, T: 'a> Iterator for Cloned<I>
77///    where I: Iterator<Item = &'a T>, T: Clone
78/// ```
79///
80/// In a case like this, the instantiation for `T` is determined indirectly,
81/// through associated type projection. We deal with such cases by using
82/// *fulfillment* to relate the two impls, requiring that all projections are
83/// resolved.
84pub fn translate_args<'tcx>(
85    infcx: &InferCtxt<'tcx>,
86    param_env: ty::ParamEnv<'tcx>,
87    source_impl: DefId,
88    source_args: GenericArgsRef<'tcx>,
89    target_node: specialization_graph::Node,
90) -> GenericArgsRef<'tcx> {
91    translate_args_with_cause(
92        infcx,
93        param_env,
94        source_impl,
95        source_args,
96        target_node,
97        &ObligationCause::dummy(),
98    )
99}
100
101/// Like [translate_args], but obligations from the parent implementation
102/// are registered with the provided `ObligationCause`.
103///
104/// This is for reporting *region* errors from those bounds. Type errors should
105/// not happen because the specialization graph already checks for those, and
106/// will result in an ICE.
107pub fn translate_args_with_cause<'tcx>(
108    infcx: &InferCtxt<'tcx>,
109    param_env: ty::ParamEnv<'tcx>,
110    source_impl: DefId,
111    source_args: GenericArgsRef<'tcx>,
112    target_node: specialization_graph::Node,
113    cause: &ObligationCause<'tcx>,
114) -> GenericArgsRef<'tcx> {
115    debug!(
116        "translate_args({:?}, {:?}, {:?}, {:?})",
117        param_env, source_impl, source_args, target_node
118    );
119    let source_trait_ref =
120        infcx.tcx.impl_trait_ref(source_impl).unwrap().instantiate(infcx.tcx, source_args);
121
122    // translate the Self and Param parts of the generic parameters, since those
123    // vary across impls
124    let target_args = match target_node {
125        specialization_graph::Node::Impl(target_impl) => {
126            // no need to translate if we're targeting the impl we started with
127            if source_impl == target_impl {
128                return source_args;
129            }
130
131            fulfill_implication(infcx, param_env, source_trait_ref, source_impl, target_impl, cause)
132                .unwrap_or_else(|_| {
133                    bug!(
134                        "When translating generic parameters from {source_impl:?} to \
135                        {target_impl:?}, the expected specialization failed to hold"
136                    )
137                })
138        }
139        specialization_graph::Node::Trait(..) => source_trait_ref.args,
140    };
141
142    // directly inherent the method generics, since those do not vary across impls
143    source_args.rebase_onto(infcx.tcx, source_impl, target_args)
144}
145
146/// Attempt to fulfill all obligations of `target_impl` after unification with
147/// `source_trait_ref`. If successful, returns the generic parameters for *all* the
148/// generics of `target_impl`, including both those needed to unify with
149/// `source_trait_ref` and those whose identity is determined via a where
150/// clause in the impl.
151fn fulfill_implication<'tcx>(
152    infcx: &InferCtxt<'tcx>,
153    param_env: ty::ParamEnv<'tcx>,
154    source_trait_ref: ty::TraitRef<'tcx>,
155    source_impl: DefId,
156    target_impl: DefId,
157    cause: &ObligationCause<'tcx>,
158) -> Result<GenericArgsRef<'tcx>, NoSolution> {
159    debug!(
160        "fulfill_implication({:?}, trait_ref={:?} |- {:?} applies)",
161        param_env, source_trait_ref, target_impl
162    );
163
164    let ocx = ObligationCtxt::new(infcx);
165    let source_trait_ref = ocx.normalize(cause, param_env, source_trait_ref);
166
167    if !ocx.select_all_or_error().is_empty() {
168        infcx.dcx().span_delayed_bug(
169            infcx.tcx.def_span(source_impl),
170            format!("failed to fully normalize {source_trait_ref}"),
171        );
172        return Err(NoSolution);
173    }
174
175    let target_args = infcx.fresh_args_for_item(DUMMY_SP, target_impl);
176    let target_trait_ref = ocx.normalize(
177        cause,
178        param_env,
179        infcx
180            .tcx
181            .impl_trait_ref(target_impl)
182            .expect("expected source impl to be a trait impl")
183            .instantiate(infcx.tcx, target_args),
184    );
185
186    // do the impls unify? If not, no specialization.
187    ocx.eq(cause, param_env, source_trait_ref, target_trait_ref)?;
188
189    // Now check that the source trait ref satisfies all the where clauses of the target impl.
190    // This is not just for correctness; we also need this to constrain any params that may
191    // only be referenced via projection predicates.
192    let predicates = ocx.normalize(
193        cause,
194        param_env,
195        infcx.tcx.predicates_of(target_impl).instantiate(infcx.tcx, target_args),
196    );
197    let obligations = predicates_for_generics(|_, _| cause.clone(), param_env, predicates);
198    ocx.register_obligations(obligations);
199
200    let errors = ocx.select_all_or_error();
201    if !errors.is_empty() {
202        // no dice!
203        debug!(
204            "fulfill_implication: for impls on {:?} and {:?}, \
205                 could not fulfill: {:?} given {:?}",
206            source_trait_ref,
207            target_trait_ref,
208            errors,
209            param_env.caller_bounds()
210        );
211        return Err(NoSolution);
212    }
213
214    debug!(
215        "fulfill_implication: an impl for {:?} specializes {:?}",
216        source_trait_ref, target_trait_ref
217    );
218
219    // Now resolve the *generic parameters* we built for the target earlier, replacing
220    // the inference variables inside with whatever we got from fulfillment.
221    Ok(infcx.resolve_vars_if_possible(target_args))
222}
223
224pub(super) fn specialization_enabled_in(tcx: TyCtxt<'_>, _: LocalCrate) -> bool {
225    tcx.features().specialization() || tcx.features().min_specialization()
226}
227
228/// Is `specializing_impl_def_id` a specialization of `parent_impl_def_id`?
229///
230/// For every type that could apply to `specializing_impl_def_id`, we prove that
231/// the `parent_impl_def_id` also applies (i.e. it has a valid impl header and
232/// its where-clauses hold).
233///
234/// For the purposes of const traits, we also check that the specializing
235/// impl is not more restrictive than the parent impl. That is, if the
236/// `parent_impl_def_id` is a const impl (conditionally based off of some `~const`
237/// bounds), then `specializing_impl_def_id` must also be const for the same
238/// set of types.
239#[instrument(skip(tcx), level = "debug")]
240pub(super) fn specializes(
241    tcx: TyCtxt<'_>,
242    (specializing_impl_def_id, parent_impl_def_id): (DefId, DefId),
243) -> bool {
244    // We check that the specializing impl comes from a crate that has specialization enabled,
245    // or if the specializing impl is marked with `allow_internal_unstable`.
246    //
247    // We don't really care if the specialized impl (the parent) is in a crate that has
248    // specialization enabled, since it's not being specialized, and it's already been checked
249    // for coherence.
250    if !tcx.specialization_enabled_in(specializing_impl_def_id.krate) {
251        let span = tcx.def_span(specializing_impl_def_id);
252        if !span.allows_unstable(sym::specialization)
253            && !span.allows_unstable(sym::min_specialization)
254        {
255            return false;
256        }
257    }
258
259    let specializing_impl_trait_header = tcx.impl_trait_header(specializing_impl_def_id).unwrap();
260
261    // We determine whether there's a subset relationship by:
262    //
263    // - replacing bound vars with placeholders in impl1,
264    // - assuming the where clauses for impl1,
265    // - instantiating impl2 with fresh inference variables,
266    // - unifying,
267    // - attempting to prove the where clauses for impl2
268    //
269    // The last three steps are encapsulated in `fulfill_implication`.
270    //
271    // See RFC 1210 for more details and justification.
272
273    // Currently we do not allow e.g., a negative impl to specialize a positive one
274    if specializing_impl_trait_header.polarity != tcx.impl_polarity(parent_impl_def_id) {
275        return false;
276    }
277
278    // create a parameter environment corresponding to an identity instantiation of the specializing impl,
279    // i.e. the most generic instantiation of the specializing impl.
280    let param_env = tcx.param_env(specializing_impl_def_id);
281
282    // Create an infcx, taking the predicates of the specializing impl as assumptions:
283    let infcx = tcx.infer_ctxt().build(TypingMode::non_body_analysis());
284
285    let specializing_impl_trait_ref =
286        specializing_impl_trait_header.trait_ref.instantiate_identity();
287    let cause = &ObligationCause::dummy();
288    debug!(
289        "fulfill_implication({:?}, trait_ref={:?} |- {:?} applies)",
290        param_env, specializing_impl_trait_ref, parent_impl_def_id
291    );
292
293    // Attempt to prove that the parent impl applies, given all of the above.
294
295    let ocx = ObligationCtxt::new(&infcx);
296    let specializing_impl_trait_ref = ocx.normalize(cause, param_env, specializing_impl_trait_ref);
297
298    if !ocx.select_all_or_error().is_empty() {
299        infcx.dcx().span_delayed_bug(
300            infcx.tcx.def_span(specializing_impl_def_id),
301            format!("failed to fully normalize {specializing_impl_trait_ref}"),
302        );
303        return false;
304    }
305
306    let parent_args = infcx.fresh_args_for_item(DUMMY_SP, parent_impl_def_id);
307    let parent_impl_trait_ref = ocx.normalize(
308        cause,
309        param_env,
310        infcx
311            .tcx
312            .impl_trait_ref(parent_impl_def_id)
313            .expect("expected source impl to be a trait impl")
314            .instantiate(infcx.tcx, parent_args),
315    );
316
317    // do the impls unify? If not, no specialization.
318    let Ok(()) = ocx.eq(cause, param_env, specializing_impl_trait_ref, parent_impl_trait_ref)
319    else {
320        return false;
321    };
322
323    // Now check that the source trait ref satisfies all the where clauses of the target impl.
324    // This is not just for correctness; we also need this to constrain any params that may
325    // only be referenced via projection predicates.
326    let predicates = ocx.normalize(
327        cause,
328        param_env,
329        infcx.tcx.predicates_of(parent_impl_def_id).instantiate(infcx.tcx, parent_args),
330    );
331    let obligations = predicates_for_generics(|_, _| cause.clone(), param_env, predicates);
332    ocx.register_obligations(obligations);
333
334    let errors = ocx.select_all_or_error();
335    if !errors.is_empty() {
336        // no dice!
337        debug!(
338            "fulfill_implication: for impls on {:?} and {:?}, \
339                 could not fulfill: {:?} given {:?}",
340            specializing_impl_trait_ref,
341            parent_impl_trait_ref,
342            errors,
343            param_env.caller_bounds()
344        );
345        return false;
346    }
347
348    // If the parent impl is const, then the specializing impl must be const,
349    // and it must not be *more restrictive* than the parent impl (that is,
350    // it cannot be const in fewer cases than the parent impl).
351    if tcx.is_conditionally_const(parent_impl_def_id) {
352        if !tcx.is_conditionally_const(specializing_impl_def_id) {
353            return false;
354        }
355
356        let const_conditions = ocx.normalize(
357            cause,
358            param_env,
359            infcx.tcx.const_conditions(parent_impl_def_id).instantiate(infcx.tcx, parent_args),
360        );
361        ocx.register_obligations(const_conditions.into_iter().map(|(trait_ref, _)| {
362            Obligation::new(
363                infcx.tcx,
364                cause.clone(),
365                param_env,
366                trait_ref.to_host_effect_clause(infcx.tcx, ty::BoundConstness::Maybe),
367            )
368        }));
369
370        let errors = ocx.select_all_or_error();
371        if !errors.is_empty() {
372            // no dice!
373            debug!(
374                "fulfill_implication: for impls on {:?} and {:?}, \
375                 could not fulfill: {:?} given {:?}",
376                specializing_impl_trait_ref,
377                parent_impl_trait_ref,
378                errors,
379                param_env.caller_bounds()
380            );
381            return false;
382        }
383    }
384
385    debug!(
386        "fulfill_implication: an impl for {:?} specializes {:?}",
387        specializing_impl_trait_ref, parent_impl_trait_ref
388    );
389
390    true
391}
392
393/// Query provider for `specialization_graph_of`.
394pub(super) fn specialization_graph_provider(
395    tcx: TyCtxt<'_>,
396    trait_id: DefId,
397) -> Result<&'_ specialization_graph::Graph, ErrorGuaranteed> {
398    let mut sg = specialization_graph::Graph::new();
399    let overlap_mode = specialization_graph::OverlapMode::get(tcx, trait_id);
400
401    let mut trait_impls: Vec<_> = tcx.all_impls(trait_id).collect();
402
403    // The coherence checking implementation seems to rely on impls being
404    // iterated over (roughly) in definition order, so we are sorting by
405    // negated `CrateNum` (so remote definitions are visited first) and then
406    // by a flattened version of the `DefIndex`.
407    trait_impls
408        .sort_unstable_by_key(|def_id| (-(def_id.krate.as_u32() as i64), def_id.index.index()));
409
410    let mut errored = Ok(());
411
412    for impl_def_id in trait_impls {
413        if let Some(impl_def_id) = impl_def_id.as_local() {
414            // This is where impl overlap checking happens:
415            let insert_result = sg.insert(tcx, impl_def_id.to_def_id(), overlap_mode);
416            // Report error if there was one.
417            let (overlap, used_to_be_allowed) = match insert_result {
418                Err(overlap) => (Some(overlap), None),
419                Ok(Some(overlap)) => (Some(overlap.error), Some(overlap.kind)),
420                Ok(None) => (None, None),
421            };
422
423            if let Some(overlap) = overlap {
424                errored = errored.and(report_overlap_conflict(
425                    tcx,
426                    overlap,
427                    impl_def_id,
428                    used_to_be_allowed,
429                ));
430            }
431        } else {
432            let parent = tcx.impl_parent(impl_def_id).unwrap_or(trait_id);
433            sg.record_impl_from_cstore(tcx, parent, impl_def_id)
434        }
435    }
436    errored?;
437
438    Ok(tcx.arena.alloc(sg))
439}
440
441// This function is only used when
442// encountering errors and inlining
443// it negatively impacts perf.
444#[cold]
445#[inline(never)]
446fn report_overlap_conflict<'tcx>(
447    tcx: TyCtxt<'tcx>,
448    overlap: OverlapError<'tcx>,
449    impl_def_id: LocalDefId,
450    used_to_be_allowed: Option<FutureCompatOverlapErrorKind>,
451) -> Result<(), ErrorGuaranteed> {
452    let impl_polarity = tcx.impl_polarity(impl_def_id.to_def_id());
453    let other_polarity = tcx.impl_polarity(overlap.with_impl);
454    match (impl_polarity, other_polarity) {
455        (ty::ImplPolarity::Negative, ty::ImplPolarity::Positive) => {
456            Err(report_negative_positive_conflict(
457                tcx,
458                &overlap,
459                impl_def_id,
460                impl_def_id.to_def_id(),
461                overlap.with_impl,
462            ))
463        }
464
465        (ty::ImplPolarity::Positive, ty::ImplPolarity::Negative) => {
466            Err(report_negative_positive_conflict(
467                tcx,
468                &overlap,
469                impl_def_id,
470                overlap.with_impl,
471                impl_def_id.to_def_id(),
472            ))
473        }
474
475        _ => report_conflicting_impls(tcx, overlap, impl_def_id, used_to_be_allowed),
476    }
477}
478
479fn report_negative_positive_conflict<'tcx>(
480    tcx: TyCtxt<'tcx>,
481    overlap: &OverlapError<'tcx>,
482    local_impl_def_id: LocalDefId,
483    negative_impl_def_id: DefId,
484    positive_impl_def_id: DefId,
485) -> ErrorGuaranteed {
486    let mut diag = tcx.dcx().create_err(NegativePositiveConflict {
487        impl_span: tcx.def_span(local_impl_def_id),
488        trait_desc: overlap.trait_ref,
489        self_ty: overlap.self_ty,
490        negative_impl_span: tcx.span_of_impl(negative_impl_def_id),
491        positive_impl_span: tcx.span_of_impl(positive_impl_def_id),
492    });
493
494    for cause in &overlap.intercrate_ambiguity_causes {
495        cause.add_intercrate_ambiguity_hint(&mut diag);
496    }
497
498    diag.emit()
499}
500
501fn report_conflicting_impls<'tcx>(
502    tcx: TyCtxt<'tcx>,
503    overlap: OverlapError<'tcx>,
504    impl_def_id: LocalDefId,
505    used_to_be_allowed: Option<FutureCompatOverlapErrorKind>,
506) -> Result<(), ErrorGuaranteed> {
507    let impl_span = tcx.def_span(impl_def_id);
508
509    // Work to be done after we've built the Diag. We have to define it now
510    // because the lint emit methods don't return back the Diag that's passed
511    // in.
512    fn decorate<'tcx, G: EmissionGuarantee>(
513        tcx: TyCtxt<'tcx>,
514        overlap: &OverlapError<'tcx>,
515        impl_span: Span,
516        err: &mut Diag<'_, G>,
517    ) {
518        match tcx.span_of_impl(overlap.with_impl) {
519            Ok(span) => {
520                err.span_label(span, "first implementation here");
521
522                err.span_label(
523                    impl_span,
524                    format!(
525                        "conflicting implementation{}",
526                        overlap.self_ty.map_or_else(String::new, |ty| format!(" for `{ty}`"))
527                    ),
528                );
529            }
530            Err(cname) => {
531                let msg = match to_pretty_impl_header(tcx, overlap.with_impl) {
532                    Some(s) => {
533                        format!("conflicting implementation in crate `{cname}`:\n- {s}")
534                    }
535                    None => format!("conflicting implementation in crate `{cname}`"),
536                };
537                err.note(msg);
538            }
539        }
540
541        for cause in &overlap.intercrate_ambiguity_causes {
542            cause.add_intercrate_ambiguity_hint(err);
543        }
544
545        if overlap.involves_placeholder {
546            coherence::add_placeholder_note(err);
547        }
548
549        if !overlap.overflowing_predicates.is_empty() {
550            coherence::suggest_increasing_recursion_limit(
551                tcx,
552                err,
553                &overlap.overflowing_predicates,
554            );
555        }
556    }
557
558    let msg = || {
559        format!(
560            "conflicting implementations of trait `{}`{}{}",
561            overlap.trait_ref.print_trait_sugared(),
562            overlap.self_ty.map_or_else(String::new, |ty| format!(" for type `{ty}`")),
563            match used_to_be_allowed {
564                Some(FutureCompatOverlapErrorKind::OrderDepTraitObjects) => ": (E0119)",
565                _ => "",
566            }
567        )
568    };
569
570    // Don't report overlap errors if the header references error
571    if let Err(err) = (overlap.trait_ref, overlap.self_ty).error_reported() {
572        return Err(err);
573    }
574
575    match used_to_be_allowed {
576        None => {
577            let reported = if overlap.with_impl.is_local()
578                || tcx.ensure_ok().orphan_check_impl(impl_def_id).is_ok()
579            {
580                let mut err = tcx.dcx().struct_span_err(impl_span, msg());
581                err.code(E0119);
582                decorate(tcx, &overlap, impl_span, &mut err);
583                err.emit()
584            } else {
585                tcx.dcx().span_delayed_bug(impl_span, "impl should have failed the orphan check")
586            };
587            Err(reported)
588        }
589        Some(kind) => {
590            let lint = match kind {
591                FutureCompatOverlapErrorKind::OrderDepTraitObjects => ORDER_DEPENDENT_TRAIT_OBJECTS,
592                FutureCompatOverlapErrorKind::LeakCheck => COHERENCE_LEAK_CHECK,
593            };
594            tcx.node_span_lint(lint, tcx.local_def_id_to_hir_id(impl_def_id), impl_span, |err| {
595                err.primary_message(msg());
596                decorate(tcx, &overlap, impl_span, err);
597            });
598            Ok(())
599        }
600    }
601}