1//! A visiting traversal mechanism for complex data structures that contain type
2//! information.
3//!
4//! This is a read-only traversal of the data structure.
5//!
6//! This traversal has limited flexibility. Only a small number of "types of
7//! interest" within the complex data structures can receive custom
8//! visitation. These are the ones containing the most important type-related
9//! information, such as `Ty`, `Predicate`, `Region`, and `Const`.
10//!
11//! There are three traits involved in each traversal.
12//! - `TypeVisitable`. This is implemented once for many types, including:
13//! - Types of interest, for which the methods delegate to the visitor.
14//! - All other types, including generic containers like `Vec` and `Option`.
15//! It defines a "skeleton" of how they should be visited.
16//! - `TypeSuperVisitable`. This is implemented only for recursive types of
17//! interest, and defines the visiting "skeleton" for these types. (This
18//! excludes `Region` because it is non-recursive, i.e. it never contains
19//! other types of interest.)
20//! - `TypeVisitor`. This is implemented for each visitor. This defines how
21//! types of interest are visited.
22//!
23//! This means each visit is a mixture of (a) generic visiting operations, and (b)
24//! custom visit operations that are specific to the visitor.
25//! - The `TypeVisitable` impls handle most of the traversal, and call into
26//! `TypeVisitor` when they encounter a type of interest.
27//! - A `TypeVisitor` may call into another `TypeVisitable` impl, because some of
28//! the types of interest are recursive and can contain other types of interest.
29//! - A `TypeVisitor` may also call into a `TypeSuperVisitable` impl, because each
30//! visitor might provide custom handling only for some types of interest, or
31//! only for some variants of each type of interest, and then use default
32//! traversal for the remaining cases.
33//!
34//! For example, if you have `struct S(Ty, U)` where `S: TypeVisitable` and `U:
35//! TypeVisitable`, and an instance `s = S(ty, u)`, it would be visited like so:
36//! ```text
37//! s.visit_with(visitor) calls
38//! - ty.visit_with(visitor) calls
39//! - visitor.visit_ty(ty) may call
40//! - ty.super_visit_with(visitor)
41//! - u.visit_with(visitor)
42//! ```
4344use std::fmt;
45use std::ops::ControlFlow;
46use std::sync::Arc;
4748pub use rustc_ast_ir::visit::VisitorResult;
49pub use rustc_ast_ir::{try_visit, walk_visitable_list};
50use rustc_index::{Idx, IndexVec};
51use smallvec::SmallVec;
52use thin_vec::ThinVec;
5354use crate::inherent::*;
55use crate::{selfas ty, Interner, TypeFlags};
5657/// This trait is implemented for every type that can be visited,
58/// providing the skeleton of the traversal.
59///
60/// To implement this conveniently, use the derive macro located in
61/// `rustc_macros`.
62pub trait TypeVisitable<I: Interner>: fmt::Debug {
63/// The entry point for visiting. To visit a value `t` with a visitor `v`
64 /// call: `t.visit_with(v)`.
65 ///
66 /// For most types, this just traverses the value, calling `visit_with` on
67 /// each field/element.
68 ///
69 /// For types of interest (such as `Ty`), the implementation of this method
70 /// that calls a visitor method specifically for that type (such as
71 /// `V::visit_ty`). This is where control transfers from `TypeVisitable` to
72 /// `TypeVisitor`.
73fn visit_with<V: TypeVisitor<I>>(&self, visitor: &mut V) -> V::Result;
74}
7576// This trait is implemented for types of interest.
77pub trait TypeSuperVisitable<I: Interner>: TypeVisitable<I> {
78/// Provides a default visit for a recursive type of interest. This should
79 /// only be called within `TypeVisitor` methods, when a non-custom
80 /// traversal is desired for the value of the type of interest passed to
81 /// that method. For example, in `MyVisitor::visit_ty(ty)`, it is valid to
82 /// call `ty.super_visit_with(self)`, but any other visiting should be done
83 /// with `xyz.visit_with(self)`.
84fn super_visit_with<V: TypeVisitor<I>>(&self, visitor: &mut V) -> V::Result;
85}
8687/// This trait is implemented for every visiting traversal. There is a visit
88/// method defined for every type of interest. Each such method has a default
89/// that recurses into the type's fields in a non-custom fashion.
90pub trait TypeVisitor<I: Interner>: Sized {
91#[cfg(feature = "nightly")]
92type Result: VisitorResult = ();
9394#[cfg(not(feature = "nightly"))]
95type Result: VisitorResult;
9697fn visit_binder<T: TypeVisitable<I>>(&mut self, t: &ty::Binder<I, T>) -> Self::Result {
98t.super_visit_with(self)
99 }
100101fn visit_ty(&mut self, t: I::Ty) -> Self::Result {
102t.super_visit_with(self)
103 }
104105// The default region visitor is a no-op because `Region` is non-recursive
106 // and has no `super_visit_with` method to call.
107fn visit_region(&mut self, r: I::Region) -> Self::Result {
108if let ty::ReError(guar) = r.kind() {
109self.visit_error(guar)
110 } else {
111Self::Result::output()
112 }
113 }
114115fn visit_const(&mut self, c: I::Const) -> Self::Result {
116c.super_visit_with(self)
117 }
118119fn visit_predicate(&mut self, p: I::Predicate) -> Self::Result {
120p.super_visit_with(self)
121 }
122123fn visit_clauses(&mut self, c: I::Clauses) -> Self::Result {
124c.super_visit_with(self)
125 }
126127fn visit_error(&mut self, _guar: I::ErrorGuaranteed) -> Self::Result {
128Self::Result::output()
129 }
130}
131132///////////////////////////////////////////////////////////////////////////
133// Traversal implementations.
134135impl<I: Interner, T: TypeVisitable<I>, U: TypeVisitable<I>> TypeVisitable<I> for (T, U) {
136fn visit_with<V: TypeVisitor<I>>(&self, visitor: &mut V) -> V::Result {
137match ::rustc_ast_ir::visit::VisitorResult::branch(self.0.visit_with(visitor))
{
core::ops::ControlFlow::Continue(()) =>
(),
#[allow(unreachable_code)]
core::ops::ControlFlow::Break(r) => {
return ::rustc_ast_ir::visit::VisitorResult::from_residual(r);
}
};try_visit!(self.0.visit_with(visitor));
138self.1.visit_with(visitor)
139 }
140}
141142impl<I: Interner, A: TypeVisitable<I>, B: TypeVisitable<I>, C: TypeVisitable<I>> TypeVisitable<I>
143for (A, B, C)
144{
145fn visit_with<V: TypeVisitor<I>>(&self, visitor: &mut V) -> V::Result {
146match ::rustc_ast_ir::visit::VisitorResult::branch(self.0.visit_with(visitor))
{
core::ops::ControlFlow::Continue(()) =>
(),
#[allow(unreachable_code)]
core::ops::ControlFlow::Break(r) => {
return ::rustc_ast_ir::visit::VisitorResult::from_residual(r);
}
};try_visit!(self.0.visit_with(visitor));
147match ::rustc_ast_ir::visit::VisitorResult::branch(self.1.visit_with(visitor))
{
core::ops::ControlFlow::Continue(()) =>
(),
#[allow(unreachable_code)]
core::ops::ControlFlow::Break(r) => {
return ::rustc_ast_ir::visit::VisitorResult::from_residual(r);
}
};try_visit!(self.1.visit_with(visitor));
148self.2.visit_with(visitor)
149 }
150}
151152impl<I: Interner, T: TypeVisitable<I>> TypeVisitable<I> for Option<T> {
153fn visit_with<V: TypeVisitor<I>>(&self, visitor: &mut V) -> V::Result {
154match self {
155Some(v) => v.visit_with(visitor),
156None => V::Result::output(),
157 }
158 }
159}
160161impl<I: Interner, T: TypeVisitable<I>, E: TypeVisitable<I>> TypeVisitable<I> for Result<T, E> {
162fn visit_with<V: TypeVisitor<I>>(&self, visitor: &mut V) -> V::Result {
163match self {
164Ok(v) => v.visit_with(visitor),
165Err(e) => e.visit_with(visitor),
166 }
167 }
168}
169170impl<I: Interner, T: TypeVisitable<I>> TypeVisitable<I> for Arc<T> {
171fn visit_with<V: TypeVisitor<I>>(&self, visitor: &mut V) -> V::Result {
172 (**self).visit_with(visitor)
173 }
174}
175176impl<I: Interner, T: TypeVisitable<I>> TypeVisitable<I> for Box<T> {
177fn visit_with<V: TypeVisitor<I>>(&self, visitor: &mut V) -> V::Result {
178 (**self).visit_with(visitor)
179 }
180}
181182impl<I: Interner, T: TypeVisitable<I>> TypeVisitable<I> for Vec<T> {
183fn visit_with<V: TypeVisitor<I>>(&self, visitor: &mut V) -> V::Result {
184for elem in self.iter() {
match ::rustc_ast_ir::visit::VisitorResult::branch(elem.visit_with(visitor))
{
core::ops::ControlFlow::Continue(()) =>
(),
#[allow(unreachable_code)]
core::ops::ControlFlow::Break(r) => {
return ::rustc_ast_ir::visit::VisitorResult::from_residual(r);
}
};
};walk_visitable_list!(visitor, self.iter());
185 V::Result::output()
186 }
187}
188189impl<I: Interner, T: TypeVisitable<I>> TypeVisitable<I> for ThinVec<T> {
190fn visit_with<V: TypeVisitor<I>>(&self, visitor: &mut V) -> V::Result {
191for elem in self.iter() {
match ::rustc_ast_ir::visit::VisitorResult::branch(elem.visit_with(visitor))
{
core::ops::ControlFlow::Continue(()) =>
(),
#[allow(unreachable_code)]
core::ops::ControlFlow::Break(r) => {
return ::rustc_ast_ir::visit::VisitorResult::from_residual(r);
}
};
};walk_visitable_list!(visitor, self.iter());
192 V::Result::output()
193 }
194}
195196impl<I: Interner, T: TypeVisitable<I>, const N: usize> TypeVisitable<I> for SmallVec<[T; N]> {
197fn visit_with<V: TypeVisitor<I>>(&self, visitor: &mut V) -> V::Result {
198for elem in self.iter() {
match ::rustc_ast_ir::visit::VisitorResult::branch(elem.visit_with(visitor))
{
core::ops::ControlFlow::Continue(()) =>
(),
#[allow(unreachable_code)]
core::ops::ControlFlow::Break(r) => {
return ::rustc_ast_ir::visit::VisitorResult::from_residual(r);
}
};
};walk_visitable_list!(visitor, self.iter());
199 V::Result::output()
200 }
201}
202203// `TypeFoldable` isn't impl'd for `&[T]`. It doesn't make sense in the general
204// case, because we can't return a new slice. But note that there are a couple
205// of trivial impls of `TypeFoldable` for specific slice types elsewhere.
206impl<I: Interner, T: TypeVisitable<I>> TypeVisitable<I> for &[T] {
207fn visit_with<V: TypeVisitor<I>>(&self, visitor: &mut V) -> V::Result {
208for elem in self.iter() {
match ::rustc_ast_ir::visit::VisitorResult::branch(elem.visit_with(visitor))
{
core::ops::ControlFlow::Continue(()) =>
(),
#[allow(unreachable_code)]
core::ops::ControlFlow::Break(r) => {
return ::rustc_ast_ir::visit::VisitorResult::from_residual(r);
}
};
};walk_visitable_list!(visitor, self.iter());
209 V::Result::output()
210 }
211}
212213impl<I: Interner, T: TypeVisitable<I>> TypeVisitable<I> for Box<[T]> {
214fn visit_with<V: TypeVisitor<I>>(&self, visitor: &mut V) -> V::Result {
215for elem in self.iter() {
match ::rustc_ast_ir::visit::VisitorResult::branch(elem.visit_with(visitor))
{
core::ops::ControlFlow::Continue(()) =>
(),
#[allow(unreachable_code)]
core::ops::ControlFlow::Break(r) => {
return ::rustc_ast_ir::visit::VisitorResult::from_residual(r);
}
};
};walk_visitable_list!(visitor, self.iter());
216 V::Result::output()
217 }
218}
219220impl<I: Interner, T: TypeVisitable<I>, Ix: Idx> TypeVisitable<I> for IndexVec<Ix, T> {
221fn visit_with<V: TypeVisitor<I>>(&self, visitor: &mut V) -> V::Result {
222for elem in self.iter() {
match ::rustc_ast_ir::visit::VisitorResult::branch(elem.visit_with(visitor))
{
core::ops::ControlFlow::Continue(()) =>
(),
#[allow(unreachable_code)]
core::ops::ControlFlow::Break(r) => {
return ::rustc_ast_ir::visit::VisitorResult::from_residual(r);
}
};
};walk_visitable_list!(visitor, self.iter());
223 V::Result::output()
224 }
225}
226227impl<I: Interner, T: TypeVisitable<I>, S> TypeVisitable<I> for indexmap::IndexSet<T, S> {
228fn visit_with<V: TypeVisitor<I>>(&self, visitor: &mut V) -> V::Result {
229for elem in self.iter() {
match ::rustc_ast_ir::visit::VisitorResult::branch(elem.visit_with(visitor))
{
core::ops::ControlFlow::Continue(()) =>
(),
#[allow(unreachable_code)]
core::ops::ControlFlow::Break(r) => {
return ::rustc_ast_ir::visit::VisitorResult::from_residual(r);
}
};
};walk_visitable_list!(visitor, self.iter());
230 V::Result::output()
231 }
232}
233234pub trait Flags {
235fn flags(&self) -> TypeFlags;
236fn outer_exclusive_binder(&self) -> ty::DebruijnIndex;
237}
238239pub trait TypeVisitableExt<I: Interner>: TypeVisitable<I> {
240fn has_type_flags(&self, flags: TypeFlags) -> bool;
241242/// Returns `true` if `self` has any late-bound regions that are either
243 /// bound by `binder` or bound by some binder outside of `binder`.
244 /// If `binder` is `ty::INNERMOST`, this indicates whether
245 /// there are any late-bound regions that appear free.
246fn has_vars_bound_at_or_above(&self, binder: ty::DebruijnIndex) -> bool;
247248/// Returns `true` if this type has any regions that escape `binder` (and
249 /// hence are not bound by it).
250fn has_vars_bound_above(&self, binder: ty::DebruijnIndex) -> bool {
251self.has_vars_bound_at_or_above(binder.shifted_in(1))
252 }
253254/// Return `true` if this type has regions that are not a part of the type.
255 /// For example, `for<'a> fn(&'a i32)` return `false`, while `fn(&'a i32)`
256 /// would return `true`. The latter can occur when traversing through the
257 /// former.
258 ///
259 /// See [`HasEscapingVarsVisitor`] for more information.
260fn has_escaping_bound_vars(&self) -> bool {
261self.has_vars_bound_at_or_above(ty::INNERMOST)
262 }
263264fn has_aliases(&self) -> bool {
265self.has_type_flags(TypeFlags::HAS_ALIAS)
266 }
267268fn has_opaque_types(&self) -> bool {
269self.has_type_flags(TypeFlags::HAS_TY_OPAQUE)
270 }
271272fn has_coroutines(&self) -> bool {
273self.has_type_flags(TypeFlags::HAS_TY_CORO)
274 }
275276fn references_error(&self) -> bool {
277self.has_type_flags(TypeFlags::HAS_ERROR)
278 }
279280fn error_reported(&self) -> Result<(), I::ErrorGuaranteed>;
281282fn non_region_error_reported(&self) -> Result<(), I::ErrorGuaranteed>;
283284fn has_non_region_param(&self) -> bool {
285self.has_type_flags(TypeFlags::HAS_PARAM - TypeFlags::HAS_RE_PARAM)
286 }
287288fn has_infer_regions(&self) -> bool {
289self.has_type_flags(TypeFlags::HAS_RE_INFER)
290 }
291292fn has_infer_types(&self) -> bool {
293self.has_type_flags(TypeFlags::HAS_TY_INFER)
294 }
295296fn has_non_region_infer(&self) -> bool {
297self.has_type_flags(TypeFlags::HAS_INFER - TypeFlags::HAS_RE_INFER)
298 }
299300fn has_infer(&self) -> bool {
301self.has_type_flags(TypeFlags::HAS_INFER)
302 }
303304fn has_placeholders(&self) -> bool {
305self.has_type_flags(TypeFlags::HAS_PLACEHOLDER)
306 }
307308fn has_non_region_placeholders(&self) -> bool {
309self.has_type_flags(TypeFlags::HAS_PLACEHOLDER - TypeFlags::HAS_RE_PLACEHOLDER)
310 }
311312fn has_param(&self) -> bool {
313self.has_type_flags(TypeFlags::HAS_PARAM)
314 }
315316/// "Free" regions in this context means that it has any region
317 /// that is not (a) erased or (b) late-bound.
318fn has_free_regions(&self) -> bool {
319self.has_type_flags(TypeFlags::HAS_FREE_REGIONS)
320 }
321322fn has_erased_regions(&self) -> bool {
323self.has_type_flags(TypeFlags::HAS_RE_ERASED)
324 }
325326/// True if there are any un-erased free regions.
327fn has_erasable_regions(&self) -> bool {
328self.has_type_flags(TypeFlags::HAS_FREE_REGIONS)
329 }
330331/// Indicates whether this value references only 'global'
332 /// generic parameters that are the same regardless of what fn we are
333 /// in. This is used for caching.
334fn is_global(&self) -> bool {
335 !self.has_type_flags(TypeFlags::HAS_FREE_LOCAL_NAMES)
336 }
337338/// True if there are any late-bound regions
339fn has_bound_regions(&self) -> bool {
340self.has_type_flags(TypeFlags::HAS_RE_BOUND)
341 }
342/// True if there are any late-bound non-region variables
343fn has_non_region_bound_vars(&self) -> bool {
344self.has_type_flags(TypeFlags::HAS_BOUND_VARS - TypeFlags::HAS_RE_BOUND)
345 }
346/// True if there are any bound variables
347fn has_bound_vars(&self) -> bool {
348self.has_type_flags(TypeFlags::HAS_BOUND_VARS)
349 }
350351/// Indicates whether this value still has parameters/placeholders/inference variables
352 /// which could be replaced later, in a way that would change the results of `impl`
353 /// specialization.
354fn still_further_specializable(&self) -> bool {
355self.has_type_flags(TypeFlags::STILL_FURTHER_SPECIALIZABLE)
356 }
357358/// True if a type or const error is reachable
359fn has_non_region_error(&self) -> bool {
360self.has_type_flags(TypeFlags::HAS_NON_REGION_ERROR)
361 }
362}
363364impl<I: Interner, T: TypeVisitable<I>> TypeVisitableExt<I> for T {
365fn has_type_flags(&self, flags: TypeFlags) -> bool {
366let res =
367self.visit_with(&mut HasTypeFlagsVisitor { flags }) == ControlFlow::Break(FoundFlags);
368res369 }
370371fn has_vars_bound_at_or_above(&self, binder: ty::DebruijnIndex) -> bool {
372self.visit_with(&mut HasEscapingVarsVisitor { outer_index: binder }).is_break()
373 }
374375fn error_reported(&self) -> Result<(), I::ErrorGuaranteed> {
376if self.references_error() {
377if let ControlFlow::Break(guar) = self.visit_with(&mut HasErrorVisitor) {
378Err(guar)
379 } else {
380{
::core::panicking::panic_fmt(format_args!("type flags said there was an error, but now there is not"));
}panic!("type flags said there was an error, but now there is not")381 }
382 } else {
383Ok(())
384 }
385 }
386387fn non_region_error_reported(&self) -> Result<(), I::ErrorGuaranteed> {
388if self.has_non_region_error() {
389if let ControlFlow::Break(guar) = self.visit_with(&mut HasErrorVisitor) {
390Err(guar)
391 } else {
392{
::core::panicking::panic_fmt(format_args!("type flags said there was an non region error, but now there is not"));
}panic!("type flags said there was an non region error, but now there is not")393 }
394 } else {
395Ok(())
396 }
397 }
398}
399400#[derive(#[automatically_derived]
impl ::core::fmt::Debug for FoundFlags {
#[inline]
fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
::core::fmt::Formatter::write_str(f, "FoundFlags")
}
}Debug, #[automatically_derived]
impl ::core::cmp::PartialEq for FoundFlags {
#[inline]
fn eq(&self, other: &FoundFlags) -> bool { true }
}PartialEq, #[automatically_derived]
impl ::core::cmp::Eq for FoundFlags {
#[inline]
#[doc(hidden)]
#[coverage(off)]
fn assert_fields_are_eq(&self) {}
}Eq, #[automatically_derived]
impl ::core::marker::Copy for FoundFlags { }Copy, #[automatically_derived]
impl ::core::clone::Clone for FoundFlags {
#[inline]
fn clone(&self) -> FoundFlags { *self }
}Clone)]
401struct FoundFlags;
402403// FIXME: Optimize for checking for infer flags
404struct HasTypeFlagsVisitor {
405 flags: ty::TypeFlags,
406}
407408impl std::fmt::Debugfor HasTypeFlagsVisitor {
409fn fmt(&self, fmt: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
410self.flags.fmt(fmt)
411 }
412}
413414// Note: this visitor traverses values down to the level of
415// `Ty`/`Const`/`Predicate`, but not within those types. This is because the
416// type flags at the outer layer are enough. So it's faster than it first
417// looks, particular for `Ty`/`Predicate` where it's just a field access.
418//
419// N.B. The only case where this isn't totally true is binders, which also
420// add `HAS_BINDER_VARS` flag depending on the *bound variables* that
421// are present, regardless of whether those bound variables are used. This
422// is important for anonymization of binders in `TyCtxt::erase_and_anonymize_regions`. We
423// specifically detect this case in `visit_binder`.
424impl<I: Interner> TypeVisitor<I> for HasTypeFlagsVisitor {
425type Result = ControlFlow<FoundFlags>;
426427fn visit_binder<T: TypeVisitable<I>>(&mut self, t: &ty::Binder<I, T>) -> Self::Result {
428// If we're looking for the HAS_BINDER_VARS flag, check if the
429 // binder has vars. This won't be present in the binder's bound
430 // value, so we need to check here too.
431if self.flags.intersects(TypeFlags::HAS_BINDER_VARS) && !t.bound_vars().is_empty() {
432return ControlFlow::Break(FoundFlags);
433 }
434435t.super_visit_with(self)
436 }
437438#[inline]
439fn visit_ty(&mut self, t: I::Ty) -> Self::Result {
440// Note: no `super_visit_with` call.
441let flags = t.flags();
442if flags.intersects(self.flags) {
443 ControlFlow::Break(FoundFlags)
444 } else {
445 ControlFlow::Continue(())
446 }
447 }
448449#[inline]
450fn visit_region(&mut self, r: I::Region) -> Self::Result {
451// Note: no `super_visit_with` call, as usual for `Region`.
452let flags = r.flags();
453if flags.intersects(self.flags) {
454 ControlFlow::Break(FoundFlags)
455 } else {
456 ControlFlow::Continue(())
457 }
458 }
459460#[inline]
461fn visit_const(&mut self, c: I::Const) -> Self::Result {
462// Note: no `super_visit_with` call.
463if c.flags().intersects(self.flags) {
464 ControlFlow::Break(FoundFlags)
465 } else {
466 ControlFlow::Continue(())
467 }
468 }
469470#[inline]
471fn visit_predicate(&mut self, predicate: I::Predicate) -> Self::Result {
472// Note: no `super_visit_with` call.
473if predicate.flags().intersects(self.flags) {
474 ControlFlow::Break(FoundFlags)
475 } else {
476 ControlFlow::Continue(())
477 }
478 }
479480#[inline]
481fn visit_clauses(&mut self, clauses: I::Clauses) -> Self::Result {
482// Note: no `super_visit_with` call.
483if clauses.flags().intersects(self.flags) {
484 ControlFlow::Break(FoundFlags)
485 } else {
486 ControlFlow::Continue(())
487 }
488 }
489490#[inline]
491fn visit_error(&mut self, _guar: <I as Interner>::ErrorGuaranteed) -> Self::Result {
492if self.flags.intersects(TypeFlags::HAS_ERROR) {
493 ControlFlow::Break(FoundFlags)
494 } else {
495 ControlFlow::Continue(())
496 }
497 }
498}
499500#[derive(#[automatically_derived]
impl ::core::fmt::Debug for FoundEscapingVars {
#[inline]
fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
::core::fmt::Formatter::write_str(f, "FoundEscapingVars")
}
}Debug, #[automatically_derived]
impl ::core::cmp::PartialEq for FoundEscapingVars {
#[inline]
fn eq(&self, other: &FoundEscapingVars) -> bool { true }
}PartialEq, #[automatically_derived]
impl ::core::cmp::Eq for FoundEscapingVars {
#[inline]
#[doc(hidden)]
#[coverage(off)]
fn assert_fields_are_eq(&self) {}
}Eq, #[automatically_derived]
impl ::core::marker::Copy for FoundEscapingVars { }Copy, #[automatically_derived]
impl ::core::clone::Clone for FoundEscapingVars {
#[inline]
fn clone(&self) -> FoundEscapingVars { *self }
}Clone)]
501struct FoundEscapingVars;
502503/// An "escaping var" is a bound var whose binder is not part of `t`. A bound var can be a
504/// bound region or a bound type.
505///
506/// So, for example, consider a type like the following, which has two binders:
507///
508/// for<'a> fn(x: for<'b> fn(&'a isize, &'b isize))
509/// ^~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ outer scope
510/// ^~~~~~~~~~~~~~~~~~~~~~~~~~~~ inner scope
511///
512/// This type has *bound regions* (`'a`, `'b`), but it does not have escaping regions, because the
513/// binders of both `'a` and `'b` are part of the type itself. However, if we consider the *inner
514/// fn type*, that type has an escaping region: `'a`.
515///
516/// Note that what I'm calling an "escaping var" is often just called a "free var". However,
517/// we already use the term "free var". It refers to the regions or types that we use to represent
518/// bound regions or type params on a fn definition while we are type checking its body.
519///
520/// To clarify, conceptually there is no particular difference between
521/// an "escaping" var and a "free" var. However, there is a big
522/// difference in practice. Basically, when "entering" a binding
523/// level, one is generally required to do some sort of processing to
524/// a bound var, such as replacing it with a fresh/placeholder
525/// var, or making an entry in the environment to represent the
526/// scope to which it is attached, etc. An escaping var represents
527/// a bound var for which this processing has not yet been done.
528struct HasEscapingVarsVisitor {
529/// Anything bound by `outer_index` or "above" is escaping.
530outer_index: ty::DebruijnIndex,
531}
532533impl<I: Interner> TypeVisitor<I> for HasEscapingVarsVisitor {
534type Result = ControlFlow<FoundEscapingVars>;
535536fn visit_binder<T: TypeVisitable<I>>(&mut self, t: &ty::Binder<I, T>) -> Self::Result {
537self.outer_index.shift_in(1);
538let result = t.super_visit_with(self);
539self.outer_index.shift_out(1);
540result541 }
542543#[inline]
544fn visit_ty(&mut self, t: I::Ty) -> Self::Result {
545// If the outer-exclusive-binder is *strictly greater* than
546 // `outer_index`, that means that `t` contains some content
547 // bound at `outer_index` or above (because
548 // `outer_exclusive_binder` is always 1 higher than the
549 // content in `t`). Therefore, `t` has some escaping vars.
550if t.outer_exclusive_binder() > self.outer_index {
551 ControlFlow::Break(FoundEscapingVars)
552 } else {
553 ControlFlow::Continue(())
554 }
555 }
556557#[inline]
558fn visit_region(&mut self, r: I::Region) -> Self::Result {
559// If the region is bound by `outer_index` or anything outside
560 // of outer index, then it escapes the binders we have
561 // visited.
562if r.outer_exclusive_binder() > self.outer_index {
563 ControlFlow::Break(FoundEscapingVars)
564 } else {
565 ControlFlow::Continue(())
566 }
567 }
568569fn visit_const(&mut self, ct: I::Const) -> Self::Result {
570// If the outer-exclusive-binder is *strictly greater* than
571 // `outer_index`, that means that `ct` contains some content
572 // bound at `outer_index` or above (because
573 // `outer_exclusive_binder` is always 1 higher than the
574 // content in `t`). Therefore, `t` has some escaping vars.
575if ct.outer_exclusive_binder() > self.outer_index {
576 ControlFlow::Break(FoundEscapingVars)
577 } else {
578 ControlFlow::Continue(())
579 }
580 }
581582#[inline]
583fn visit_predicate(&mut self, predicate: I::Predicate) -> Self::Result {
584if predicate.outer_exclusive_binder() > self.outer_index {
585 ControlFlow::Break(FoundEscapingVars)
586 } else {
587 ControlFlow::Continue(())
588 }
589 }
590591#[inline]
592fn visit_clauses(&mut self, clauses: I::Clauses) -> Self::Result {
593if clauses.outer_exclusive_binder() > self.outer_index {
594 ControlFlow::Break(FoundEscapingVars)
595 } else {
596 ControlFlow::Continue(())
597 }
598 }
599}
600601struct HasErrorVisitor;
602603impl<I: Interner> TypeVisitor<I> for HasErrorVisitor {
604type Result = ControlFlow<I::ErrorGuaranteed>;
605606fn visit_error(&mut self, guar: <I as Interner>::ErrorGuaranteed) -> Self::Result {
607 ControlFlow::Break(guar)
608 }
609}