]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_trait_selection/src/traits/coherence.rs
5e97818a52688a9ad9ac7aa6a8adf909e5129e38
[rust.git] / compiler / rustc_trait_selection / src / traits / coherence.rs
1 //! See Rustc Dev Guide chapters on [trait-resolution] and [trait-specialization] for more info on
2 //! how this works.
3 //!
4 //! [trait-resolution]: https://rustc-dev-guide.rust-lang.org/traits/resolution.html
5 //! [trait-specialization]: https://rustc-dev-guide.rust-lang.org/traits/specialization.html
6
7 use crate::infer::outlives::env::OutlivesEnvironment;
8 use crate::infer::{CombinedSnapshot, InferOk, RegionckMode};
9 use crate::traits::select::IntercrateAmbiguityCause;
10 use crate::traits::util::impl_trait_ref_and_oblig;
11 use crate::traits::SkipLeakCheck;
12 use crate::traits::{
13     self, FulfillmentContext, Normalized, Obligation, ObligationCause, PredicateObligation,
14     PredicateObligations, SelectionContext,
15 };
16 //use rustc_data_structures::fx::FxHashMap;
17 use rustc_errors::Diagnostic;
18 use rustc_hir::def_id::{DefId, LOCAL_CRATE};
19 use rustc_hir::CRATE_HIR_ID;
20 use rustc_infer::infer::at::ToTrace;
21 use rustc_infer::infer::{InferCtxt, TyCtxtInferExt};
22 use rustc_infer::traits::{util, TraitEngine};
23 use rustc_middle::traits::specialization_graph::OverlapMode;
24 use rustc_middle::ty::fast_reject::{self, TreatParams};
25 use rustc_middle::ty::fold::TypeFoldable;
26 use rustc_middle::ty::subst::Subst;
27 use rustc_middle::ty::{self, Ty, TyCtxt};
28 use rustc_span::symbol::sym;
29 use rustc_span::DUMMY_SP;
30 use std::fmt::Debug;
31 use std::iter;
32
33 /// Whether we do the orphan check relative to this crate or
34 /// to some remote crate.
35 #[derive(Copy, Clone, Debug)]
36 enum InCrate {
37     Local,
38     Remote,
39 }
40
41 #[derive(Debug, Copy, Clone)]
42 pub enum Conflict {
43     Upstream,
44     Downstream,
45 }
46
47 pub struct OverlapResult<'tcx> {
48     pub impl_header: ty::ImplHeader<'tcx>,
49     pub intercrate_ambiguity_causes: Vec<IntercrateAmbiguityCause>,
50
51     /// `true` if the overlap might've been permitted before the shift
52     /// to universes.
53     pub involves_placeholder: bool,
54 }
55
56 pub fn add_placeholder_note(err: &mut Diagnostic) {
57     err.note(
58         "this behavior recently changed as a result of a bug fix; \
59          see rust-lang/rust#56105 for details",
60     );
61 }
62
63 /// If there are types that satisfy both impls, invokes `on_overlap`
64 /// with a suitably-freshened `ImplHeader` with those types
65 /// substituted. Otherwise, invokes `no_overlap`.
66 #[instrument(skip(tcx, skip_leak_check, on_overlap, no_overlap), level = "debug")]
67 pub fn overlapping_impls<F1, F2, R>(
68     tcx: TyCtxt<'_>,
69     impl1_def_id: DefId,
70     impl2_def_id: DefId,
71     skip_leak_check: SkipLeakCheck,
72     overlap_mode: OverlapMode,
73     on_overlap: F1,
74     no_overlap: F2,
75 ) -> R
76 where
77     F1: FnOnce(OverlapResult<'_>) -> R,
78     F2: FnOnce() -> R,
79 {
80     // Before doing expensive operations like entering an inference context, do
81     // a quick check via fast_reject to tell if the impl headers could possibly
82     // unify.
83     let impl1_ref = tcx.impl_trait_ref(impl1_def_id);
84     let impl2_ref = tcx.impl_trait_ref(impl2_def_id);
85
86     // Check if any of the input types definitely do not unify.
87     if iter::zip(
88         impl1_ref.iter().flat_map(|tref| tref.substs.types()),
89         impl2_ref.iter().flat_map(|tref| tref.substs.types()),
90     )
91     .any(|(ty1, ty2)| {
92         let t1 = fast_reject::simplify_type(tcx, ty1, TreatParams::AsPlaceholders);
93         let t2 = fast_reject::simplify_type(tcx, ty2, TreatParams::AsPlaceholders);
94
95         if let (Some(t1), Some(t2)) = (t1, t2) {
96             // Simplified successfully
97             t1 != t2
98         } else {
99             // Types might unify
100             false
101         }
102     }) {
103         // Some types involved are definitely different, so the impls couldn't possibly overlap.
104         debug!("overlapping_impls: fast_reject early-exit");
105         return no_overlap();
106     }
107
108     let overlaps = tcx.infer_ctxt().enter(|infcx| {
109         let selcx = &mut SelectionContext::intercrate(&infcx);
110         overlap(selcx, skip_leak_check, impl1_def_id, impl2_def_id, overlap_mode).is_some()
111     });
112
113     if !overlaps {
114         return no_overlap();
115     }
116
117     // In the case where we detect an error, run the check again, but
118     // this time tracking intercrate ambuiguity causes for better
119     // diagnostics. (These take time and can lead to false errors.)
120     tcx.infer_ctxt().enter(|infcx| {
121         let selcx = &mut SelectionContext::intercrate(&infcx);
122         selcx.enable_tracking_intercrate_ambiguity_causes();
123         on_overlap(
124             overlap(selcx, skip_leak_check, impl1_def_id, impl2_def_id, overlap_mode).unwrap(),
125         )
126     })
127 }
128
129 fn with_fresh_ty_vars<'cx, 'tcx>(
130     selcx: &mut SelectionContext<'cx, 'tcx>,
131     param_env: ty::ParamEnv<'tcx>,
132     impl_def_id: DefId,
133 ) -> ty::ImplHeader<'tcx> {
134     let tcx = selcx.tcx();
135     let impl_substs = selcx.infcx().fresh_substs_for_item(DUMMY_SP, impl_def_id);
136
137     let header = ty::ImplHeader {
138         impl_def_id,
139         self_ty: tcx.type_of(impl_def_id).subst(tcx, impl_substs),
140         trait_ref: tcx.impl_trait_ref(impl_def_id).subst(tcx, impl_substs),
141         predicates: tcx.predicates_of(impl_def_id).instantiate(tcx, impl_substs).predicates,
142     };
143
144     let Normalized { value: mut header, obligations } =
145         traits::normalize(selcx, param_env, ObligationCause::dummy(), header);
146
147     header.predicates.extend(obligations.into_iter().map(|o| o.predicate));
148     header
149 }
150
151 /// Can both impl `a` and impl `b` be satisfied by a common type (including
152 /// where-clauses)? If so, returns an `ImplHeader` that unifies the two impls.
153 fn overlap<'cx, 'tcx>(
154     selcx: &mut SelectionContext<'cx, 'tcx>,
155     skip_leak_check: SkipLeakCheck,
156     impl1_def_id: DefId,
157     impl2_def_id: DefId,
158     overlap_mode: OverlapMode,
159 ) -> Option<OverlapResult<'tcx>> {
160     debug!(
161         "overlap(impl1_def_id={:?}, impl2_def_id={:?}, overlap_mode={:?})",
162         impl1_def_id, impl2_def_id, overlap_mode
163     );
164
165     selcx.infcx().probe_maybe_skip_leak_check(skip_leak_check.is_yes(), |snapshot| {
166         overlap_within_probe(selcx, impl1_def_id, impl2_def_id, overlap_mode, snapshot)
167     })
168 }
169
170 fn overlap_within_probe<'cx, 'tcx>(
171     selcx: &mut SelectionContext<'cx, 'tcx>,
172     impl1_def_id: DefId,
173     impl2_def_id: DefId,
174     overlap_mode: OverlapMode,
175     snapshot: &CombinedSnapshot<'_, 'tcx>,
176 ) -> Option<OverlapResult<'tcx>> {
177     let infcx = selcx.infcx();
178
179     if overlap_mode.use_negative_impl() {
180         if negative_impl(selcx, impl1_def_id, impl2_def_id)
181             || negative_impl(selcx, impl2_def_id, impl1_def_id)
182         {
183             return None;
184         }
185     }
186
187     // For the purposes of this check, we don't bring any placeholder
188     // types into scope; instead, we replace the generic types with
189     // fresh type variables, and hence we do our evaluations in an
190     // empty environment.
191     let param_env = ty::ParamEnv::empty();
192
193     let impl1_header = with_fresh_ty_vars(selcx, param_env, impl1_def_id);
194     let impl2_header = with_fresh_ty_vars(selcx, param_env, impl2_def_id);
195
196     let obligations = equate_impl_headers(selcx, &impl1_header, &impl2_header)?;
197     debug!("overlap: unification check succeeded");
198
199     if overlap_mode.use_implicit_negative() {
200         if implicit_negative(selcx, param_env, &impl1_header, impl2_header, obligations) {
201             return None;
202         }
203     }
204
205     // We disable the leak when when creating the `snapshot` by using
206     // `infcx.probe_maybe_disable_leak_check`.
207     if infcx.leak_check(true, snapshot).is_err() {
208         debug!("overlap: leak check failed");
209         return None;
210     }
211
212     let intercrate_ambiguity_causes = selcx.take_intercrate_ambiguity_causes();
213     debug!("overlap: intercrate_ambiguity_causes={:#?}", intercrate_ambiguity_causes);
214
215     let involves_placeholder =
216         matches!(selcx.infcx().region_constraints_added_in_snapshot(snapshot), Some(true));
217
218     let impl_header = selcx.infcx().resolve_vars_if_possible(impl1_header);
219     Some(OverlapResult { impl_header, intercrate_ambiguity_causes, involves_placeholder })
220 }
221
222 fn equate_impl_headers<'cx, 'tcx>(
223     selcx: &mut SelectionContext<'cx, 'tcx>,
224     impl1_header: &ty::ImplHeader<'tcx>,
225     impl2_header: &ty::ImplHeader<'tcx>,
226 ) -> Option<PredicateObligations<'tcx>> {
227     // Do `a` and `b` unify? If not, no overlap.
228     debug!("equate_impl_headers(impl1_header={:?}, impl2_header={:?}", impl1_header, impl2_header);
229     selcx
230         .infcx()
231         .at(&ObligationCause::dummy(), ty::ParamEnv::empty())
232         .eq_impl_headers(impl1_header, impl2_header)
233         .map(|infer_ok| infer_ok.obligations)
234         .ok()
235 }
236
237 /// Given impl1 and impl2 check if both impls can be satisfied by a common type (including
238 /// where-clauses) If so, return false, otherwise return true, they are disjoint.
239 fn implicit_negative<'cx, 'tcx>(
240     selcx: &mut SelectionContext<'cx, 'tcx>,
241     param_env: ty::ParamEnv<'tcx>,
242     impl1_header: &ty::ImplHeader<'tcx>,
243     impl2_header: ty::ImplHeader<'tcx>,
244     obligations: PredicateObligations<'tcx>,
245 ) -> bool {
246     // There's no overlap if obligations are unsatisfiable or if the obligation negated is
247     // satisfied.
248     //
249     // For example, given these two impl headers:
250     //
251     // `impl<'a> From<&'a str> for Box<dyn Error>`
252     // `impl<E> From<E> for Box<dyn Error> where E: Error`
253     //
254     // So we have:
255     //
256     // `Box<dyn Error>: From<&'?a str>`
257     // `Box<dyn Error>: From<?E>`
258     //
259     // After equating the two headers:
260     //
261     // `Box<dyn Error> = Box<dyn Error>`
262     // So, `?E = &'?a str` and then given the where clause `&'?a str: Error`.
263     //
264     // If the obligation `&'?a str: Error` holds, it means that there's overlap. If that doesn't
265     // hold we need to check if `&'?a str: !Error` holds, if doesn't hold there's overlap because
266     // at some point an impl for `&'?a str: Error` could be added.
267     debug!(
268         "implicit_negative(impl1_header={:?}, impl2_header={:?}, obligations={:?})",
269         impl1_header, impl2_header, obligations
270     );
271     let infcx = selcx.infcx();
272     let opt_failing_obligation = impl1_header
273         .predicates
274         .iter()
275         .copied()
276         .chain(impl2_header.predicates)
277         .map(|p| infcx.resolve_vars_if_possible(p))
278         .map(|p| Obligation {
279             cause: ObligationCause::dummy(),
280             param_env,
281             recursion_depth: 0,
282             predicate: p,
283         })
284         .chain(obligations)
285         .find(|o| !selcx.predicate_may_hold_fatal(o));
286
287     if let Some(failing_obligation) = opt_failing_obligation {
288         debug!("overlap: obligation unsatisfiable {:?}", failing_obligation);
289         true
290     } else {
291         false
292     }
293 }
294
295 /// Given impl1 and impl2 check if both impls are never satisfied by a common type (including
296 /// where-clauses) If so, return true, they are disjoint and false otherwise.
297 fn negative_impl<'cx, 'tcx>(
298     selcx: &mut SelectionContext<'cx, 'tcx>,
299     impl1_def_id: DefId,
300     impl2_def_id: DefId,
301 ) -> bool {
302     debug!("negative_impl(impl1_def_id={:?}, impl2_def_id={:?})", impl1_def_id, impl2_def_id);
303     let tcx = selcx.infcx().tcx;
304
305     // Create an infcx, taking the predicates of impl1 as assumptions:
306     tcx.infer_ctxt().enter(|infcx| {
307         // create a parameter environment corresponding to a (placeholder) instantiation of impl1
308         let impl1_env = tcx.param_env(impl1_def_id);
309
310         if let Some(impl1_trait_ref) = tcx.impl_trait_ref(impl1_def_id) {
311             // Normalize the trait reference. The WF rules ought to ensure
312             // that this always succeeds.
313             let impl1_trait_ref = match traits::fully_normalize(
314                 &infcx,
315                 FulfillmentContext::new(),
316                 ObligationCause::dummy(),
317                 impl1_env,
318                 impl1_trait_ref,
319             ) {
320                 Ok(impl1_trait_ref) => impl1_trait_ref,
321                 Err(err) => {
322                     bug!("failed to fully normalize {:?}: {:?}", impl1_trait_ref, err);
323                 }
324             };
325
326             // Attempt to prove that impl2 applies, given all of the above.
327             let selcx = &mut SelectionContext::new(&infcx);
328             let impl2_substs = infcx.fresh_substs_for_item(DUMMY_SP, impl2_def_id);
329             let (impl2_trait_ref, obligations) =
330                 impl_trait_ref_and_oblig(selcx, impl1_env, impl2_def_id, impl2_substs);
331
332             !obligations_satisfiable(
333                 &infcx,
334                 impl1_env,
335                 impl1_def_id,
336                 impl1_trait_ref,
337                 impl2_trait_ref,
338                 obligations,
339             )
340         } else {
341             let ty1 = tcx.type_of(impl1_def_id);
342             let ty2 = tcx.type_of(impl2_def_id);
343
344             !obligations_satisfiable(&infcx, impl1_env, impl1_def_id, ty1, ty2, iter::empty())
345         }
346     })
347 }
348
349 fn obligations_satisfiable<'cx, 'tcx, T: Debug + ToTrace<'tcx>>(
350     infcx: &InferCtxt<'cx, 'tcx>,
351     impl1_env: ty::ParamEnv<'tcx>,
352     impl1_def_id: DefId,
353     impl1: T,
354     impl2: T,
355     obligations: impl Iterator<Item = PredicateObligation<'tcx>>,
356 ) -> bool {
357     // do the impls unify? If not, not disjoint.
358     let Ok(InferOk { obligations: more_obligations, .. }) = infcx
359         .at(&ObligationCause::dummy(), impl1_env)
360         .eq(impl1, impl2) else {
361             debug!(
362                 "explicit_disjoint: {:?} does not unify with {:?}",
363                 impl1, impl2
364             );
365             return true;
366         };
367
368     let selcx = &mut SelectionContext::new(&infcx);
369     let opt_failing_obligation = obligations
370         .into_iter()
371         .chain(more_obligations)
372         .find(|o| negative_impl_exists(selcx, impl1_env, impl1_def_id, o));
373
374     if let Some(failing_obligation) = opt_failing_obligation {
375         debug!("overlap: obligation unsatisfiable {:?}", failing_obligation);
376         false
377     } else {
378         true
379     }
380 }
381
382 /// Try to prove that a negative impl exist for the given obligation and their super predicates.
383 #[instrument(level = "debug", skip(selcx))]
384 fn negative_impl_exists<'cx, 'tcx>(
385     selcx: &SelectionContext<'cx, 'tcx>,
386     param_env: ty::ParamEnv<'tcx>,
387     region_context: DefId,
388     o: &PredicateObligation<'tcx>,
389 ) -> bool {
390     let infcx = &selcx.infcx().fork();
391
392     if resolve_negative_obligation(infcx, param_env, region_context, o) {
393         return true;
394     }
395
396     // Try to prove a negative obligation exist for super predicates
397     for o in util::elaborate_predicates(infcx.tcx, iter::once(o.predicate)) {
398         if resolve_negative_obligation(infcx, param_env, region_context, &o) {
399             return true;
400         }
401     }
402
403     false
404 }
405
406 #[instrument(level = "debug", skip(infcx))]
407 fn resolve_negative_obligation<'cx, 'tcx>(
408     infcx: &InferCtxt<'cx, 'tcx>,
409     param_env: ty::ParamEnv<'tcx>,
410     region_context: DefId,
411     o: &PredicateObligation<'tcx>,
412 ) -> bool {
413     let tcx = infcx.tcx;
414
415     let Some(o) = o.flip_polarity(tcx) else {
416         return false;
417     };
418
419     let mut fulfillment_cx = FulfillmentContext::new();
420     fulfillment_cx.register_predicate_obligation(infcx, o);
421
422     let errors = fulfillment_cx.select_all_or_error(infcx);
423
424     if !errors.is_empty() {
425         return false;
426     }
427
428     let mut outlives_env = OutlivesEnvironment::new(param_env);
429     // FIXME -- add "assumed to be well formed" types into the `outlives_env`
430
431     // "Save" the accumulated implied bounds into the outlives environment
432     // (due to the FIXME above, there aren't any, but this step is still needed).
433     // The "body id" is given as `CRATE_HIR_ID`, which is the same body-id used
434     // by the "dummy" causes elsewhere (body-id is only relevant when checking
435     // function bodies with closures).
436     outlives_env.save_implied_bounds(CRATE_HIR_ID);
437
438     infcx.process_registered_region_obligations(
439         outlives_env.region_bound_pairs_map(),
440         Some(tcx.lifetimes.re_root_empty),
441         param_env,
442     );
443
444     let errors = infcx.resolve_regions(region_context, &outlives_env, RegionckMode::default());
445
446     if !errors.is_empty() {
447         return false;
448     }
449
450     true
451 }
452
453 pub fn trait_ref_is_knowable<'tcx>(
454     tcx: TyCtxt<'tcx>,
455     trait_ref: ty::TraitRef<'tcx>,
456 ) -> Option<Conflict> {
457     debug!("trait_ref_is_knowable(trait_ref={:?})", trait_ref);
458     if orphan_check_trait_ref(tcx, trait_ref, InCrate::Remote).is_ok() {
459         // A downstream or cousin crate is allowed to implement some
460         // substitution of this trait-ref.
461         return Some(Conflict::Downstream);
462     }
463
464     if trait_ref_is_local_or_fundamental(tcx, trait_ref) {
465         // This is a local or fundamental trait, so future-compatibility
466         // is no concern. We know that downstream/cousin crates are not
467         // allowed to implement a substitution of this trait ref, which
468         // means impls could only come from dependencies of this crate,
469         // which we already know about.
470         return None;
471     }
472
473     // This is a remote non-fundamental trait, so if another crate
474     // can be the "final owner" of a substitution of this trait-ref,
475     // they are allowed to implement it future-compatibly.
476     //
477     // However, if we are a final owner, then nobody else can be,
478     // and if we are an intermediate owner, then we don't care
479     // about future-compatibility, which means that we're OK if
480     // we are an owner.
481     if orphan_check_trait_ref(tcx, trait_ref, InCrate::Local).is_ok() {
482         debug!("trait_ref_is_knowable: orphan check passed");
483         None
484     } else {
485         debug!("trait_ref_is_knowable: nonlocal, nonfundamental, unowned");
486         Some(Conflict::Upstream)
487     }
488 }
489
490 pub fn trait_ref_is_local_or_fundamental<'tcx>(
491     tcx: TyCtxt<'tcx>,
492     trait_ref: ty::TraitRef<'tcx>,
493 ) -> bool {
494     trait_ref.def_id.krate == LOCAL_CRATE || tcx.has_attr(trait_ref.def_id, sym::fundamental)
495 }
496
497 pub enum OrphanCheckErr<'tcx> {
498     NonLocalInputType(Vec<(Ty<'tcx>, bool /* Is this the first input type? */)>),
499     UncoveredTy(Ty<'tcx>, Option<Ty<'tcx>>),
500 }
501
502 /// Checks the coherence orphan rules. `impl_def_id` should be the
503 /// `DefId` of a trait impl. To pass, either the trait must be local, or else
504 /// two conditions must be satisfied:
505 ///
506 /// 1. All type parameters in `Self` must be "covered" by some local type constructor.
507 /// 2. Some local type must appear in `Self`.
508 pub fn orphan_check(tcx: TyCtxt<'_>, impl_def_id: DefId) -> Result<(), OrphanCheckErr<'_>> {
509     debug!("orphan_check({:?})", impl_def_id);
510
511     // We only except this routine to be invoked on implementations
512     // of a trait, not inherent implementations.
513     let trait_ref = tcx.impl_trait_ref(impl_def_id).unwrap();
514     debug!("orphan_check: trait_ref={:?}", trait_ref);
515
516     // If the *trait* is local to the crate, ok.
517     if trait_ref.def_id.is_local() {
518         debug!("trait {:?} is local to current crate", trait_ref.def_id);
519         return Ok(());
520     }
521
522     orphan_check_trait_ref(tcx, trait_ref, InCrate::Local)
523 }
524
525 /// Checks whether a trait-ref is potentially implementable by a crate.
526 ///
527 /// The current rule is that a trait-ref orphan checks in a crate C:
528 ///
529 /// 1. Order the parameters in the trait-ref in subst order - Self first,
530 ///    others linearly (e.g., `<U as Foo<V, W>>` is U < V < W).
531 /// 2. Of these type parameters, there is at least one type parameter
532 ///    in which, walking the type as a tree, you can reach a type local
533 ///    to C where all types in-between are fundamental types. Call the
534 ///    first such parameter the "local key parameter".
535 ///     - e.g., `Box<LocalType>` is OK, because you can visit LocalType
536 ///       going through `Box`, which is fundamental.
537 ///     - similarly, `FundamentalPair<Vec<()>, Box<LocalType>>` is OK for
538 ///       the same reason.
539 ///     - but (knowing that `Vec<T>` is non-fundamental, and assuming it's
540 ///       not local), `Vec<LocalType>` is bad, because `Vec<->` is between
541 ///       the local type and the type parameter.
542 /// 3. Before this local type, no generic type parameter of the impl must
543 ///    be reachable through fundamental types.
544 ///     - e.g. `impl<T> Trait<LocalType> for Vec<T>` is fine, as `Vec` is not fundamental.
545 ///     - while `impl<T> Trait<LocalType for Box<T>` results in an error, as `T` is
546 ///       reachable through the fundamental type `Box`.
547 /// 4. Every type in the local key parameter not known in C, going
548 ///    through the parameter's type tree, must appear only as a subtree of
549 ///    a type local to C, with only fundamental types between the type
550 ///    local to C and the local key parameter.
551 ///     - e.g., `Vec<LocalType<T>>>` (or equivalently `Box<Vec<LocalType<T>>>`)
552 ///     is bad, because the only local type with `T` as a subtree is
553 ///     `LocalType<T>`, and `Vec<->` is between it and the type parameter.
554 ///     - similarly, `FundamentalPair<LocalType<T>, T>` is bad, because
555 ///     the second occurrence of `T` is not a subtree of *any* local type.
556 ///     - however, `LocalType<Vec<T>>` is OK, because `T` is a subtree of
557 ///     `LocalType<Vec<T>>`, which is local and has no types between it and
558 ///     the type parameter.
559 ///
560 /// The orphan rules actually serve several different purposes:
561 ///
562 /// 1. They enable link-safety - i.e., 2 mutually-unknowing crates (where
563 ///    every type local to one crate is unknown in the other) can't implement
564 ///    the same trait-ref. This follows because it can be seen that no such
565 ///    type can orphan-check in 2 such crates.
566 ///
567 ///    To check that a local impl follows the orphan rules, we check it in
568 ///    InCrate::Local mode, using type parameters for the "generic" types.
569 ///
570 /// 2. They ground negative reasoning for coherence. If a user wants to
571 ///    write both a conditional blanket impl and a specific impl, we need to
572 ///    make sure they do not overlap. For example, if we write
573 ///    ```
574 ///    impl<T> IntoIterator for Vec<T>
575 ///    impl<T: Iterator> IntoIterator for T
576 ///    ```
577 ///    We need to be able to prove that `Vec<$0>: !Iterator` for every type $0.
578 ///    We can observe that this holds in the current crate, but we need to make
579 ///    sure this will also hold in all unknown crates (both "independent" crates,
580 ///    which we need for link-safety, and also child crates, because we don't want
581 ///    child crates to get error for impl conflicts in a *dependency*).
582 ///
583 ///    For that, we only allow negative reasoning if, for every assignment to the
584 ///    inference variables, every unknown crate would get an orphan error if they
585 ///    try to implement this trait-ref. To check for this, we use InCrate::Remote
586 ///    mode. That is sound because we already know all the impls from known crates.
587 ///
588 /// 3. For non-`#[fundamental]` traits, they guarantee that parent crates can
589 ///    add "non-blanket" impls without breaking negative reasoning in dependent
590 ///    crates. This is the "rebalancing coherence" (RFC 1023) restriction.
591 ///
592 ///    For that, we only a allow crate to perform negative reasoning on
593 ///    non-local-non-`#[fundamental]` only if there's a local key parameter as per (2).
594 ///
595 ///    Because we never perform negative reasoning generically (coherence does
596 ///    not involve type parameters), this can be interpreted as doing the full
597 ///    orphan check (using InCrate::Local mode), substituting non-local known
598 ///    types for all inference variables.
599 ///
600 ///    This allows for crates to future-compatibly add impls as long as they
601 ///    can't apply to types with a key parameter in a child crate - applying
602 ///    the rules, this basically means that every type parameter in the impl
603 ///    must appear behind a non-fundamental type (because this is not a
604 ///    type-system requirement, crate owners might also go for "semantic
605 ///    future-compatibility" involving things such as sealed traits, but
606 ///    the above requirement is sufficient, and is necessary in "open world"
607 ///    cases).
608 ///
609 /// Note that this function is never called for types that have both type
610 /// parameters and inference variables.
611 fn orphan_check_trait_ref<'tcx>(
612     tcx: TyCtxt<'tcx>,
613     trait_ref: ty::TraitRef<'tcx>,
614     in_crate: InCrate,
615 ) -> Result<(), OrphanCheckErr<'tcx>> {
616     debug!("orphan_check_trait_ref(trait_ref={:?}, in_crate={:?})", trait_ref, in_crate);
617
618     if trait_ref.needs_infer() && trait_ref.needs_subst() {
619         bug!(
620             "can't orphan check a trait ref with both params and inference variables {:?}",
621             trait_ref
622         );
623     }
624
625     // Given impl<P1..=Pn> Trait<T1..=Tn> for T0, an impl is valid only
626     // if at least one of the following is true:
627     //
628     // - Trait is a local trait
629     // (already checked in orphan_check prior to calling this function)
630     // - All of
631     //     - At least one of the types T0..=Tn must be a local type.
632     //      Let Ti be the first such type.
633     //     - No uncovered type parameters P1..=Pn may appear in T0..Ti (excluding Ti)
634     //
635     fn uncover_fundamental_ty<'tcx>(
636         tcx: TyCtxt<'tcx>,
637         ty: Ty<'tcx>,
638         in_crate: InCrate,
639     ) -> Vec<Ty<'tcx>> {
640         // FIXME: this is currently somewhat overly complicated,
641         // but fixing this requires a more complicated refactor.
642         if !contained_non_local_types(tcx, ty, in_crate).is_empty() {
643             if let Some(inner_tys) = fundamental_ty_inner_tys(tcx, ty) {
644                 return inner_tys
645                     .flat_map(|ty| uncover_fundamental_ty(tcx, ty, in_crate))
646                     .collect();
647             }
648         }
649
650         vec![ty]
651     }
652
653     let mut non_local_spans = vec![];
654     for (i, input_ty) in trait_ref
655         .substs
656         .types()
657         .flat_map(|ty| uncover_fundamental_ty(tcx, ty, in_crate))
658         .enumerate()
659     {
660         debug!("orphan_check_trait_ref: check ty `{:?}`", input_ty);
661         let non_local_tys = contained_non_local_types(tcx, input_ty, in_crate);
662         if non_local_tys.is_empty() {
663             debug!("orphan_check_trait_ref: ty_is_local `{:?}`", input_ty);
664             return Ok(());
665         } else if let ty::Param(_) = input_ty.kind() {
666             debug!("orphan_check_trait_ref: uncovered ty: `{:?}`", input_ty);
667             let local_type = trait_ref
668                 .substs
669                 .types()
670                 .flat_map(|ty| uncover_fundamental_ty(tcx, ty, in_crate))
671                 .find(|ty| ty_is_local_constructor(*ty, in_crate));
672
673             debug!("orphan_check_trait_ref: uncovered ty local_type: `{:?}`", local_type);
674
675             return Err(OrphanCheckErr::UncoveredTy(input_ty, local_type));
676         }
677
678         non_local_spans.extend(non_local_tys.into_iter().map(|input_ty| (input_ty, i == 0)));
679     }
680     // If we exit above loop, never found a local type.
681     debug!("orphan_check_trait_ref: no local type");
682     Err(OrphanCheckErr::NonLocalInputType(non_local_spans))
683 }
684
685 /// Returns a list of relevant non-local types for `ty`.
686 ///
687 /// This is just `ty` itself unless `ty` is `#[fundamental]`,
688 /// in which case we recursively look into this type.
689 ///
690 /// If `ty` is local itself, this method returns an empty `Vec`.
691 ///
692 /// # Examples
693 ///
694 /// - `u32` is not local, so this returns `[u32]`.
695 /// - for `Foo<u32>`, where `Foo` is a local type, this returns `[]`.
696 /// - `&mut u32` returns `[u32]`, as `&mut` is a fundamental type, similar to `Box`.
697 /// - `Box<Foo<u32>>` returns `[]`, as `Box` is a fundamental type and `Foo` is local.
698 fn contained_non_local_types<'tcx>(
699     tcx: TyCtxt<'tcx>,
700     ty: Ty<'tcx>,
701     in_crate: InCrate,
702 ) -> Vec<Ty<'tcx>> {
703     if ty_is_local_constructor(ty, in_crate) {
704         Vec::new()
705     } else {
706         match fundamental_ty_inner_tys(tcx, ty) {
707             Some(inner_tys) => {
708                 inner_tys.flat_map(|ty| contained_non_local_types(tcx, ty, in_crate)).collect()
709             }
710             None => vec![ty],
711         }
712     }
713 }
714
715 /// For `#[fundamental]` ADTs and `&T` / `&mut T`, returns `Some` with the
716 /// type parameters of the ADT, or `T`, respectively. For non-fundamental
717 /// types, returns `None`.
718 fn fundamental_ty_inner_tys<'tcx>(
719     tcx: TyCtxt<'tcx>,
720     ty: Ty<'tcx>,
721 ) -> Option<impl Iterator<Item = Ty<'tcx>>> {
722     let (first_ty, rest_tys) = match *ty.kind() {
723         ty::Ref(_, ty, _) => (ty, ty::subst::InternalSubsts::empty().types()),
724         ty::Adt(def, substs) if def.is_fundamental() => {
725             let mut types = substs.types();
726
727             // FIXME(eddyb) actually validate `#[fundamental]` up-front.
728             match types.next() {
729                 None => {
730                     tcx.sess.span_err(
731                         tcx.def_span(def.did()),
732                         "`#[fundamental]` requires at least one type parameter",
733                     );
734
735                     return None;
736                 }
737
738                 Some(first_ty) => (first_ty, types),
739             }
740         }
741         _ => return None,
742     };
743
744     Some(iter::once(first_ty).chain(rest_tys))
745 }
746
747 fn def_id_is_local(def_id: DefId, in_crate: InCrate) -> bool {
748     match in_crate {
749         // The type is local to *this* crate - it will not be
750         // local in any other crate.
751         InCrate::Remote => false,
752         InCrate::Local => def_id.is_local(),
753     }
754 }
755
756 fn ty_is_local_constructor(ty: Ty<'_>, in_crate: InCrate) -> bool {
757     debug!("ty_is_local_constructor({:?})", ty);
758
759     match *ty.kind() {
760         ty::Bool
761         | ty::Char
762         | ty::Int(..)
763         | ty::Uint(..)
764         | ty::Float(..)
765         | ty::Str
766         | ty::FnDef(..)
767         | ty::FnPtr(_)
768         | ty::Array(..)
769         | ty::Slice(..)
770         | ty::RawPtr(..)
771         | ty::Ref(..)
772         | ty::Never
773         | ty::Tuple(..)
774         | ty::Param(..)
775         | ty::Projection(..) => false,
776
777         ty::Placeholder(..) | ty::Bound(..) | ty::Infer(..) => match in_crate {
778             InCrate::Local => false,
779             // The inference variable might be unified with a local
780             // type in that remote crate.
781             InCrate::Remote => true,
782         },
783
784         ty::Adt(def, _) => def_id_is_local(def.did(), in_crate),
785         ty::Foreign(did) => def_id_is_local(did, in_crate),
786         ty::Opaque(..) => {
787             // This merits some explanation.
788             // Normally, opaque types are not involed when performing
789             // coherence checking, since it is illegal to directly
790             // implement a trait on an opaque type. However, we might
791             // end up looking at an opaque type during coherence checking
792             // if an opaque type gets used within another type (e.g. as
793             // a type parameter). This requires us to decide whether or
794             // not an opaque type should be considered 'local' or not.
795             //
796             // We choose to treat all opaque types as non-local, even
797             // those that appear within the same crate. This seems
798             // somewhat surprising at first, but makes sense when
799             // you consider that opaque types are supposed to hide
800             // the underlying type *within the same crate*. When an
801             // opaque type is used from outside the module
802             // where it is declared, it should be impossible to observe
803             // anything about it other than the traits that it implements.
804             //
805             // The alternative would be to look at the underlying type
806             // to determine whether or not the opaque type itself should
807             // be considered local. However, this could make it a breaking change
808             // to switch the underlying ('defining') type from a local type
809             // to a remote type. This would violate the rule that opaque
810             // types should be completely opaque apart from the traits
811             // that they implement, so we don't use this behavior.
812             false
813         }
814
815         ty::Closure(..) => {
816             // Similar to the `Opaque` case (#83613).
817             false
818         }
819
820         ty::Dynamic(ref tt, ..) => {
821             if let Some(principal) = tt.principal() {
822                 def_id_is_local(principal.def_id(), in_crate)
823             } else {
824                 false
825             }
826         }
827
828         ty::Error(_) => true,
829
830         ty::Generator(..) | ty::GeneratorWitness(..) => {
831             bug!("ty_is_local invoked on unexpected type: {:?}", ty)
832         }
833     }
834 }