1//! This file declares the `ScopeTree` type, which describes
2//! the parent links in the region hierarchy.
3//!
4//! For more information about how MIR-based region-checking works,
5//! see the [rustc dev guide].
6//!
7//! [rustc dev guide]: https://rustc-dev-guide.rust-lang.org/borrow_check.html
89use std::fmt;
1011use rustc_data_structures::fx::FxIndexMap;
12use rustc_data_structures::unord::UnordMap;
13use rustc_hiras hir;
14use rustc_hir::{HirId, ItemLocalMap, Node};
15use rustc_macros::{HashStable, TyDecodable, TyEncodable};
16use rustc_span::{DUMMY_SP, Span};
17use tracing::debug;
1819use crate::ty::{self, TyCtxt};
2021/// Represents a statically-describable scope that can be used to
22/// bound the lifetime/region for values.
23///
24/// `Node(node_id)`: Any AST node that has any scope at all has the
25/// `Node(node_id)` scope. Other variants represent special cases not
26/// immediately derivable from the abstract syntax tree structure.
27///
28/// `DestructionScope(node_id)` represents the scope of destructors
29/// implicitly-attached to `node_id` that run immediately after the
30/// expression for `node_id` itself. Not every AST node carries a
31/// `DestructionScope`, but those that are `terminating_scopes` do;
32/// see discussion with `ScopeTree`.
33///
34/// `Remainder { block, statement_index }` represents
35/// the scope of user code running immediately after the initializer
36/// expression for the indexed statement, until the end of the block.
37///
38/// So: the following code can be broken down into the scopes beneath:
39///
40/// ```text
41/// let a = f().g( 'b: { let x = d(); let y = d(); x.h(y) } ) ;
42///
43/// +-+ (D12.)
44/// +-+ (D11.)
45/// +---------+ (R10.)
46/// +-+ (D9.)
47/// +----------+ (M8.)
48/// +----------------------+ (R7.)
49/// +-+ (D6.)
50/// +----------+ (M5.)
51/// +-----------------------------------+ (M4.)
52/// +--------------------------------------------------+ (M3.)
53/// +--+ (M2.)
54/// +-----------------------------------------------------------+ (M1.)
55///
56/// (M1.): Node scope of the whole `let a = ...;` statement.
57/// (M2.): Node scope of the `f()` expression.
58/// (M3.): Node scope of the `f().g(..)` expression.
59/// (M4.): Node scope of the block labeled `'b:`.
60/// (M5.): Node scope of the `let x = d();` statement
61/// (D6.): DestructionScope for temporaries created during M5.
62/// (R7.): Remainder scope for block `'b:`, stmt 0 (let x = ...).
63/// (M8.): Node scope of the `let y = d();` statement.
64/// (D9.): DestructionScope for temporaries created during M8.
65/// (R10.): Remainder scope for block `'b:`, stmt 1 (let y = ...).
66/// (D11.): DestructionScope for temporaries and bindings from block `'b:`.
67/// (D12.): DestructionScope for temporaries created during M1 (e.g., f()).
68/// ```
69///
70/// Note that while the above picture shows the destruction scopes
71/// as following their corresponding node scopes, in the internal
72/// data structures of the compiler the destruction scopes are
73/// represented as enclosing parents. This is sound because we use the
74/// enclosing parent relationship just to ensure that referenced
75/// values live long enough; phrased another way, the starting point
76/// of each range is not really the important thing in the above
77/// picture, but rather the ending point.
78//
79// FIXME(pnkfelix): this currently derives `PartialOrd` and `Ord` to
80// placate the same deriving in `ty::LateParamRegion`, but we may want to
81// actually attach a more meaningful ordering to scopes than the one
82// generated via deriving here.
83#[derive(#[automatically_derived]
impl ::core::clone::Clone for Scope {
#[inline]
fn clone(&self) -> Scope {
let _: ::core::clone::AssertParamIsClone<hir::ItemLocalId>;
let _: ::core::clone::AssertParamIsClone<ScopeData>;
*self
}
}Clone, #[automatically_derived]
impl ::core::cmp::PartialEq for Scope {
#[inline]
fn eq(&self, other: &Scope) -> bool {
self.local_id == other.local_id && self.data == other.data
}
}PartialEq, #[automatically_derived]
impl ::core::cmp::PartialOrd for Scope {
#[inline]
fn partial_cmp(&self, other: &Scope)
-> ::core::option::Option<::core::cmp::Ordering> {
match ::core::cmp::PartialOrd::partial_cmp(&self.local_id,
&other.local_id) {
::core::option::Option::Some(::core::cmp::Ordering::Equal) =>
::core::cmp::PartialOrd::partial_cmp(&self.data, &other.data),
cmp => cmp,
}
}
}PartialOrd, #[automatically_derived]
impl ::core::cmp::Eq for Scope {
#[inline]
#[doc(hidden)]
#[coverage(off)]
fn assert_receiver_is_total_eq(&self) {
let _: ::core::cmp::AssertParamIsEq<hir::ItemLocalId>;
let _: ::core::cmp::AssertParamIsEq<ScopeData>;
}
}Eq, #[automatically_derived]
impl ::core::cmp::Ord for Scope {
#[inline]
fn cmp(&self, other: &Scope) -> ::core::cmp::Ordering {
match ::core::cmp::Ord::cmp(&self.local_id, &other.local_id) {
::core::cmp::Ordering::Equal =>
::core::cmp::Ord::cmp(&self.data, &other.data),
cmp => cmp,
}
}
}Ord, #[automatically_derived]
impl ::core::hash::Hash for Scope {
#[inline]
fn hash<__H: ::core::hash::Hasher>(&self, state: &mut __H) {
::core::hash::Hash::hash(&self.local_id, state);
::core::hash::Hash::hash(&self.data, state)
}
}Hash, #[automatically_derived]
impl ::core::marker::Copy for Scope { }Copy, const _: () =
{
impl<'tcx, __E: ::rustc_middle::ty::codec::TyEncoder<'tcx>>
::rustc_serialize::Encodable<__E> for Scope {
fn encode(&self, __encoder: &mut __E) {
match *self {
Scope { local_id: ref __binding_0, data: ref __binding_1 }
=> {
::rustc_serialize::Encodable::<__E>::encode(__binding_0,
__encoder);
::rustc_serialize::Encodable::<__E>::encode(__binding_1,
__encoder);
}
}
}
}
};TyEncodable, const _: () =
{
impl<'tcx, __D: ::rustc_middle::ty::codec::TyDecoder<'tcx>>
::rustc_serialize::Decodable<__D> for Scope {
fn decode(__decoder: &mut __D) -> Self {
Scope {
local_id: ::rustc_serialize::Decodable::decode(__decoder),
data: ::rustc_serialize::Decodable::decode(__decoder),
}
}
}
};TyDecodable)]
84#[derive(const _: () =
{
impl<'__ctx>
::rustc_data_structures::stable_hasher::HashStable<::rustc_query_system::ich::StableHashingContext<'__ctx>>
for Scope {
#[inline]
fn hash_stable(&self,
__hcx:
&mut ::rustc_query_system::ich::StableHashingContext<'__ctx>,
__hasher:
&mut ::rustc_data_structures::stable_hasher::StableHasher) {
match *self {
Scope { local_id: ref __binding_0, data: ref __binding_1 }
=> {
{ __binding_0.hash_stable(__hcx, __hasher); }
{ __binding_1.hash_stable(__hcx, __hasher); }
}
}
}
}
};HashStable)]
85pub struct Scope {
86pub local_id: hir::ItemLocalId,
87pub data: ScopeData,
88}
8990impl fmt::Debugfor Scope {
91fn fmt(&self, fmt: &mut fmt::Formatter<'_>) -> fmt::Result {
92match self.data {
93 ScopeData::Node => fmt.write_fmt(format_args!("Node({0:?})", self.local_id))write!(fmt, "Node({:?})", self.local_id),
94 ScopeData::CallSite => fmt.write_fmt(format_args!("CallSite({0:?})", self.local_id))write!(fmt, "CallSite({:?})", self.local_id),
95 ScopeData::Arguments => fmt.write_fmt(format_args!("Arguments({0:?})", self.local_id))write!(fmt, "Arguments({:?})", self.local_id),
96 ScopeData::Destruction => fmt.write_fmt(format_args!("Destruction({0:?})", self.local_id))write!(fmt, "Destruction({:?})", self.local_id),
97 ScopeData::IfThen => fmt.write_fmt(format_args!("IfThen({0:?})", self.local_id))write!(fmt, "IfThen({:?})", self.local_id),
98 ScopeData::IfThenRescope => fmt.write_fmt(format_args!("IfThen[edition2024]({0:?})", self.local_id))write!(fmt, "IfThen[edition2024]({:?})", self.local_id),
99 ScopeData::MatchGuard => fmt.write_fmt(format_args!("MatchGuard({0:?})", self.local_id))write!(fmt, "MatchGuard({:?})", self.local_id),
100 ScopeData::Remainder(fsi) => fmt.write_fmt(format_args!("Remainder {{ block: {0:?}, first_statement_index: {1}}}",
self.local_id, fsi.as_u32()))write!(
101fmt,
102"Remainder {{ block: {:?}, first_statement_index: {}}}",
103self.local_id,
104 fsi.as_u32(),
105 ),
106 }
107 }
108}
109110#[derive(#[automatically_derived]
impl ::core::clone::Clone for ScopeData {
#[inline]
fn clone(&self) -> ScopeData {
let _: ::core::clone::AssertParamIsClone<FirstStatementIndex>;
*self
}
}Clone, #[automatically_derived]
impl ::core::cmp::PartialEq for ScopeData {
#[inline]
fn eq(&self, other: &ScopeData) -> bool {
let __self_discr = ::core::intrinsics::discriminant_value(self);
let __arg1_discr = ::core::intrinsics::discriminant_value(other);
__self_discr == __arg1_discr &&
match (self, other) {
(ScopeData::Remainder(__self_0),
ScopeData::Remainder(__arg1_0)) => __self_0 == __arg1_0,
_ => true,
}
}
}PartialEq, #[automatically_derived]
impl ::core::cmp::PartialOrd for ScopeData {
#[inline]
fn partial_cmp(&self, other: &ScopeData)
-> ::core::option::Option<::core::cmp::Ordering> {
let __self_discr = ::core::intrinsics::discriminant_value(self);
let __arg1_discr = ::core::intrinsics::discriminant_value(other);
match (self, other) {
(ScopeData::Remainder(__self_0), ScopeData::Remainder(__arg1_0))
=> ::core::cmp::PartialOrd::partial_cmp(__self_0, __arg1_0),
_ =>
::core::cmp::PartialOrd::partial_cmp(&__self_discr,
&__arg1_discr),
}
}
}PartialOrd, #[automatically_derived]
impl ::core::cmp::Eq for ScopeData {
#[inline]
#[doc(hidden)]
#[coverage(off)]
fn assert_receiver_is_total_eq(&self) {
let _: ::core::cmp::AssertParamIsEq<FirstStatementIndex>;
}
}Eq, #[automatically_derived]
impl ::core::cmp::Ord for ScopeData {
#[inline]
fn cmp(&self, other: &ScopeData) -> ::core::cmp::Ordering {
let __self_discr = ::core::intrinsics::discriminant_value(self);
let __arg1_discr = ::core::intrinsics::discriminant_value(other);
match ::core::cmp::Ord::cmp(&__self_discr, &__arg1_discr) {
::core::cmp::Ordering::Equal =>
match (self, other) {
(ScopeData::Remainder(__self_0),
ScopeData::Remainder(__arg1_0)) =>
::core::cmp::Ord::cmp(__self_0, __arg1_0),
_ => ::core::cmp::Ordering::Equal,
},
cmp => cmp,
}
}
}Ord, #[automatically_derived]
impl ::core::hash::Hash for ScopeData {
#[inline]
fn hash<__H: ::core::hash::Hasher>(&self, state: &mut __H) {
let __self_discr = ::core::intrinsics::discriminant_value(self);
::core::hash::Hash::hash(&__self_discr, state);
match self {
ScopeData::Remainder(__self_0) =>
::core::hash::Hash::hash(__self_0, state),
_ => {}
}
}
}Hash, #[automatically_derived]
impl ::core::fmt::Debug for ScopeData {
#[inline]
fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
match self {
ScopeData::Node => ::core::fmt::Formatter::write_str(f, "Node"),
ScopeData::CallSite =>
::core::fmt::Formatter::write_str(f, "CallSite"),
ScopeData::Arguments =>
::core::fmt::Formatter::write_str(f, "Arguments"),
ScopeData::Destruction =>
::core::fmt::Formatter::write_str(f, "Destruction"),
ScopeData::IfThen =>
::core::fmt::Formatter::write_str(f, "IfThen"),
ScopeData::IfThenRescope =>
::core::fmt::Formatter::write_str(f, "IfThenRescope"),
ScopeData::MatchGuard =>
::core::fmt::Formatter::write_str(f, "MatchGuard"),
ScopeData::Remainder(__self_0) =>
::core::fmt::Formatter::debug_tuple_field1_finish(f,
"Remainder", &__self_0),
}
}
}Debug, #[automatically_derived]
impl ::core::marker::Copy for ScopeData { }Copy, const _: () =
{
impl<'tcx, __E: ::rustc_middle::ty::codec::TyEncoder<'tcx>>
::rustc_serialize::Encodable<__E> for ScopeData {
fn encode(&self, __encoder: &mut __E) {
let disc =
match *self {
ScopeData::Node => { 0usize }
ScopeData::CallSite => { 1usize }
ScopeData::Arguments => { 2usize }
ScopeData::Destruction => { 3usize }
ScopeData::IfThen => { 4usize }
ScopeData::IfThenRescope => { 5usize }
ScopeData::MatchGuard => { 6usize }
ScopeData::Remainder(ref __binding_0) => { 7usize }
};
::rustc_serialize::Encoder::emit_u8(__encoder, disc as u8);
match *self {
ScopeData::Node => {}
ScopeData::CallSite => {}
ScopeData::Arguments => {}
ScopeData::Destruction => {}
ScopeData::IfThen => {}
ScopeData::IfThenRescope => {}
ScopeData::MatchGuard => {}
ScopeData::Remainder(ref __binding_0) => {
::rustc_serialize::Encodable::<__E>::encode(__binding_0,
__encoder);
}
}
}
}
};TyEncodable, const _: () =
{
impl<'tcx, __D: ::rustc_middle::ty::codec::TyDecoder<'tcx>>
::rustc_serialize::Decodable<__D> for ScopeData {
fn decode(__decoder: &mut __D) -> Self {
match ::rustc_serialize::Decoder::read_u8(__decoder) as usize
{
0usize => { ScopeData::Node }
1usize => { ScopeData::CallSite }
2usize => { ScopeData::Arguments }
3usize => { ScopeData::Destruction }
4usize => { ScopeData::IfThen }
5usize => { ScopeData::IfThenRescope }
6usize => { ScopeData::MatchGuard }
7usize => {
ScopeData::Remainder(::rustc_serialize::Decodable::decode(__decoder))
}
n => {
::core::panicking::panic_fmt(format_args!("invalid enum variant tag while decoding `ScopeData`, expected 0..8, actual {0}",
n));
}
}
}
}
};TyDecodable)]
111#[derive(const _: () =
{
impl<'__ctx>
::rustc_data_structures::stable_hasher::HashStable<::rustc_query_system::ich::StableHashingContext<'__ctx>>
for ScopeData {
#[inline]
fn hash_stable(&self,
__hcx:
&mut ::rustc_query_system::ich::StableHashingContext<'__ctx>,
__hasher:
&mut ::rustc_data_structures::stable_hasher::StableHasher) {
::std::mem::discriminant(self).hash_stable(__hcx, __hasher);
match *self {
ScopeData::Node => {}
ScopeData::CallSite => {}
ScopeData::Arguments => {}
ScopeData::Destruction => {}
ScopeData::IfThen => {}
ScopeData::IfThenRescope => {}
ScopeData::MatchGuard => {}
ScopeData::Remainder(ref __binding_0) => {
{ __binding_0.hash_stable(__hcx, __hasher); }
}
}
}
}
};HashStable)]
112pub enum ScopeData {
113 Node,
114115/// Scope of the call-site for a function or closure
116 /// (outlives the arguments as well as the body).
117CallSite,
118119/// Scope of arguments passed to a function or closure
120 /// (they outlive its body).
121Arguments,
122123/// Scope of destructors for temporaries of node-id.
124Destruction,
125126/// Scope of the condition and then block of an if expression
127 /// Used for variables introduced in an if-let expression.
128IfThen,
129130/// Scope of the condition and then block of an if expression
131 /// Used for variables introduced in an if-let expression,
132 /// whose lifetimes do not cross beyond this scope.
133IfThenRescope,
134135/// Scope of the condition and body of a match arm with a guard
136 /// Used for variables introduced in an if-let guard,
137 /// whose lifetimes do not cross beyond this scope.
138MatchGuard,
139140/// Scope following a `let id = expr;` binding in a block.
141Remainder(FirstStatementIndex),
142}
143144impl ::std::fmt::Debug for FirstStatementIndex {
fn fmt(&self, fmt: &mut ::std::fmt::Formatter<'_>) -> ::std::fmt::Result {
fmt.write_fmt(format_args!("{0}", self.as_u32()))
}
}rustc_index::newtype_index! {
145/// Represents a subscope of `block` for a binding that is introduced
146 /// by `block.stmts[first_statement_index]`. Such subscopes represent
147 /// a suffix of the block. Note that each subscope does not include
148 /// the initializer expression, if any, for the statement indexed by
149 /// `first_statement_index`.
150 ///
151 /// For example, given `{ let (a, b) = EXPR_1; let c = EXPR_2; ... }`:
152 ///
153 /// * The subscope with `first_statement_index == 0` is scope of both
154 /// `a` and `b`; it does not include EXPR_1, but does include
155 /// everything after that first `let`. (If you want a scope that
156 /// includes EXPR_1 as well, then do not use `Scope::Remainder`,
157 /// but instead another `Scope` that encompasses the whole block,
158 /// e.g., `Scope::Node`.
159 ///
160 /// * The subscope with `first_statement_index == 1` is scope of `c`,
161 /// and thus does not include EXPR_2, but covers the `...`.
162#[derive(HashStable)]
163 #[encodable]
164 #[orderable]
165pub struct FirstStatementIndex {}
166}167168// compilation error if size of `ScopeData` is not the same as a `u32`
169const _: [(); 4] = [(); ::std::mem::size_of::<ScopeData>()];rustc_data_structures::static_assert_size!(ScopeData, 4);
170171impl Scope {
172pub fn hir_id(&self, scope_tree: &ScopeTree) -> Option<HirId> {
173scope_tree.root_body.map(|hir_id| HirId { owner: hir_id.owner, local_id: self.local_id })
174 }
175176/// Returns the span of this `Scope`. Note that in general the
177 /// returned span may not correspond to the span of any `NodeId` in
178 /// the AST.
179pub fn span(&self, tcx: TyCtxt<'_>, scope_tree: &ScopeTree) -> Span {
180let Some(hir_id) = self.hir_id(scope_tree) else {
181return DUMMY_SP;
182 };
183let span = tcx.hir_span(hir_id);
184if let ScopeData::Remainder(first_statement_index) = self.data
185// Want span for scope starting after the
186 // indexed statement and ending at end of
187 // `blk`; reuse span of `blk` and shift `lo`
188 // forward to end of indexed statement.
189 //
190 // (This is the special case alluded to in the
191 // doc-comment for this method)
192&& let Node::Block(blk) = tcx.hir_node(hir_id)
193 {
194let stmt_span = blk.stmts[first_statement_index.index()].span;
195196// To avoid issues with macro-generated spans, the span
197 // of the statement must be nested in that of the block.
198if span.lo() <= stmt_span.lo() && stmt_span.lo() <= span.hi() {
199return span.with_lo(stmt_span.lo());
200 }
201 }
202span203 }
204}
205206/// The region scope tree encodes information about region relationships.
207#[derive(#[automatically_derived]
impl ::core::default::Default for ScopeTree {
#[inline]
fn default() -> ScopeTree {
ScopeTree {
root_body: ::core::default::Default::default(),
parent_map: ::core::default::Default::default(),
var_map: ::core::default::Default::default(),
extended_temp_scopes: ::core::default::Default::default(),
backwards_incompatible_scope: ::core::default::Default::default(),
}
}
}Default, #[automatically_derived]
impl ::core::fmt::Debug for ScopeTree {
#[inline]
fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
::core::fmt::Formatter::debug_struct_field5_finish(f, "ScopeTree",
"root_body", &self.root_body, "parent_map", &self.parent_map,
"var_map", &self.var_map, "extended_temp_scopes",
&self.extended_temp_scopes, "backwards_incompatible_scope",
&&self.backwards_incompatible_scope)
}
}Debug, const _: () =
{
impl<'__ctx>
::rustc_data_structures::stable_hasher::HashStable<::rustc_query_system::ich::StableHashingContext<'__ctx>>
for ScopeTree {
#[inline]
fn hash_stable(&self,
__hcx:
&mut ::rustc_query_system::ich::StableHashingContext<'__ctx>,
__hasher:
&mut ::rustc_data_structures::stable_hasher::StableHasher) {
match *self {
ScopeTree {
root_body: ref __binding_0,
parent_map: ref __binding_1,
var_map: ref __binding_2,
extended_temp_scopes: ref __binding_3,
backwards_incompatible_scope: ref __binding_4 } => {
{ __binding_0.hash_stable(__hcx, __hasher); }
{ __binding_1.hash_stable(__hcx, __hasher); }
{ __binding_2.hash_stable(__hcx, __hasher); }
{ __binding_3.hash_stable(__hcx, __hasher); }
{ __binding_4.hash_stable(__hcx, __hasher); }
}
}
}
}
};HashStable)]
208pub struct ScopeTree {
209/// If not empty, this body is the root of this region hierarchy.
210pub root_body: Option<HirId>,
211212/// Maps from a scope ID to the enclosing scope id;
213 /// this is usually corresponding to the lexical nesting, though
214 /// in the case of closures the parent scope is the innermost
215 /// conditional expression or repeating block. (Note that the
216 /// enclosing scope ID for the block associated with a closure is
217 /// the closure itself.)
218pub parent_map: FxIndexMap<Scope, Scope>,
219220/// Maps from a variable or binding ID to the block in which that
221 /// variable is declared.
222var_map: FxIndexMap<hir::ItemLocalId, Scope>,
223224/// Tracks expressions with extended temporary scopes, based on the syntactic rules for
225 /// temporary lifetime extension. Further details may be found in
226 /// `rustc_hir_analysis::check::region` and in the [Reference].
227 ///
228 /// [Reference]: https://doc.rust-lang.org/nightly/reference/destructors.html#temporary-lifetime-extension
229extended_temp_scopes: ItemLocalMap<Option<Scope>>,
230231/// Backwards incompatible scoping that will be introduced in future editions.
232 /// This information is used later for linting to identify locals and
233 /// temporary values that will receive backwards-incompatible drop orders.
234pub backwards_incompatible_scope: UnordMap<hir::ItemLocalId, Scope>,
235}
236237/// Temporary lifetime information for expressions, used when lowering to MIR.
238#[derive(#[automatically_derived]
impl ::core::clone::Clone for TempLifetime {
#[inline]
fn clone(&self) -> TempLifetime {
let _: ::core::clone::AssertParamIsClone<Option<Scope>>;
let _: ::core::clone::AssertParamIsClone<Option<Scope>>;
*self
}
}Clone, #[automatically_derived]
impl ::core::marker::Copy for TempLifetime { }Copy, #[automatically_derived]
impl ::core::fmt::Debug for TempLifetime {
#[inline]
fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
::core::fmt::Formatter::debug_struct_field2_finish(f, "TempLifetime",
"temp_lifetime", &self.temp_lifetime, "backwards_incompatible",
&&self.backwards_incompatible)
}
}Debug, const _: () =
{
impl<'__ctx>
::rustc_data_structures::stable_hasher::HashStable<::rustc_query_system::ich::StableHashingContext<'__ctx>>
for TempLifetime {
#[inline]
fn hash_stable(&self,
__hcx:
&mut ::rustc_query_system::ich::StableHashingContext<'__ctx>,
__hasher:
&mut ::rustc_data_structures::stable_hasher::StableHasher) {
match *self {
TempLifetime {
temp_lifetime: ref __binding_0,
backwards_incompatible: ref __binding_1 } => {
{ __binding_0.hash_stable(__hcx, __hasher); }
{ __binding_1.hash_stable(__hcx, __hasher); }
}
}
}
}
};HashStable)]
239pub struct TempLifetime {
240/// The scope in which a temporary should be dropped. If `None`, no drop is scheduled; this is
241 /// the case for lifetime-extended temporaries extended by a const/static item or const block.
242pub temp_lifetime: Option<Scope>,
243/// If `Some(lt)`, indicates that the lifetime of this temporary will change to `lt` in a future edition.
244 /// If `None`, then no changes are expected, or lints are disabled.
245pub backwards_incompatible: Option<Scope>,
246}
247248impl ScopeTree {
249pub fn record_scope_parent(&mut self, child: Scope, parent: Option<Scope>) {
250{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_middle/src/middle/region.rs:250",
"rustc_middle::middle::region", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_middle/src/middle/region.rs"),
::tracing_core::__macro_support::Option::Some(250u32),
::tracing_core::__macro_support::Option::Some("rustc_middle::middle::region"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("{0:?}.parent = {1:?}",
child, parent) as &dyn Value))])
});
} else { ; }
};debug!("{:?}.parent = {:?}", child, parent);
251252if let Some(p) = parent {
253let prev = self.parent_map.insert(child, p);
254if !prev.is_none() {
::core::panicking::panic("assertion failed: prev.is_none()")
};assert!(prev.is_none());
255 }
256 }
257258pub fn record_var_scope(&mut self, var: hir::ItemLocalId, lifetime: Scope) {
259{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_middle/src/middle/region.rs:259",
"rustc_middle::middle::region", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_middle/src/middle/region.rs"),
::tracing_core::__macro_support::Option::Some(259u32),
::tracing_core::__macro_support::Option::Some("rustc_middle::middle::region"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("record_var_scope(sub={0:?}, sup={1:?})",
var, lifetime) as &dyn Value))])
});
} else { ; }
};debug!("record_var_scope(sub={:?}, sup={:?})", var, lifetime);
260if !(var != lifetime.local_id) {
::core::panicking::panic("assertion failed: var != lifetime.local_id")
};assert!(var != lifetime.local_id);
261self.var_map.insert(var, lifetime);
262 }
263264/// Make an association between a sub-expression and an extended lifetime
265pub fn record_extended_temp_scope(&mut self, var: hir::ItemLocalId, lifetime: Option<Scope>) {
266{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_middle/src/middle/region.rs:266",
"rustc_middle::middle::region", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_middle/src/middle/region.rs"),
::tracing_core::__macro_support::Option::Some(266u32),
::tracing_core::__macro_support::Option::Some("rustc_middle::middle::region"),
::tracing_core::field::FieldSet::new(&["var", "lifetime"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&debug(&var) as
&dyn Value)),
(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&debug(&lifetime)
as &dyn Value))])
});
} else { ; }
};debug!(?var, ?lifetime);
267if let Some(lifetime) = lifetime {
268if !(var != lifetime.local_id) {
::core::panicking::panic("assertion failed: var != lifetime.local_id")
};assert!(var != lifetime.local_id);
269 }
270self.extended_temp_scopes.insert(var, lifetime);
271 }
272273/// Returns the narrowest scope that encloses `id`, if any.
274pub fn opt_encl_scope(&self, id: Scope) -> Option<Scope> {
275self.parent_map.get(&id).cloned()
276 }
277278/// Returns the lifetime of the local variable `var_id`, if any.
279pub fn var_scope(&self, var_id: hir::ItemLocalId) -> Option<Scope> {
280self.var_map.get(&var_id).cloned()
281 }
282283/// Returns `true` if `subscope` is equal to or is lexically nested inside `superscope`, and
284 /// `false` otherwise.
285 ///
286 /// Used by clippy.
287pub fn is_subscope_of(&self, subscope: Scope, superscope: Scope) -> bool {
288let mut s = subscope;
289{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_middle/src/middle/region.rs:289",
"rustc_middle::middle::region", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_middle/src/middle/region.rs"),
::tracing_core::__macro_support::Option::Some(289u32),
::tracing_core::__macro_support::Option::Some("rustc_middle::middle::region"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("is_subscope_of({0:?}, {1:?})",
subscope, superscope) as &dyn Value))])
});
} else { ; }
};debug!("is_subscope_of({:?}, {:?})", subscope, superscope);
290while superscope != s {
291match self.opt_encl_scope(s) {
292None => {
293{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_middle/src/middle/region.rs:293",
"rustc_middle::middle::region", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_middle/src/middle/region.rs"),
::tracing_core::__macro_support::Option::Some(293u32),
::tracing_core::__macro_support::Option::Some("rustc_middle::middle::region"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("is_subscope_of({0:?}, {1:?}, s={2:?})=false",
subscope, superscope, s) as &dyn Value))])
});
} else { ; }
};debug!("is_subscope_of({:?}, {:?}, s={:?})=false", subscope, superscope, s);
294return false;
295 }
296Some(scope) => s = scope,
297 }
298 }
299300{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_middle/src/middle/region.rs:300",
"rustc_middle::middle::region", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_middle/src/middle/region.rs"),
::tracing_core::__macro_support::Option::Some(300u32),
::tracing_core::__macro_support::Option::Some("rustc_middle::middle::region"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("is_subscope_of({0:?}, {1:?})=true",
subscope, superscope) as &dyn Value))])
});
} else { ; }
};debug!("is_subscope_of({:?}, {:?})=true", subscope, superscope);
301302true
303}
304305/// Returns the scope of non-lifetime-extended temporaries within a given scope, as well as
306 /// whether we've recorded a potential backwards-incompatible change to lint on.
307 /// Panics if no enclosing temporary scope is found.
308pub fn default_temporary_scope(&self, inner: Scope) -> (Scope, Option<Scope>) {
309let mut id = inner;
310let mut backwards_incompatible = None;
311312while let Some(&p) = self.parent_map.get(&id) {
313match p.data {
314 ScopeData::Destruction => {
315{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_middle/src/middle/region.rs:315",
"rustc_middle::middle::region", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_middle/src/middle/region.rs"),
::tracing_core::__macro_support::Option::Some(315u32),
::tracing_core::__macro_support::Option::Some("rustc_middle::middle::region"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("temporary_scope({0:?}) = {1:?} [enclosing]",
inner, id) as &dyn Value))])
});
} else { ; }
};debug!("temporary_scope({inner:?}) = {id:?} [enclosing]");
316return (id, backwards_incompatible);
317 }
318 ScopeData::IfThenRescope | ScopeData::MatchGuard => {
319{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_middle/src/middle/region.rs:319",
"rustc_middle::middle::region", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_middle/src/middle/region.rs"),
::tracing_core::__macro_support::Option::Some(319u32),
::tracing_core::__macro_support::Option::Some("rustc_middle::middle::region"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("temporary_scope({0:?}) = {1:?} [enclosing]",
inner, p) as &dyn Value))])
});
} else { ; }
};debug!("temporary_scope({inner:?}) = {p:?} [enclosing]");
320return (p, backwards_incompatible);
321 }
322 ScopeData::Node
323 | ScopeData::CallSite
324 | ScopeData::Arguments
325 | ScopeData::IfThen
326 | ScopeData::Remainder(_) => {
327// If we haven't already passed through a backwards-incompatible node,
328 // then check if we are passing through one now and record it if so.
329 // This is for now only working for cases where a temporary lifetime is
330 // *shortened*.
331if backwards_incompatible.is_none() {
332 backwards_incompatible =
333self.backwards_incompatible_scope.get(&p.local_id).copied();
334 }
335 id = p
336 }
337 }
338 }
339340crate::util::bug::span_bug_fmt(ty::tls::with(|tcx| inner.span(tcx, self)),
format_args!("no enclosing temporary scope"))span_bug!(ty::tls::with(|tcx| inner.span(tcx, self)), "no enclosing temporary scope")341 }
342343/// Returns the scope when the temp created by `expr_id` will be cleaned up.
344 /// It also emits a lint on potential backwards incompatible change to the temporary scope
345 /// which is *for now* always shortening.
346pub fn temporary_scope(&self, expr_id: hir::ItemLocalId) -> TempLifetime {
347// Check for a designated extended temporary scope.
348if let Some(&s) = self.extended_temp_scopes.get(&expr_id) {
349{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_middle/src/middle/region.rs:349",
"rustc_middle::middle::region", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_middle/src/middle/region.rs"),
::tracing_core::__macro_support::Option::Some(349u32),
::tracing_core::__macro_support::Option::Some("rustc_middle::middle::region"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("temporary_scope({0:?}) = {1:?} [custom]",
expr_id, s) as &dyn Value))])
});
} else { ; }
};debug!("temporary_scope({expr_id:?}) = {s:?} [custom]");
350return TempLifetime { temp_lifetime: s, backwards_incompatible: None };
351 }
352353// Otherwise, locate the innermost terminating scope.
354let (scope, backwards_incompatible) =
355self.default_temporary_scope(Scope { local_id: expr_id, data: ScopeData::Node });
356TempLifetime { temp_lifetime: Some(scope), backwards_incompatible }
357 }
358}