]> git.lizzy.rs Git - rust.git/blob - src/librustc_trait_selection/traits/coherence.rs
move leak-check to during coherence, candidate eval
[rust.git] / src / librustc_trait_selection / 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::{CombinedSnapshot, InferOk, TyCtxtInferExt};
8 use crate::traits::select::IntercrateAmbiguityCause;
9 use crate::traits::SkipLeakCheck;
10 use crate::traits::{self, Normalized, Obligation, ObligationCause, SelectionContext};
11 use rustc_hir::def_id::{DefId, LOCAL_CRATE};
12 use rustc_middle::ty::fold::TypeFoldable;
13 use rustc_middle::ty::subst::Subst;
14 use rustc_middle::ty::{self, Ty, TyCtxt};
15 use rustc_span::symbol::sym;
16 use rustc_span::DUMMY_SP;
17 use std::iter;
18
19 /// Whether we do the orphan check relative to this crate or
20 /// to some remote crate.
21 #[derive(Copy, Clone, Debug)]
22 enum InCrate {
23     Local,
24     Remote,
25 }
26
27 #[derive(Debug, Copy, Clone)]
28 pub enum Conflict {
29     Upstream,
30     Downstream,
31 }
32
33 pub struct OverlapResult<'tcx> {
34     pub impl_header: ty::ImplHeader<'tcx>,
35     pub intercrate_ambiguity_causes: Vec<IntercrateAmbiguityCause>,
36
37     /// `true` if the overlap might've been permitted before the shift
38     /// to universes.
39     pub involves_placeholder: bool,
40 }
41
42 pub fn add_placeholder_note(err: &mut rustc_errors::DiagnosticBuilder<'_>) {
43     err.note(
44         "this behavior recently changed as a result of a bug fix; \
45          see rust-lang/rust#56105 for details",
46     );
47 }
48
49 /// If there are types that satisfy both impls, invokes `on_overlap`
50 /// with a suitably-freshened `ImplHeader` with those types
51 /// substituted. Otherwise, invokes `no_overlap`.
52 pub fn overlapping_impls<F1, F2, R>(
53     tcx: TyCtxt<'_>,
54     impl1_def_id: DefId,
55     impl2_def_id: DefId,
56     skip_leak_check: SkipLeakCheck,
57     on_overlap: F1,
58     no_overlap: F2,
59 ) -> R
60 where
61     F1: FnOnce(OverlapResult<'_>) -> R,
62     F2: FnOnce() -> R,
63 {
64     debug!(
65         "overlapping_impls(\
66            impl1_def_id={:?}, \
67            impl2_def_id={:?})",
68         impl1_def_id, impl2_def_id,
69     );
70
71     let overlaps = tcx.infer_ctxt().enter(|infcx| {
72         let selcx = &mut SelectionContext::intercrate(&infcx);
73         overlap(selcx, skip_leak_check, impl1_def_id, impl2_def_id).is_some()
74     });
75
76     if !overlaps {
77         return no_overlap();
78     }
79
80     // In the case where we detect an error, run the check again, but
81     // this time tracking intercrate ambuiguity causes for better
82     // diagnostics. (These take time and can lead to false errors.)
83     tcx.infer_ctxt().enter(|infcx| {
84         let selcx = &mut SelectionContext::intercrate(&infcx);
85         selcx.enable_tracking_intercrate_ambiguity_causes();
86         on_overlap(overlap(selcx, skip_leak_check, impl1_def_id, impl2_def_id).unwrap())
87     })
88 }
89
90 fn with_fresh_ty_vars<'cx, 'tcx>(
91     selcx: &mut SelectionContext<'cx, 'tcx>,
92     param_env: ty::ParamEnv<'tcx>,
93     impl_def_id: DefId,
94 ) -> ty::ImplHeader<'tcx> {
95     let tcx = selcx.tcx();
96     let impl_substs = selcx.infcx().fresh_substs_for_item(DUMMY_SP, impl_def_id);
97
98     let header = ty::ImplHeader {
99         impl_def_id,
100         self_ty: tcx.type_of(impl_def_id).subst(tcx, impl_substs),
101         trait_ref: tcx.impl_trait_ref(impl_def_id).subst(tcx, impl_substs),
102         predicates: tcx.predicates_of(impl_def_id).instantiate(tcx, impl_substs).predicates,
103     };
104
105     let Normalized { value: mut header, obligations } =
106         traits::normalize(selcx, param_env, ObligationCause::dummy(), &header);
107
108     header.predicates.extend(obligations.into_iter().map(|o| o.predicate));
109     header
110 }
111
112 /// Can both impl `a` and impl `b` be satisfied by a common type (including
113 /// where-clauses)? If so, returns an `ImplHeader` that unifies the two impls.
114 fn overlap<'cx, 'tcx>(
115     selcx: &mut SelectionContext<'cx, 'tcx>,
116     skip_leak_check: SkipLeakCheck,
117     a_def_id: DefId,
118     b_def_id: DefId,
119 ) -> Option<OverlapResult<'tcx>> {
120     debug!("overlap(a_def_id={:?}, b_def_id={:?})", a_def_id, b_def_id);
121
122     selcx.infcx().probe_maybe_skip_leak_check(skip_leak_check.is_yes(), |snapshot| {
123         overlap_within_probe(selcx, skip_leak_check, a_def_id, b_def_id, snapshot)
124     })
125 }
126
127 fn overlap_within_probe(
128     selcx: &mut SelectionContext<'cx, 'tcx>,
129     skip_leak_check: SkipLeakCheck,
130     a_def_id: DefId,
131     b_def_id: DefId,
132     snapshot: &CombinedSnapshot<'_, 'tcx>,
133 ) -> Option<OverlapResult<'tcx>> {
134     // For the purposes of this check, we don't bring any placeholder
135     // types into scope; instead, we replace the generic types with
136     // fresh type variables, and hence we do our evaluations in an
137     // empty environment.
138     let param_env = ty::ParamEnv::empty();
139
140     let a_impl_header = with_fresh_ty_vars(selcx, param_env, a_def_id);
141     let b_impl_header = with_fresh_ty_vars(selcx, param_env, b_def_id);
142
143     debug!("overlap: a_impl_header={:?}", a_impl_header);
144     debug!("overlap: b_impl_header={:?}", b_impl_header);
145
146     // Do `a` and `b` unify? If not, no overlap.
147     let obligations = match selcx
148         .infcx()
149         .at(&ObligationCause::dummy(), param_env)
150         .eq_impl_headers(&a_impl_header, &b_impl_header)
151     {
152         Ok(InferOk { obligations, value: () }) => obligations,
153         Err(_) => {
154             return None;
155         }
156     };
157
158     debug!("overlap: unification check succeeded");
159
160     // Are any of the obligations unsatisfiable? If so, no overlap.
161     let infcx = selcx.infcx();
162     let opt_failing_obligation = a_impl_header
163         .predicates
164         .iter()
165         .chain(&b_impl_header.predicates)
166         .map(|p| infcx.resolve_vars_if_possible(p))
167         .map(|p| Obligation {
168             cause: ObligationCause::dummy(),
169             param_env,
170             recursion_depth: 0,
171             predicate: p,
172         })
173         .chain(obligations)
174         .find(|o| !selcx.predicate_may_hold_fatal(o));
175     // FIXME: the call to `selcx.predicate_may_hold_fatal` above should be ported
176     // to the canonical trait query form, `infcx.predicate_may_hold`, once
177     // the new system supports intercrate mode (which coherence needs).
178
179     if let Some(failing_obligation) = opt_failing_obligation {
180         debug!("overlap: obligation unsatisfiable {:?}", failing_obligation);
181         return None;
182     }
183
184     if !skip_leak_check.is_yes() {
185         if let Err(_) = infcx.leak_check(true, snapshot) {
186             debug!("overlap: leak check failed");
187             return None;
188         }
189     }
190
191     let impl_header = selcx.infcx().resolve_vars_if_possible(&a_impl_header);
192     let intercrate_ambiguity_causes = selcx.take_intercrate_ambiguity_causes();
193     debug!("overlap: intercrate_ambiguity_causes={:#?}", intercrate_ambiguity_causes);
194
195     let involves_placeholder = match selcx.infcx().region_constraints_added_in_snapshot(snapshot) {
196         Some(true) => true,
197         _ => false,
198     };
199
200     Some(OverlapResult { impl_header, intercrate_ambiguity_causes, involves_placeholder })
201 }
202
203 pub fn trait_ref_is_knowable<'tcx>(
204     tcx: TyCtxt<'tcx>,
205     trait_ref: ty::TraitRef<'tcx>,
206 ) -> Option<Conflict> {
207     debug!("trait_ref_is_knowable(trait_ref={:?})", trait_ref);
208     if orphan_check_trait_ref(tcx, trait_ref, InCrate::Remote).is_ok() {
209         // A downstream or cousin crate is allowed to implement some
210         // substitution of this trait-ref.
211         return Some(Conflict::Downstream);
212     }
213
214     if trait_ref_is_local_or_fundamental(tcx, trait_ref) {
215         // This is a local or fundamental trait, so future-compatibility
216         // is no concern. We know that downstream/cousin crates are not
217         // allowed to implement a substitution of this trait ref, which
218         // means impls could only come from dependencies of this crate,
219         // which we already know about.
220         return None;
221     }
222
223     // This is a remote non-fundamental trait, so if another crate
224     // can be the "final owner" of a substitution of this trait-ref,
225     // they are allowed to implement it future-compatibly.
226     //
227     // However, if we are a final owner, then nobody else can be,
228     // and if we are an intermediate owner, then we don't care
229     // about future-compatibility, which means that we're OK if
230     // we are an owner.
231     if orphan_check_trait_ref(tcx, trait_ref, InCrate::Local).is_ok() {
232         debug!("trait_ref_is_knowable: orphan check passed");
233         None
234     } else {
235         debug!("trait_ref_is_knowable: nonlocal, nonfundamental, unowned");
236         Some(Conflict::Upstream)
237     }
238 }
239
240 pub fn trait_ref_is_local_or_fundamental<'tcx>(
241     tcx: TyCtxt<'tcx>,
242     trait_ref: ty::TraitRef<'tcx>,
243 ) -> bool {
244     trait_ref.def_id.krate == LOCAL_CRATE || tcx.has_attr(trait_ref.def_id, sym::fundamental)
245 }
246
247 pub enum OrphanCheckErr<'tcx> {
248     NonLocalInputType(Vec<(Ty<'tcx>, bool /* Is this the first input type? */)>),
249     UncoveredTy(Ty<'tcx>, Option<Ty<'tcx>>),
250 }
251
252 /// Checks the coherence orphan rules. `impl_def_id` should be the
253 /// `DefId` of a trait impl. To pass, either the trait must be local, or else
254 /// two conditions must be satisfied:
255 ///
256 /// 1. All type parameters in `Self` must be "covered" by some local type constructor.
257 /// 2. Some local type must appear in `Self`.
258 pub fn orphan_check(tcx: TyCtxt<'_>, impl_def_id: DefId) -> Result<(), OrphanCheckErr<'_>> {
259     debug!("orphan_check({:?})", impl_def_id);
260
261     // We only except this routine to be invoked on implementations
262     // of a trait, not inherent implementations.
263     let trait_ref = tcx.impl_trait_ref(impl_def_id).unwrap();
264     debug!("orphan_check: trait_ref={:?}", trait_ref);
265
266     // If the *trait* is local to the crate, ok.
267     if trait_ref.def_id.is_local() {
268         debug!("trait {:?} is local to current crate", trait_ref.def_id);
269         return Ok(());
270     }
271
272     orphan_check_trait_ref(tcx, trait_ref, InCrate::Local)
273 }
274
275 /// Checks whether a trait-ref is potentially implementable by a crate.
276 ///
277 /// The current rule is that a trait-ref orphan checks in a crate C:
278 ///
279 /// 1. Order the parameters in the trait-ref in subst order - Self first,
280 ///    others linearly (e.g., `<U as Foo<V, W>>` is U < V < W).
281 /// 2. Of these type parameters, there is at least one type parameter
282 ///    in which, walking the type as a tree, you can reach a type local
283 ///    to C where all types in-between are fundamental types. Call the
284 ///    first such parameter the "local key parameter".
285 ///     - e.g., `Box<LocalType>` is OK, because you can visit LocalType
286 ///       going through `Box`, which is fundamental.
287 ///     - similarly, `FundamentalPair<Vec<()>, Box<LocalType>>` is OK for
288 ///       the same reason.
289 ///     - but (knowing that `Vec<T>` is non-fundamental, and assuming it's
290 ///       not local), `Vec<LocalType>` is bad, because `Vec<->` is between
291 ///       the local type and the type parameter.
292 /// 3. Every type parameter before the local key parameter is fully known in C.
293 ///     - e.g., `impl<T> T: Trait<LocalType>` is bad, because `T` might be
294 ///       an unknown type.
295 ///     - but `impl<T> LocalType: Trait<T>` is OK, because `LocalType`
296 ///       occurs before `T`.
297 /// 4. Every type in the local key parameter not known in C, going
298 ///    through the parameter's type tree, must appear only as a subtree of
299 ///    a type local to C, with only fundamental types between the type
300 ///    local to C and the local key parameter.
301 ///     - e.g., `Vec<LocalType<T>>>` (or equivalently `Box<Vec<LocalType<T>>>`)
302 ///     is bad, because the only local type with `T` as a subtree is
303 ///     `LocalType<T>`, and `Vec<->` is between it and the type parameter.
304 ///     - similarly, `FundamentalPair<LocalType<T>, T>` is bad, because
305 ///     the second occurrence of `T` is not a subtree of *any* local type.
306 ///     - however, `LocalType<Vec<T>>` is OK, because `T` is a subtree of
307 ///     `LocalType<Vec<T>>`, which is local and has no types between it and
308 ///     the type parameter.
309 ///
310 /// The orphan rules actually serve several different purposes:
311 ///
312 /// 1. They enable link-safety - i.e., 2 mutually-unknowing crates (where
313 ///    every type local to one crate is unknown in the other) can't implement
314 ///    the same trait-ref. This follows because it can be seen that no such
315 ///    type can orphan-check in 2 such crates.
316 ///
317 ///    To check that a local impl follows the orphan rules, we check it in
318 ///    InCrate::Local mode, using type parameters for the "generic" types.
319 ///
320 /// 2. They ground negative reasoning for coherence. If a user wants to
321 ///    write both a conditional blanket impl and a specific impl, we need to
322 ///    make sure they do not overlap. For example, if we write
323 ///    ```
324 ///    impl<T> IntoIterator for Vec<T>
325 ///    impl<T: Iterator> IntoIterator for T
326 ///    ```
327 ///    We need to be able to prove that `Vec<$0>: !Iterator` for every type $0.
328 ///    We can observe that this holds in the current crate, but we need to make
329 ///    sure this will also hold in all unknown crates (both "independent" crates,
330 ///    which we need for link-safety, and also child crates, because we don't want
331 ///    child crates to get error for impl conflicts in a *dependency*).
332 ///
333 ///    For that, we only allow negative reasoning if, for every assignment to the
334 ///    inference variables, every unknown crate would get an orphan error if they
335 ///    try to implement this trait-ref. To check for this, we use InCrate::Remote
336 ///    mode. That is sound because we already know all the impls from known crates.
337 ///
338 /// 3. For non-`#[fundamental]` traits, they guarantee that parent crates can
339 ///    add "non-blanket" impls without breaking negative reasoning in dependent
340 ///    crates. This is the "rebalancing coherence" (RFC 1023) restriction.
341 ///
342 ///    For that, we only a allow crate to perform negative reasoning on
343 ///    non-local-non-`#[fundamental]` only if there's a local key parameter as per (2).
344 ///
345 ///    Because we never perform negative reasoning generically (coherence does
346 ///    not involve type parameters), this can be interpreted as doing the full
347 ///    orphan check (using InCrate::Local mode), substituting non-local known
348 ///    types for all inference variables.
349 ///
350 ///    This allows for crates to future-compatibly add impls as long as they
351 ///    can't apply to types with a key parameter in a child crate - applying
352 ///    the rules, this basically means that every type parameter in the impl
353 ///    must appear behind a non-fundamental type (because this is not a
354 ///    type-system requirement, crate owners might also go for "semantic
355 ///    future-compatibility" involving things such as sealed traits, but
356 ///    the above requirement is sufficient, and is necessary in "open world"
357 ///    cases).
358 ///
359 /// Note that this function is never called for types that have both type
360 /// parameters and inference variables.
361 fn orphan_check_trait_ref<'tcx>(
362     tcx: TyCtxt<'tcx>,
363     trait_ref: ty::TraitRef<'tcx>,
364     in_crate: InCrate,
365 ) -> Result<(), OrphanCheckErr<'tcx>> {
366     debug!("orphan_check_trait_ref(trait_ref={:?}, in_crate={:?})", trait_ref, in_crate);
367
368     if trait_ref.needs_infer() && trait_ref.needs_subst() {
369         bug!(
370             "can't orphan check a trait ref with both params and inference variables {:?}",
371             trait_ref
372         );
373     }
374
375     // Given impl<P1..=Pn> Trait<T1..=Tn> for T0, an impl is valid only
376     // if at least one of the following is true:
377     //
378     // - Trait is a local trait
379     // (already checked in orphan_check prior to calling this function)
380     // - All of
381     //     - At least one of the types T0..=Tn must be a local type.
382     //      Let Ti be the first such type.
383     //     - No uncovered type parameters P1..=Pn may appear in T0..Ti (excluding Ti)
384     //
385     fn uncover_fundamental_ty<'tcx>(
386         tcx: TyCtxt<'tcx>,
387         ty: Ty<'tcx>,
388         in_crate: InCrate,
389     ) -> Vec<Ty<'tcx>> {
390         // FIXME(eddyb) figure out if this is redundant with `ty_is_non_local`,
391         // or maybe if this should be calling `ty_is_non_local_constructor`.
392         if ty_is_non_local(tcx, ty, in_crate).is_some() {
393             if let Some(inner_tys) = fundamental_ty_inner_tys(tcx, ty) {
394                 return inner_tys
395                     .flat_map(|ty| uncover_fundamental_ty(tcx, ty, in_crate))
396                     .collect();
397             }
398         }
399
400         vec![ty]
401     }
402
403     let mut non_local_spans = vec![];
404     for (i, input_ty) in trait_ref
405         .substs
406         .types()
407         .flat_map(|ty| uncover_fundamental_ty(tcx, ty, in_crate))
408         .enumerate()
409     {
410         debug!("orphan_check_trait_ref: check ty `{:?}`", input_ty);
411         let non_local_tys = ty_is_non_local(tcx, input_ty, in_crate);
412         if non_local_tys.is_none() {
413             debug!("orphan_check_trait_ref: ty_is_local `{:?}`", input_ty);
414             return Ok(());
415         } else if let ty::Param(_) = input_ty.kind {
416             debug!("orphan_check_trait_ref: uncovered ty: `{:?}`", input_ty);
417             let local_type = trait_ref
418                 .substs
419                 .types()
420                 .flat_map(|ty| uncover_fundamental_ty(tcx, ty, in_crate))
421                 .find(|ty| ty_is_non_local_constructor(ty, in_crate).is_none());
422
423             debug!("orphan_check_trait_ref: uncovered ty local_type: `{:?}`", local_type);
424
425             return Err(OrphanCheckErr::UncoveredTy(input_ty, local_type));
426         }
427         if let Some(non_local_tys) = non_local_tys {
428             for input_ty in non_local_tys {
429                 non_local_spans.push((input_ty, i == 0));
430             }
431         }
432     }
433     // If we exit above loop, never found a local type.
434     debug!("orphan_check_trait_ref: no local type");
435     Err(OrphanCheckErr::NonLocalInputType(non_local_spans))
436 }
437
438 fn ty_is_non_local(tcx: TyCtxt<'tcx>, ty: Ty<'tcx>, in_crate: InCrate) -> Option<Vec<Ty<'tcx>>> {
439     match ty_is_non_local_constructor(ty, in_crate) {
440         Some(ty) => {
441             if let Some(inner_tys) = fundamental_ty_inner_tys(tcx, ty) {
442                 let tys: Vec<_> = inner_tys
443                     .filter_map(|ty| ty_is_non_local(tcx, ty, in_crate))
444                     .flatten()
445                     .collect();
446                 if tys.is_empty() { None } else { Some(tys) }
447             } else {
448                 Some(vec![ty])
449             }
450         }
451         None => None,
452     }
453 }
454
455 /// For `#[fundamental]` ADTs and `&T` / `&mut T`, returns `Some` with the
456 /// type parameters of the ADT, or `T`, respectively. For non-fundamental
457 /// types, returns `None`.
458 fn fundamental_ty_inner_tys(
459     tcx: TyCtxt<'tcx>,
460     ty: Ty<'tcx>,
461 ) -> Option<impl Iterator<Item = Ty<'tcx>>> {
462     let (first_ty, rest_tys) = match ty.kind {
463         ty::Ref(_, ty, _) => (ty, ty::subst::InternalSubsts::empty().types()),
464         ty::Adt(def, substs) if def.is_fundamental() => {
465             let mut types = substs.types();
466
467             // FIXME(eddyb) actually validate `#[fundamental]` up-front.
468             match types.next() {
469                 None => {
470                     tcx.sess.span_err(
471                         tcx.def_span(def.did),
472                         "`#[fundamental]` requires at least one type parameter",
473                     );
474
475                     return None;
476                 }
477
478                 Some(first_ty) => (first_ty, types),
479             }
480         }
481         _ => return None,
482     };
483
484     Some(iter::once(first_ty).chain(rest_tys))
485 }
486
487 fn def_id_is_local(def_id: DefId, in_crate: InCrate) -> bool {
488     match in_crate {
489         // The type is local to *this* crate - it will not be
490         // local in any other crate.
491         InCrate::Remote => false,
492         InCrate::Local => def_id.is_local(),
493     }
494 }
495
496 // FIXME(eddyb) this can just return `bool` as it always returns `Some(ty)` or `None`.
497 fn ty_is_non_local_constructor(ty: Ty<'_>, in_crate: InCrate) -> Option<Ty<'_>> {
498     debug!("ty_is_non_local_constructor({:?})", ty);
499
500     match ty.kind {
501         ty::Bool
502         | ty::Char
503         | ty::Int(..)
504         | ty::Uint(..)
505         | ty::Float(..)
506         | ty::Str
507         | ty::FnDef(..)
508         | ty::FnPtr(_)
509         | ty::Array(..)
510         | ty::Slice(..)
511         | ty::RawPtr(..)
512         | ty::Ref(..)
513         | ty::Never
514         | ty::Tuple(..)
515         | ty::Param(..)
516         | ty::Projection(..) => Some(ty),
517
518         ty::Placeholder(..) | ty::Bound(..) | ty::Infer(..) => match in_crate {
519             InCrate::Local => Some(ty),
520             // The inference variable might be unified with a local
521             // type in that remote crate.
522             InCrate::Remote => None,
523         },
524
525         ty::Adt(def, _) => {
526             if def_id_is_local(def.did, in_crate) {
527                 None
528             } else {
529                 Some(ty)
530             }
531         }
532         ty::Foreign(did) => {
533             if def_id_is_local(did, in_crate) {
534                 None
535             } else {
536                 Some(ty)
537             }
538         }
539         ty::Opaque(..) => {
540             // This merits some explanation.
541             // Normally, opaque types are not involed when performing
542             // coherence checking, since it is illegal to directly
543             // implement a trait on an opaque type. However, we might
544             // end up looking at an opaque type during coherence checking
545             // if an opaque type gets used within another type (e.g. as
546             // a type parameter). This requires us to decide whether or
547             // not an opaque type should be considered 'local' or not.
548             //
549             // We choose to treat all opaque types as non-local, even
550             // those that appear within the same crate. This seems
551             // somewhat surprising at first, but makes sense when
552             // you consider that opaque types are supposed to hide
553             // the underlying type *within the same crate*. When an
554             // opaque type is used from outside the module
555             // where it is declared, it should be impossible to observe
556             // anyything about it other than the traits that it implements.
557             //
558             // The alternative would be to look at the underlying type
559             // to determine whether or not the opaque type itself should
560             // be considered local. However, this could make it a breaking change
561             // to switch the underlying ('defining') type from a local type
562             // to a remote type. This would violate the rule that opaque
563             // types should be completely opaque apart from the traits
564             // that they implement, so we don't use this behavior.
565             Some(ty)
566         }
567
568         ty::Dynamic(ref tt, ..) => {
569             if let Some(principal) = tt.principal() {
570                 if def_id_is_local(principal.def_id(), in_crate) { None } else { Some(ty) }
571             } else {
572                 Some(ty)
573             }
574         }
575
576         ty::Error(_) => None,
577
578         ty::Closure(..) | ty::Generator(..) | ty::GeneratorWitness(..) => {
579             bug!("ty_is_local invoked on unexpected type: {:?}", ty)
580         }
581     }
582 }