Skip to main content

rustc_mir_transform/
elaborate_drop.rs

1use std::{fmt, iter, mem};
2
3use rustc_abi::{FIRST_VARIANT, FieldIdx, VariantIdx};
4use rustc_hir::def::DefKind;
5use rustc_hir::lang_items::LangItem;
6use rustc_index::Idx;
7use rustc_middle::mir::*;
8use rustc_middle::ty::adjustment::PointerCoercion;
9use rustc_middle::ty::util::IntTypeExt;
10use rustc_middle::ty::{self, GenericArg, GenericArgsRef, Ty, TyCtxt};
11use rustc_middle::{bug, span_bug, traits};
12use rustc_span::{DUMMY_SP, Spanned, dummy_spanned};
13use tracing::{debug, instrument};
14
15use crate::patch::MirPatch;
16
17/// Describes how/if a value should be dropped.
18#[derive(#[automatically_derived]
impl ::core::fmt::Debug for DropStyle {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::write_str(f,
            match self {
                DropStyle::Dead => "Dead",
                DropStyle::Static => "Static",
                DropStyle::Conditional => "Conditional",
                DropStyle::Open => "Open",
            })
    }
}Debug)]
19pub(crate) enum DropStyle {
20    /// The value is already dead at the drop location, no drop will be executed.
21    Dead,
22
23    /// The value is known to always be initialized at the drop location, drop will always be
24    /// executed.
25    Static,
26
27    /// Whether the value needs to be dropped depends on its drop flag.
28    Conditional,
29
30    /// An "open" drop is one where only the fields of a value are dropped.
31    ///
32    /// For example, this happens when moving out of a struct field: The rest of the struct will be
33    /// dropped in such an "open" drop. It is also used to generate drop glue for the individual
34    /// components of a value, for example for dropping array elements.
35    Open,
36}
37
38/// Which drop flags to affect/check with an operation.
39#[derive(#[automatically_derived]
impl ::core::fmt::Debug for DropFlagMode {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::write_str(f,
            match self {
                DropFlagMode::Shallow => "Shallow",
                DropFlagMode::Deep => "Deep",
            })
    }
}Debug)]
40pub(crate) enum DropFlagMode {
41    /// Only affect the top-level drop flag, not that of any contained fields.
42    Shallow,
43    /// Affect all nested drop flags in addition to the top-level one.
44    Deep,
45}
46
47/// Describes if unwinding is necessary and where to unwind to if a panic occurs.
48#[derive(#[automatically_derived]
impl ::core::marker::Copy for Unwind { }Copy, #[automatically_derived]
impl ::core::clone::Clone for Unwind {
    #[inline]
    fn clone(&self) -> Unwind {
        let _: ::core::clone::AssertParamIsClone<BasicBlock>;
        *self
    }
}Clone, #[automatically_derived]
impl ::core::fmt::Debug for Unwind {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        match self {
            Unwind::To(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f, "To",
                    &__self_0),
            Unwind::InCleanup =>
                ::core::fmt::Formatter::write_str(f, "InCleanup"),
        }
    }
}Debug)]
49pub(crate) enum Unwind {
50    /// Unwind to this block.
51    To(BasicBlock),
52    /// Already in an unwind path, any panic will cause an abort.
53    InCleanup,
54}
55
56impl Unwind {
57    fn is_cleanup(self) -> bool {
58        match self {
59            Unwind::To(..) => false,
60            Unwind::InCleanup => true,
61        }
62    }
63
64    fn into_action(self) -> UnwindAction {
65        match self {
66            Unwind::To(bb) => UnwindAction::Cleanup(bb),
67            Unwind::InCleanup => UnwindAction::Terminate(UnwindTerminateReason::InCleanup),
68        }
69    }
70
71    fn map<F>(self, f: F) -> Self
72    where
73        F: FnOnce(BasicBlock) -> BasicBlock,
74    {
75        match self {
76            Unwind::To(bb) => Unwind::To(f(bb)),
77            Unwind::InCleanup => Unwind::InCleanup,
78        }
79    }
80}
81
82pub(crate) trait DropElaborator<'a, 'tcx>: fmt::Debug {
83    /// The type representing paths that can be moved out of.
84    ///
85    /// Users can move out of individual fields of a struct, such as `a.b.c`. This type is used to
86    /// represent such move paths. Sometimes tracking individual move paths is not necessary, in
87    /// which case this may be set to (for example) `()`.
88    type Path: Copy + fmt::Debug;
89
90    // Accessors
91
92    fn patch_ref(&self) -> &MirPatch<'tcx>;
93    fn patch(&mut self) -> &mut MirPatch<'tcx>;
94    fn body(&self) -> &'a Body<'tcx>;
95    fn tcx(&self) -> TyCtxt<'tcx>;
96    fn typing_env(&self) -> ty::TypingEnv<'tcx>;
97    fn allow_async_drops(&self) -> bool;
98
99    fn terminator_loc(&self, bb: BasicBlock) -> Location;
100
101    // Drop logic
102
103    /// Returns how `path` should be dropped, given `mode`.
104    fn drop_style(&self, path: Self::Path, mode: DropFlagMode) -> DropStyle;
105
106    /// Returns the drop flag of `path` as a MIR `Operand` (or `None` if `path` has no drop flag).
107    fn get_drop_flag(&mut self, path: Self::Path) -> Option<Operand<'tcx>>;
108
109    /// Modifies the MIR patch so that the drop flag of `path` (if any) is cleared at `location`.
110    ///
111    /// If `mode` is deep, drop flags of all child paths should also be cleared by inserting
112    /// additional statements.
113    fn clear_drop_flag(&mut self, location: Location, path: Self::Path, mode: DropFlagMode);
114
115    // Subpaths
116
117    /// Returns the subpath of a field of `path` (or `None` if there is no dedicated subpath).
118    ///
119    /// If this returns `None`, `field` will not get a dedicated drop flag.
120    fn field_subpath(&self, path: Self::Path, field: FieldIdx) -> Option<Self::Path>;
121
122    /// Returns the subpath of a dereference of `path` (or `None` if there is no dedicated subpath).
123    ///
124    /// If this returns `None`, `*path` will not get a dedicated drop flag.
125    ///
126    /// This is only relevant for `Box<T>`, where the contained `T` can be moved out of the box.
127    fn deref_subpath(&self, path: Self::Path) -> Option<Self::Path>;
128
129    /// Returns the subpath of downcasting `path` to one of its variants.
130    ///
131    /// If this returns `None`, the downcast of `path` will not get a dedicated drop flag.
132    fn downcast_subpath(&self, path: Self::Path, variant: VariantIdx) -> Option<Self::Path>;
133
134    /// Returns the subpath of indexing a fixed-size array `path`.
135    ///
136    /// If this returns `None`, elements of `path` will not get a dedicated drop flag.
137    ///
138    /// This is only relevant for array patterns, which can move out of individual array elements.
139    fn array_subpath(&self, path: Self::Path, index: u64, size: u64) -> Option<Self::Path>;
140}
141
142#[derive(#[automatically_derived]
impl<'a, 'b, 'tcx, D: ::core::fmt::Debug> ::core::fmt::Debug for
    DropCtxt<'a, 'b, 'tcx, D> where D: DropElaborator<'b, 'tcx>,
    D::Path: ::core::fmt::Debug {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        let names: &'static _ =
            &["elaborator", "source_info", "place", "path", "succ", "unwind",
                        "dropline"];
        let values: &[&dyn ::core::fmt::Debug] =
            &[&self.elaborator, &self.source_info, &self.place, &self.path,
                        &self.succ, &self.unwind, &&self.dropline];
        ::core::fmt::Formatter::debug_struct_fields_finish(f, "DropCtxt",
            names, values)
    }
}Debug)]
143struct DropCtxt<'a, 'b, 'tcx, D>
144where
145    D: DropElaborator<'b, 'tcx>,
146{
147    elaborator: &'a mut D,
148
149    source_info: SourceInfo,
150
151    place: Place<'tcx>,
152    path: D::Path,
153    succ: BasicBlock,
154    unwind: Unwind,
155    dropline: Option<BasicBlock>,
156}
157
158/// "Elaborates" a drop of `place`/`path` and patches `bb`'s terminator to execute it.
159///
160/// The passed `elaborator` is used to determine what should happen at the drop terminator. It
161/// decides whether the drop can be statically determined or whether it needs a dynamic drop flag,
162/// and whether the drop is "open", i.e. should be expanded to drop all subfields of the dropped
163/// value.
164///
165/// When this returns, the MIR patch in the `elaborator` contains the necessary changes.
166pub(crate) fn elaborate_drop<'b, 'tcx, D>(
167    elaborator: &mut D,
168    source_info: SourceInfo,
169    place: Place<'tcx>,
170    path: D::Path,
171    succ: BasicBlock,
172    unwind: Unwind,
173    bb: BasicBlock,
174    dropline: Option<BasicBlock>,
175) where
176    D: DropElaborator<'b, 'tcx>,
177    'tcx: 'b,
178{
179    DropCtxt { elaborator, source_info, place, path, succ, unwind, dropline }.elaborate_drop(bb)
180}
181
182impl<'a, 'b, 'tcx, D> DropCtxt<'a, 'b, 'tcx, D>
183where
184    D: DropElaborator<'b, 'tcx>,
185    'tcx: 'b,
186{
187    x;#[instrument(level = "trace", skip(self), ret)]
188    fn place_ty(&self, place: Place<'tcx>) -> Ty<'tcx> {
189        if place.local < self.elaborator.body().local_decls.next_index() {
190            place.ty(self.elaborator.body(), self.tcx()).ty
191        } else {
192            // We don't have a slice with all the locals, since some are in the patch.
193            PlaceTy::from_ty(self.elaborator.patch_ref().local_ty(place.local))
194                .multi_projection_ty(self.elaborator.tcx(), place.projection)
195                .ty
196        }
197    }
198
199    fn tcx(&self) -> TyCtxt<'tcx> {
200        self.elaborator.tcx()
201    }
202
203    // Generates three blocks:
204    // * #1:pin_obj_bb:   call Pin<ObjTy>::new_unchecked(&mut obj)
205    // * #2:call_drop_bb: fut = call obj.<AsyncDrop::drop>() OR call async_drop_in_place<T>(obj)
206    // * #3:drop_term_bb: drop (obj, fut, ...)
207    // We keep async drop unexpanded to poll-loop here, to expand it later, at StateTransform -
208    //   into states expand.
209    // call_destructor_only - to call only AsyncDrop::drop, not full async_drop_in_place glue
210    fn build_async_drop(
211        &mut self,
212        place: Place<'tcx>,
213        drop_ty: Ty<'tcx>,
214        bb: Option<BasicBlock>,
215        succ: BasicBlock,
216        unwind: Unwind,
217        dropline: Option<BasicBlock>,
218        call_destructor_only: bool,
219    ) -> BasicBlock {
220        let tcx = self.tcx();
221        let span = self.source_info.span;
222
223        let pin_obj_bb = bb.unwrap_or_else(|| {
224            self.elaborator.patch().new_block(BasicBlockData::new(
225                Some(Terminator {
226                    // Temporary terminator, will be replaced by patch
227                    source_info: self.source_info,
228                    kind: TerminatorKind::Return,
229                }),
230                false,
231            ))
232        });
233
234        let (fut_ty, drop_fn_def_id, trait_args) = if call_destructor_only {
235            // Resolving obj.<AsyncDrop::drop>()
236            let trait_ref =
237                ty::TraitRef::new(tcx, tcx.require_lang_item(LangItem::AsyncDrop, span), [drop_ty]);
238            let (drop_trait, trait_args) = match tcx.codegen_select_candidate(
239                ty::TypingEnv::fully_monomorphized().as_query_input(trait_ref),
240            ) {
241                Ok(traits::ImplSource::UserDefined(traits::ImplSourceUserDefinedData {
242                    impl_def_id,
243                    args,
244                    ..
245                })) => (*impl_def_id, *args),
246                impl_source => {
247                    ::rustc_middle::util::bug::span_bug_fmt(span,
    format_args!("invalid `AsyncDrop` impl_source: {0:?}", impl_source));span_bug!(span, "invalid `AsyncDrop` impl_source: {:?}", impl_source);
248                }
249            };
250            // impl_item_refs may be empty if drop fn is not implemented in 'impl AsyncDrop for ...'
251            // (#140974).
252            // Such code will report error, so just generate sync drop here and return
253            let Some(drop_fn_def_id) =
254                tcx.associated_item_def_ids(drop_trait).first().and_then(|&def_id| {
255                    if tcx.def_kind(def_id) == DefKind::AssocFn
256                        && tcx.check_args_compatible(def_id, trait_args)
257                    {
258                        Some(def_id)
259                    } else {
260                        None
261                    }
262                })
263            else {
264                tcx.dcx().span_delayed_bug(
265                    self.elaborator.body().span,
266                    "AsyncDrop type without correct `async fn drop(...)`.",
267                );
268                self.elaborator.patch().patch_terminator(
269                    pin_obj_bb,
270                    TerminatorKind::Drop {
271                        place,
272                        target: succ,
273                        unwind: unwind.into_action(),
274                        replace: false,
275                        drop: None,
276                        async_fut: None,
277                    },
278                );
279                return pin_obj_bb;
280            };
281            let drop_fn = Ty::new_fn_def(tcx, drop_fn_def_id, trait_args);
282            let sig = drop_fn.fn_sig(tcx);
283            let sig = tcx.instantiate_bound_regions_with_erased(sig);
284            (sig.output(), drop_fn_def_id, trait_args)
285        } else {
286            // Resolving async_drop_in_place<T> function for drop_ty
287            let drop_fn_def_id = tcx.require_lang_item(LangItem::AsyncDropInPlace, span);
288            let trait_args = tcx.mk_args(&[drop_ty.into()]);
289            let sig = tcx.fn_sig(drop_fn_def_id).instantiate(tcx, trait_args);
290            let sig = tcx.instantiate_bound_regions_with_erased(sig);
291            (sig.output(), drop_fn_def_id, trait_args)
292        };
293
294        let fut = Place::from(self.new_temp(fut_ty));
295
296        // #1:pin_obj_bb >>> obj_ref = &mut obj
297        let obj_ref_ty = Ty::new_mut_ref(tcx, tcx.lifetimes.re_erased, drop_ty);
298        let obj_ref_place = Place::from(self.new_temp(obj_ref_ty));
299
300        let term_loc = self.elaborator.terminator_loc(pin_obj_bb);
301        self.elaborator.patch().add_assign(
302            term_loc,
303            obj_ref_place,
304            Rvalue::Ref(
305                tcx.lifetimes.re_erased,
306                BorrowKind::Mut { kind: MutBorrowKind::Default },
307                place,
308            ),
309        );
310
311        // pin_obj_place preparation
312        let pin_obj_new_unchecked_fn = Ty::new_fn_def(
313            tcx,
314            tcx.require_lang_item(LangItem::PinNewUnchecked, span),
315            [GenericArg::from(obj_ref_ty)],
316        );
317        let pin_obj_ty = pin_obj_new_unchecked_fn.fn_sig(tcx).output().no_bound_vars().unwrap();
318        let pin_obj_place = Place::from(self.new_temp(pin_obj_ty));
319        let pin_obj_new_unchecked_fn = Operand::Constant(Box::new(ConstOperand {
320            span,
321            user_ty: None,
322            const_: Const::zero_sized(pin_obj_new_unchecked_fn),
323        }));
324
325        // Create an intermediate block that does StorageDead(fut) then jumps to succ.
326        // This is necessary because `succ` may differ from `self.succ` (e.g. when
327        // build_async_drop is called from drop_loop, `succ` is the loop header).
328        // Placing StorageDead directly at `self.succ` would miss the loop-back edge,
329        // causing StorageLive(fut) to fire again without a preceding StorageDead.
330        let succ_with_dead = self.new_block_with_statements(
331            unwind,
332            ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
        [Statement::new(self.source_info,
                    StatementKind::StorageDead(fut.local))]))vec![Statement::new(self.source_info, StatementKind::StorageDead(fut.local))],
333            TerminatorKind::Goto { target: succ },
334        );
335
336        // #3:drop_term_bb
337        let drop_term_bb = self.new_block(
338            unwind,
339            TerminatorKind::Drop {
340                place,
341                target: succ_with_dead,
342                unwind: unwind.into_action(),
343                replace: false,
344                drop: dropline,
345                async_fut: Some(fut.local),
346            },
347        );
348
349        // #2:call_drop_bb
350        let mut call_statements = Vec::new();
351        let drop_arg = if call_destructor_only {
352            pin_obj_place
353        } else {
354            let ty::Adt(adt_def, adt_args) = pin_obj_ty.kind() else {
355                ::rustc_middle::util::bug::bug_fmt(format_args!("impossible case reached"));bug!();
356            };
357            let obj_ptr_ty = Ty::new_mut_ptr(tcx, drop_ty);
358            let unwrap_ty = adt_def.non_enum_variant().fields[FieldIdx::ZERO].ty(tcx, adt_args);
359            let obj_ref_place = Place::from(self.new_temp(unwrap_ty));
360            call_statements.push(self.assign(
361                obj_ref_place,
362                Rvalue::Use(Operand::Copy(tcx.mk_place_field(
363                    pin_obj_place,
364                    FieldIdx::ZERO,
365                    unwrap_ty,
366                ))),
367            ));
368
369            let obj_ptr_place = Place::from(self.new_temp(obj_ptr_ty));
370
371            let addr = Rvalue::RawPtr(RawPtrKind::Mut, tcx.mk_place_deref(obj_ref_place));
372            call_statements.push(self.assign(obj_ptr_place, addr));
373            obj_ptr_place
374        };
375        call_statements
376            .push(Statement::new(self.source_info, StatementKind::StorageLive(fut.local)));
377
378        let call_drop_bb = self.new_block_with_statements(
379            unwind,
380            call_statements,
381            TerminatorKind::Call {
382                func: Operand::function_handle(tcx, drop_fn_def_id, trait_args, span),
383                args: [Spanned { node: Operand::Move(drop_arg), span: DUMMY_SP }].into(),
384                destination: fut,
385                target: Some(drop_term_bb),
386                unwind: unwind.into_action(),
387                call_source: CallSource::Misc,
388                fn_span: self.source_info.span,
389            },
390        );
391        // StorageDead(fut) in unwind block (at the begin)
392        if let Unwind::To(block) = unwind {
393            self.elaborator.patch().add_statement(
394                Location { block, statement_index: 0 },
395                StatementKind::StorageDead(fut.local),
396            );
397        }
398        // StorageDead(fut) in dropline block (at the begin)
399        if let Some(block) = dropline {
400            self.elaborator.patch().add_statement(
401                Location { block, statement_index: 0 },
402                StatementKind::StorageDead(fut.local),
403            );
404        }
405
406        // #1:pin_obj_bb >>> call Pin<ObjTy>::new_unchecked(&mut obj)
407        self.elaborator.patch().patch_terminator(
408            pin_obj_bb,
409            TerminatorKind::Call {
410                func: pin_obj_new_unchecked_fn,
411                args: [dummy_spanned(Operand::Move(obj_ref_place))].into(),
412                destination: pin_obj_place,
413                target: Some(call_drop_bb),
414                unwind: unwind.into_action(),
415                call_source: CallSource::Misc,
416                fn_span: span,
417            },
418        );
419        pin_obj_bb
420    }
421
422    fn build_drop(&mut self, bb: BasicBlock) {
423        let drop_ty = self.place_ty(self.place);
424        if !self.elaborator.patch_ref().block(self.elaborator.body(), bb).is_cleanup
425            && self.check_if_can_async_drop(drop_ty, false)
426        {
427            self.build_async_drop(
428                self.place,
429                drop_ty,
430                Some(bb),
431                self.succ,
432                self.unwind,
433                self.dropline,
434                false,
435            );
436        } else {
437            self.elaborator.patch().patch_terminator(
438                bb,
439                TerminatorKind::Drop {
440                    place: self.place,
441                    target: self.succ,
442                    unwind: self.unwind.into_action(),
443                    replace: false,
444                    drop: None,
445                    async_fut: None,
446                },
447            );
448        }
449    }
450
451    /// Function to check if we can generate an async drop here
452    fn check_if_can_async_drop(&mut self, drop_ty: Ty<'tcx>, call_destructor_only: bool) -> bool {
453        let is_async_drop_feature_enabled = if self.tcx().features().async_drop() {
454            true
455        } else {
456            // Check if the type needing async drop comes from a dependency crate.
457            if let ty::Adt(adt_def, _) = drop_ty.kind() {
458                !adt_def.did().is_local() && adt_def.async_destructor(self.tcx()).is_some()
459            } else {
460                false
461            }
462        };
463
464        // Short-circuit before calling needs_async_drop/is_async_drop, as those
465        // require the `async_drop` lang item to exist (which may not be present
466        // in minimal/custom core environments like cranelift's mini_core).
467        if !is_async_drop_feature_enabled
468            || !self.elaborator.body().coroutine.is_some()
469            || !self.elaborator.allow_async_drops()
470        {
471            return false;
472        }
473
474        let needs_async_drop = if call_destructor_only {
475            drop_ty.is_async_drop(self.tcx(), self.elaborator.typing_env())
476        } else {
477            drop_ty.needs_async_drop(self.tcx(), self.elaborator.typing_env())
478        };
479
480        // Async drop in libstd/libcore would become insta-stable — catch that mistake.
481        if needs_async_drop && self.tcx().features().staged_api() {
482            ::rustc_middle::util::bug::span_bug_fmt(self.source_info.span,
    format_args!("don\'t use async drop in libstd, it becomes insta-stable"));span_bug!(
483                self.source_info.span,
484                "don't use async drop in libstd, it becomes insta-stable"
485            );
486        }
487
488        needs_async_drop
489    }
490
491    /// This elaborates a single drop instruction, located at `bb`, and
492    /// patches over it.
493    ///
494    /// The elaborated drop checks the drop flags to only drop what
495    /// is initialized.
496    ///
497    /// In addition, the relevant drop flags also need to be cleared
498    /// to avoid double-drops. However, in the middle of a complex
499    /// drop, one must avoid clearing some of the flags before they
500    /// are read, as that would cause a memory leak.
501    ///
502    /// In particular, when dropping an ADT, multiple fields may be
503    /// joined together under the `rest` subpath. They are all controlled
504    /// by the primary drop flag, but only the last rest-field dropped
505    /// should clear it (and it must also not clear anything else).
506    //
507    // FIXME: I think we should just control the flags externally,
508    // and then we do not need this machinery.
509    #[allow(clippy :: suspicious_else_formatting)]
{
    let __tracing_attr_span;
    let __tracing_attr_guard;
    if ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::DEBUG <=
                    ::tracing::level_filters::LevelFilter::current() ||
            { false } {
        __tracing_attr_span =
            {
                use ::tracing::__macro_support::Callsite as _;
                static __CALLSITE: ::tracing::callsite::DefaultCallsite =
                    {
                        static META: ::tracing::Metadata<'static> =
                            {
                                ::tracing_core::metadata::Metadata::new("elaborate_drop",
                                    "rustc_mir_transform::elaborate_drop",
                                    ::tracing::Level::DEBUG,
                                    ::tracing_core::__macro_support::Option::Some("compiler/rustc_mir_transform/src/elaborate_drop.rs"),
                                    ::tracing_core::__macro_support::Option::Some(509u32),
                                    ::tracing_core::__macro_support::Option::Some("rustc_mir_transform::elaborate_drop"),
                                    ::tracing_core::field::FieldSet::new(&["self", "bb"],
                                        ::tracing_core::callsite::Identifier(&__CALLSITE)),
                                    ::tracing::metadata::Kind::SPAN)
                            };
                        ::tracing::callsite::DefaultCallsite::new(&META)
                    };
                let mut interest = ::tracing::subscriber::Interest::never();
                if ::tracing::Level::DEBUG <=
                                    ::tracing::level_filters::STATIC_MAX_LEVEL &&
                                ::tracing::Level::DEBUG <=
                                    ::tracing::level_filters::LevelFilter::current() &&
                            { interest = __CALLSITE.interest(); !interest.is_never() }
                        &&
                        ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                            interest) {
                    let meta = __CALLSITE.metadata();
                    ::tracing::Span::new(meta,
                        &{
                                #[allow(unused_imports)]
                                use ::tracing::field::{debug, display, Value};
                                let mut iter = meta.fields().iter();
                                meta.fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                                    ::tracing::__macro_support::Option::Some(&::tracing::field::debug(&self)
                                                            as &dyn Value)),
                                                (&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                                    ::tracing::__macro_support::Option::Some(&::tracing::field::debug(&bb)
                                                            as &dyn Value))])
                            })
                } else {
                    let span =
                        ::tracing::__macro_support::__disabled_span(__CALLSITE.metadata());
                    {};
                    span
                }
            };
        __tracing_attr_guard = __tracing_attr_span.enter();
    }

    #[warn(clippy :: suspicious_else_formatting)]
    {

        #[allow(unknown_lints, unreachable_code, clippy ::
        diverging_sub_expression, clippy :: empty_loop, clippy ::
        let_unit_value, clippy :: let_with_type_underscore, clippy ::
        needless_return, clippy :: unreachable)]
        if false {
            let __tracing_attr_fake_return: () = loop {};
            return __tracing_attr_fake_return;
        }
        {
            match self.elaborator.drop_style(self.path, DropFlagMode::Deep) {
                DropStyle::Dead => {
                    self.elaborator.patch().patch_terminator(bb,
                        TerminatorKind::Goto { target: self.succ });
                }
                DropStyle::Static => { self.build_drop(bb); }
                DropStyle::Conditional => {
                    let drop_bb = self.complete_drop(self.succ, self.unwind);
                    self.elaborator.patch().patch_terminator(bb,
                        TerminatorKind::Goto { target: drop_bb });
                }
                DropStyle::Open => {
                    let drop_bb = self.open_drop();
                    self.elaborator.patch().patch_terminator(bb,
                        TerminatorKind::Goto { target: drop_bb });
                }
            }
        }
    }
}#[instrument(level = "debug")]
510    fn elaborate_drop(&mut self, bb: BasicBlock) {
511        match self.elaborator.drop_style(self.path, DropFlagMode::Deep) {
512            DropStyle::Dead => {
513                self.elaborator
514                    .patch()
515                    .patch_terminator(bb, TerminatorKind::Goto { target: self.succ });
516            }
517            DropStyle::Static => {
518                self.build_drop(bb);
519            }
520            DropStyle::Conditional => {
521                let drop_bb = self.complete_drop(self.succ, self.unwind);
522                self.elaborator
523                    .patch()
524                    .patch_terminator(bb, TerminatorKind::Goto { target: drop_bb });
525            }
526            DropStyle::Open => {
527                let drop_bb = self.open_drop();
528                self.elaborator
529                    .patch()
530                    .patch_terminator(bb, TerminatorKind::Goto { target: drop_bb });
531            }
532        }
533    }
534
535    /// Returns the place and move path for each field of `variant`,
536    /// (the move path is `None` if the field is a rest field).
537    fn move_paths_for_fields(
538        &self,
539        base_place: Place<'tcx>,
540        variant_path: D::Path,
541        variant: &'tcx ty::VariantDef,
542        args: GenericArgsRef<'tcx>,
543    ) -> Vec<(Place<'tcx>, Option<D::Path>)> {
544        variant
545            .fields
546            .iter_enumerated()
547            .map(|(field_idx, field)| {
548                let subpath = self.elaborator.field_subpath(variant_path, field_idx);
549                let tcx = self.tcx();
550
551                match (&self.elaborator.typing_env().typing_mode,
        &ty::TypingMode::PostAnalysis) {
    (left_val, right_val) => {
        if !(*left_val == *right_val) {
            let kind = ::core::panicking::AssertKind::Eq;
            ::core::panicking::assert_failed(kind, &*left_val, &*right_val,
                ::core::option::Option::None);
        }
    }
};assert_eq!(self.elaborator.typing_env().typing_mode, ty::TypingMode::PostAnalysis);
552                let field_ty = field.ty(tcx, args);
553                // We silently leave an unnormalized type here to support polymorphic drop
554                // elaboration for users of rustc internal APIs
555                let field_ty = tcx
556                    .try_normalize_erasing_regions(self.elaborator.typing_env(), field_ty)
557                    .unwrap_or(field_ty);
558
559                (tcx.mk_place_field(base_place, field_idx, field_ty), subpath)
560            })
561            .collect()
562    }
563
564    fn drop_subpath(
565        &mut self,
566        place: Place<'tcx>,
567        path: Option<D::Path>,
568        succ: BasicBlock,
569        unwind: Unwind,
570        dropline: Option<BasicBlock>,
571    ) -> BasicBlock {
572        if let Some(path) = path {
573            {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_mir_transform/src/elaborate_drop.rs:573",
                        "rustc_mir_transform::elaborate_drop",
                        ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_mir_transform/src/elaborate_drop.rs"),
                        ::tracing_core::__macro_support::Option::Some(573u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_mir_transform::elaborate_drop"),
                        ::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!("drop_subpath: for std field {0:?}",
                                                    place) as &dyn Value))])
            });
    } else { ; }
};debug!("drop_subpath: for std field {:?}", place);
574
575            DropCtxt {
576                elaborator: self.elaborator,
577                source_info: self.source_info,
578                path,
579                place,
580                succ,
581                unwind,
582                dropline,
583            }
584            .elaborated_drop_block()
585        } else {
586            {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_mir_transform/src/elaborate_drop.rs:586",
                        "rustc_mir_transform::elaborate_drop",
                        ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_mir_transform/src/elaborate_drop.rs"),
                        ::tracing_core::__macro_support::Option::Some(586u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_mir_transform::elaborate_drop"),
                        ::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!("drop_subpath: for rest field {0:?}",
                                                    place) as &dyn Value))])
            });
    } else { ; }
};debug!("drop_subpath: for rest field {:?}", place);
587
588            DropCtxt {
589                elaborator: self.elaborator,
590                source_info: self.source_info,
591                place,
592                succ,
593                unwind,
594                dropline,
595                // Using `self.path` here to condition the drop on
596                // our own drop flag.
597                path: self.path,
598            }
599            .complete_drop(succ, unwind)
600        }
601    }
602
603    /// Creates one-half of the drop ladder for a list of fields, and return
604    /// the list of steps in it in reverse order, with the first step
605    /// dropping 0 fields and so on.
606    ///
607    /// `unwind_ladder` is such a list of steps in reverse order,
608    /// which is called if the matching step of the drop glue panics.
609    ///
610    /// `dropline_ladder` is a similar list of steps in reverse order,
611    /// which is called if the matching step of the drop glue will contain async drop
612    /// (expanded later to Yield) and the containing coroutine will be dropped at this point.
613    fn drop_halfladder(
614        &mut self,
615        unwind_ladder: &[Unwind],
616        dropline_ladder: &[Option<BasicBlock>],
617        mut succ: BasicBlock,
618        fields: &[(Place<'tcx>, Option<D::Path>)],
619    ) -> Vec<BasicBlock> {
620        iter::once(succ)
621            .chain(::itertools::__std_iter::IntoIterator::into_iter(fields.iter().rev()).zip(unwind_ladder).zip(dropline_ladder).map(|((a,
            b), b)| (a, b, b))itertools::izip!(fields.iter().rev(), unwind_ladder, dropline_ladder).map(
622                |(&(place, path), &unwind_succ, &dropline_to)| {
623                    succ = self.drop_subpath(place, path, succ, unwind_succ, dropline_to);
624                    succ
625                },
626            ))
627            .collect()
628    }
629
630    fn drop_ladder_bottom(&mut self) -> (BasicBlock, Unwind, Option<BasicBlock>) {
631        // Clear the "master" drop flag at the end. This is needed
632        // because the "master" drop protects the ADT's discriminant,
633        // which is invalidated after the ADT is dropped.
634        (
635            self.drop_flag_reset_block(DropFlagMode::Shallow, self.succ, self.unwind),
636            self.unwind,
637            self.dropline,
638        )
639    }
640
641    /// Creates a full drop ladder, consisting of 2 connected half-drop-ladders
642    ///
643    /// For example, with 3 fields, the drop ladder is
644    ///
645    /// ```text
646    /// .d0:
647    ///     ELAB(drop location.0 [target=.d1, unwind=.c1])
648    /// .d1:
649    ///     ELAB(drop location.1 [target=.d2, unwind=.c2])
650    /// .d2:
651    ///     ELAB(drop location.2 [target=`self.succ`, unwind=`self.unwind`])
652    /// .c1:
653    ///     ELAB(drop location.1 [target=.c2])
654    /// .c2:
655    ///     ELAB(drop location.2 [target=`self.unwind`])
656    /// ```
657    ///
658    /// For possible-async drops in coroutines we also need dropline ladder
659    /// ```text
660    /// .d0 (mainline):
661    ///     ELAB(drop location.0 [target=.d1, unwind=.c1, drop=.e1])
662    /// .d1 (mainline):
663    ///     ELAB(drop location.1 [target=.d2, unwind=.c2, drop=.e2])
664    /// .d2 (mainline):
665    ///     ELAB(drop location.2 [target=`self.succ`, unwind=`self.unwind`, drop=`self.drop`])
666    /// .c1 (unwind):
667    ///     ELAB(drop location.1 [target=.c2])
668    /// .c2 (unwind):
669    ///     ELAB(drop location.2 [target=`self.unwind`])
670    /// .e1 (dropline):
671    ///     ELAB(drop location.1 [target=.e2, unwind=.c2])
672    /// .e2 (dropline):
673    ///     ELAB(drop location.2 [target=`self.drop`, unwind=`self.unwind`])
674    /// ```
675    ///
676    /// NOTE: this does not clear the master drop flag, so you need
677    /// to point succ/unwind on a `drop_ladder_bottom`.
678    fn drop_ladder(
679        &mut self,
680        fields: Vec<(Place<'tcx>, Option<D::Path>)>,
681        succ: BasicBlock,
682        unwind: Unwind,
683        dropline: Option<BasicBlock>,
684    ) -> (BasicBlock, Unwind, Option<BasicBlock>) {
685        {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_mir_transform/src/elaborate_drop.rs:685",
                        "rustc_mir_transform::elaborate_drop",
                        ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_mir_transform/src/elaborate_drop.rs"),
                        ::tracing_core::__macro_support::Option::Some(685u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_mir_transform::elaborate_drop"),
                        ::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!("drop_ladder({0:?}, {1:?})",
                                                    self, fields) as &dyn Value))])
            });
    } else { ; }
};debug!("drop_ladder({:?}, {:?})", self, fields);
686        if !if unwind.is_cleanup() { dropline.is_none() } else { true } {
    {
        ::core::panicking::panic_fmt(format_args!("Dropline is set for cleanup drop ladder"));
    }
};assert!(
687            if unwind.is_cleanup() { dropline.is_none() } else { true },
688            "Dropline is set for cleanup drop ladder"
689        );
690
691        let mut fields = fields;
692        fields.retain(|&(place, _)| {
693            self.place_ty(place).needs_drop(self.tcx(), self.elaborator.typing_env())
694        });
695
696        {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_mir_transform/src/elaborate_drop.rs:696",
                        "rustc_mir_transform::elaborate_drop",
                        ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_mir_transform/src/elaborate_drop.rs"),
                        ::tracing_core::__macro_support::Option::Some(696u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_mir_transform::elaborate_drop"),
                        ::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!("drop_ladder - fields needing drop: {0:?}",
                                                    fields) as &dyn Value))])
            });
    } else { ; }
};debug!("drop_ladder - fields needing drop: {:?}", fields);
697
698        let dropline_ladder: Vec<Option<BasicBlock>> = ::alloc::vec::from_elem(None, fields.len() + 1)vec![None; fields.len() + 1];
699        let unwind_ladder = ::alloc::vec::from_elem(Unwind::InCleanup, fields.len() + 1)vec![Unwind::InCleanup; fields.len() + 1];
700        let unwind_ladder: Vec<_> = if let Unwind::To(succ) = unwind {
701            let halfladder = self.drop_halfladder(&unwind_ladder, &dropline_ladder, succ, &fields);
702            halfladder.into_iter().map(Unwind::To).collect()
703        } else {
704            unwind_ladder
705        };
706        let dropline_ladder: Vec<_> = if let Some(succ) = dropline {
707            let halfladder = self.drop_halfladder(&unwind_ladder, &dropline_ladder, succ, &fields);
708            halfladder.into_iter().map(Some).collect()
709        } else {
710            dropline_ladder
711        };
712
713        let normal_ladder = self.drop_halfladder(&unwind_ladder, &dropline_ladder, succ, &fields);
714
715        (
716            *normal_ladder.last().unwrap(),
717            *unwind_ladder.last().unwrap(),
718            *dropline_ladder.last().unwrap(),
719        )
720    }
721
722    fn open_drop_for_tuple(&mut self, tys: &[Ty<'tcx>]) -> BasicBlock {
723        {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_mir_transform/src/elaborate_drop.rs:723",
                        "rustc_mir_transform::elaborate_drop",
                        ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_mir_transform/src/elaborate_drop.rs"),
                        ::tracing_core::__macro_support::Option::Some(723u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_mir_transform::elaborate_drop"),
                        ::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!("open_drop_for_tuple({0:?}, {1:?})",
                                                    self, tys) as &dyn Value))])
            });
    } else { ; }
};debug!("open_drop_for_tuple({:?}, {:?})", self, tys);
724
725        let fields = tys
726            .iter()
727            .enumerate()
728            .map(|(i, &ty)| {
729                (
730                    self.tcx().mk_place_field(self.place, FieldIdx::new(i), ty),
731                    self.elaborator.field_subpath(self.path, FieldIdx::new(i)),
732                )
733            })
734            .collect();
735
736        let (succ, unwind, dropline) = self.drop_ladder_bottom();
737        self.drop_ladder(fields, succ, unwind, dropline).0
738    }
739
740    /// Drops the T contained in a `Box<T>` if it has not been moved out of
741    x;#[instrument(level = "debug", ret)]
742    fn open_drop_for_box_contents(
743        &mut self,
744        adt: ty::AdtDef<'tcx>,
745        args: GenericArgsRef<'tcx>,
746        succ: BasicBlock,
747        unwind: Unwind,
748        dropline: Option<BasicBlock>,
749    ) -> BasicBlock {
750        // drop glue is sent straight to codegen
751        // box cannot be directly dereferenced
752        let unique_ty = adt.non_enum_variant().fields[FieldIdx::ZERO].ty(self.tcx(), args);
753        let unique_variant = unique_ty.ty_adt_def().unwrap().non_enum_variant();
754        let nonnull_ty = unique_variant.fields[FieldIdx::ZERO].ty(self.tcx(), args);
755        let ptr_ty = Ty::new_imm_ptr(self.tcx(), args[0].expect_ty());
756
757        let unique_place = self.tcx().mk_place_field(self.place, FieldIdx::ZERO, unique_ty);
758        let nonnull_place = self.tcx().mk_place_field(unique_place, FieldIdx::ZERO, nonnull_ty);
759
760        let ptr_local = self.new_temp(ptr_ty);
761
762        let interior = self.tcx().mk_place_deref(Place::from(ptr_local));
763        let interior_path = self.elaborator.deref_subpath(self.path);
764
765        let do_drop_bb = self.drop_subpath(interior, interior_path, succ, unwind, dropline);
766
767        let setup_bbd = BasicBlockData::new_stmts(
768            vec![self.assign(
769                Place::from(ptr_local),
770                Rvalue::Cast(CastKind::Transmute, Operand::Copy(nonnull_place), ptr_ty),
771            )],
772            Some(Terminator {
773                kind: TerminatorKind::Goto { target: do_drop_bb },
774                source_info: self.source_info,
775            }),
776            unwind.is_cleanup(),
777        );
778        self.elaborator.patch().new_block(setup_bbd)
779    }
780
781    x;#[instrument(level = "debug", ret)]
782    fn open_drop_for_adt(
783        &mut self,
784        adt: ty::AdtDef<'tcx>,
785        args: GenericArgsRef<'tcx>,
786    ) -> BasicBlock {
787        if adt.variants().is_empty() {
788            return self.elaborator.patch().new_block(BasicBlockData::new(
789                Some(Terminator {
790                    source_info: self.source_info,
791                    kind: TerminatorKind::Unreachable,
792                }),
793                self.unwind.is_cleanup(),
794            ));
795        }
796
797        let skip_contents = adt.is_union() || adt.is_manually_drop();
798        let contents_drop = if skip_contents {
799            if adt.has_dtor(self.tcx()) && self.elaborator.get_drop_flag(self.path).is_some() {
800                // the top-level drop flag is usually cleared by open_drop_for_adt_contents
801                // types with destructors would still need an empty drop ladder to clear it
802
803                // however, these types are only open dropped in `DropShimElaborator`
804                // which does not have drop flags
805                // a future box-like "DerefMove" trait would allow for this case to happen
806                span_bug!(self.source_info.span, "open dropping partially moved union");
807            }
808
809            (self.succ, self.unwind, self.dropline)
810        } else {
811            self.open_drop_for_adt_contents(adt, args)
812        };
813
814        if adt.has_dtor(self.tcx()) {
815            let destructor_block = if adt.is_box() {
816                // we need to drop the inside of the box before running the destructor
817                let succ = self.destructor_call_block_sync((contents_drop.0, contents_drop.1));
818                let unwind = contents_drop
819                    .1
820                    .map(|unwind| self.destructor_call_block_sync((unwind, Unwind::InCleanup)));
821                let dropline = contents_drop
822                    .2
823                    .map(|dropline| self.destructor_call_block_sync((dropline, contents_drop.1)));
824                self.open_drop_for_box_contents(adt, args, succ, unwind, dropline)
825            } else {
826                self.destructor_call_block(contents_drop)
827            };
828
829            self.drop_flag_test_block(destructor_block, contents_drop.0, contents_drop.1)
830        } else {
831            contents_drop.0
832        }
833    }
834
835    fn open_drop_for_adt_contents(
836        &mut self,
837        adt: ty::AdtDef<'tcx>,
838        args: GenericArgsRef<'tcx>,
839    ) -> (BasicBlock, Unwind, Option<BasicBlock>) {
840        let (succ, unwind, dropline) = self.drop_ladder_bottom();
841        if !adt.is_enum() {
842            let fields =
843                self.move_paths_for_fields(self.place, self.path, adt.variant(FIRST_VARIANT), args);
844            self.drop_ladder(fields, succ, unwind, dropline)
845        } else {
846            self.open_drop_for_multivariant(adt, args, succ, unwind, dropline)
847        }
848    }
849
850    fn open_drop_for_multivariant(
851        &mut self,
852        adt: ty::AdtDef<'tcx>,
853        args: GenericArgsRef<'tcx>,
854        succ: BasicBlock,
855        unwind: Unwind,
856        dropline: Option<BasicBlock>,
857    ) -> (BasicBlock, Unwind, Option<BasicBlock>) {
858        let mut values = Vec::with_capacity(adt.variants().len());
859        let mut normal_blocks = Vec::with_capacity(adt.variants().len());
860        let mut unwind_blocks =
861            if unwind.is_cleanup() { None } else { Some(Vec::with_capacity(adt.variants().len())) };
862        let mut dropline_blocks =
863            if dropline.is_none() { None } else { Some(Vec::with_capacity(adt.variants().len())) };
864
865        let mut have_otherwise_with_drop_glue = false;
866        let mut have_otherwise = false;
867        let tcx = self.tcx();
868
869        for (variant_index, discr) in adt.discriminants(tcx) {
870            let variant = &adt.variant(variant_index);
871            let subpath = self.elaborator.downcast_subpath(self.path, variant_index);
872
873            if let Some(variant_path) = subpath {
874                let base_place = tcx.mk_place_elem(
875                    self.place,
876                    ProjectionElem::Downcast(Some(variant.name), variant_index),
877                );
878                let fields = self.move_paths_for_fields(base_place, variant_path, variant, args);
879                values.push(discr.val);
880                if let Unwind::To(unwind) = unwind {
881                    // We can't use the half-ladder from the original
882                    // drop ladder, because this breaks the
883                    // "funclet can't have 2 successor funclets"
884                    // requirement from MSVC:
885                    //
886                    //           switch       unwind-switch
887                    //          /      \         /        \
888                    //         v1.0    v2.0  v2.0-unwind  v1.0-unwind
889                    //         |        |      /             |
890                    //    v1.1-unwind  v2.1-unwind           |
891                    //      ^                                |
892                    //       \-------------------------------/
893                    //
894                    // Create a duplicate half-ladder to avoid that. We
895                    // could technically only do this on MSVC, but I
896                    // I want to minimize the divergence between MSVC
897                    // and non-MSVC.
898
899                    let unwind_blocks = unwind_blocks.as_mut().unwrap();
900                    let unwind_ladder = ::alloc::vec::from_elem(Unwind::InCleanup, fields.len() + 1)vec![Unwind::InCleanup; fields.len() + 1];
901                    let dropline_ladder: Vec<Option<BasicBlock>> = ::alloc::vec::from_elem(None, fields.len() + 1)vec![None; fields.len() + 1];
902                    let halfladder =
903                        self.drop_halfladder(&unwind_ladder, &dropline_ladder, unwind, &fields);
904                    unwind_blocks.push(halfladder.last().cloned().unwrap());
905                }
906                let (normal, _, drop_bb) = self.drop_ladder(fields, succ, unwind, dropline);
907                normal_blocks.push(normal);
908                if dropline.is_some() {
909                    dropline_blocks.as_mut().unwrap().push(drop_bb.unwrap());
910                }
911            } else {
912                have_otherwise = true;
913
914                let typing_env = self.elaborator.typing_env();
915                let have_field_with_drop_glue = variant
916                    .fields
917                    .iter()
918                    .any(|field| field.ty(tcx, args).needs_drop(tcx, typing_env));
919                if have_field_with_drop_glue {
920                    have_otherwise_with_drop_glue = true;
921                }
922            }
923        }
924
925        if !have_otherwise {
926            values.pop();
927        } else if !have_otherwise_with_drop_glue {
928            normal_blocks.push(self.goto_block(succ, unwind));
929            if let Unwind::To(unwind) = unwind {
930                unwind_blocks.as_mut().unwrap().push(self.goto_block(unwind, Unwind::InCleanup));
931            }
932        } else {
933            normal_blocks.push(self.drop_block(succ, unwind));
934            if let Unwind::To(unwind) = unwind {
935                unwind_blocks.as_mut().unwrap().push(self.drop_block(unwind, Unwind::InCleanup));
936            }
937        }
938
939        (
940            self.adt_switch_block(adt, normal_blocks, &values, succ, unwind),
941            unwind.map(|unwind| {
942                self.adt_switch_block(
943                    adt,
944                    unwind_blocks.unwrap(),
945                    &values,
946                    unwind,
947                    Unwind::InCleanup,
948                )
949            }),
950            dropline.map(|dropline| {
951                self.adt_switch_block(adt, dropline_blocks.unwrap(), &values, dropline, unwind)
952            }),
953        )
954    }
955
956    fn adt_switch_block(
957        &mut self,
958        adt: ty::AdtDef<'tcx>,
959        blocks: Vec<BasicBlock>,
960        values: &[u128],
961        succ: BasicBlock,
962        unwind: Unwind,
963    ) -> BasicBlock {
964        // If there are multiple variants, then if something
965        // is present within the enum the discriminant, tracked
966        // by the rest path, must be initialized.
967        //
968        // Additionally, we do not want to switch on the
969        // discriminant after it is free-ed, because that
970        // way lies only trouble.
971        let discr_ty = adt.repr().discr_type().to_ty(self.tcx());
972        let discr = Place::from(self.new_temp(discr_ty));
973        let discr_rv = Rvalue::Discriminant(self.place);
974        let switch_block = BasicBlockData::new_stmts(
975            ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
        [self.assign(discr, discr_rv)]))vec![self.assign(discr, discr_rv)],
976            Some(Terminator {
977                source_info: self.source_info,
978                kind: TerminatorKind::SwitchInt {
979                    discr: Operand::Move(discr),
980                    targets: SwitchTargets::new(
981                        values.iter().copied().zip(blocks.iter().copied()),
982                        *blocks.last().unwrap(),
983                    ),
984                },
985            }),
986            unwind.is_cleanup(),
987        );
988        let switch_block = self.elaborator.patch().new_block(switch_block);
989        self.drop_flag_test_block(switch_block, succ, unwind)
990    }
991
992    fn destructor_call_block_sync(&mut self, (succ, unwind): (BasicBlock, Unwind)) -> BasicBlock {
993        {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_mir_transform/src/elaborate_drop.rs:993",
                        "rustc_mir_transform::elaborate_drop",
                        ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_mir_transform/src/elaborate_drop.rs"),
                        ::tracing_core::__macro_support::Option::Some(993u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_mir_transform::elaborate_drop"),
                        ::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!("destructor_call_block_sync({0:?}, {1:?})",
                                                    self, succ) as &dyn Value))])
            });
    } else { ; }
};debug!("destructor_call_block_sync({:?}, {:?})", self, succ);
994        let tcx = self.tcx();
995        let drop_trait = tcx.require_lang_item(LangItem::Drop, DUMMY_SP);
996        let drop_fn = tcx.associated_item_def_ids(drop_trait)[0];
997        let ty = self.place_ty(self.place);
998
999        let ref_ty = Ty::new_mut_ref(tcx, tcx.lifetimes.re_erased, ty);
1000        let ref_place = self.new_temp(ref_ty);
1001        let unit_temp = Place::from(self.new_temp(tcx.types.unit));
1002
1003        let result = BasicBlockData::new_stmts(
1004            ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
        [self.assign(Place::from(ref_place),
                    Rvalue::Ref(tcx.lifetimes.re_erased,
                        BorrowKind::Mut { kind: MutBorrowKind::Default },
                        self.place))]))vec![self.assign(
1005                Place::from(ref_place),
1006                Rvalue::Ref(
1007                    tcx.lifetimes.re_erased,
1008                    BorrowKind::Mut { kind: MutBorrowKind::Default },
1009                    self.place,
1010                ),
1011            )],
1012            Some(Terminator {
1013                kind: TerminatorKind::Call {
1014                    func: Operand::function_handle(
1015                        tcx,
1016                        drop_fn,
1017                        [ty.into()],
1018                        self.source_info.span,
1019                    ),
1020                    args: [Spanned { node: Operand::Move(Place::from(ref_place)), span: DUMMY_SP }]
1021                        .into(),
1022                    destination: unit_temp,
1023                    target: Some(succ),
1024                    unwind: unwind.into_action(),
1025                    call_source: CallSource::Misc,
1026                    fn_span: self.source_info.span,
1027                },
1028                source_info: self.source_info,
1029            }),
1030            unwind.is_cleanup(),
1031        );
1032
1033        self.elaborator.patch().new_block(result)
1034    }
1035
1036    fn destructor_call_block(
1037        &mut self,
1038        (succ, unwind, dropline): (BasicBlock, Unwind, Option<BasicBlock>),
1039    ) -> BasicBlock {
1040        {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_mir_transform/src/elaborate_drop.rs:1040",
                        "rustc_mir_transform::elaborate_drop",
                        ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_mir_transform/src/elaborate_drop.rs"),
                        ::tracing_core::__macro_support::Option::Some(1040u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_mir_transform::elaborate_drop"),
                        ::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!("destructor_call_block({0:?}, {1:?})",
                                                    self, succ) as &dyn Value))])
            });
    } else { ; }
};debug!("destructor_call_block({:?}, {:?})", self, succ);
1041        let ty = self.place_ty(self.place);
1042        if !unwind.is_cleanup() && self.check_if_can_async_drop(ty, true) {
1043            self.build_async_drop(self.place, ty, None, succ, unwind, dropline, true)
1044        } else {
1045            self.destructor_call_block_sync((succ, unwind))
1046        }
1047    }
1048
1049    /// Create a loop that drops an array:
1050    ///
1051    /// ```text
1052    /// loop-block:
1053    ///    can_go = cur == len
1054    ///    if can_go then succ else drop-block
1055    /// drop-block:
1056    ///    ptr = &raw mut P[cur]
1057    ///    cur = cur + 1
1058    ///    drop(ptr)
1059    /// ```
1060    fn drop_loop(
1061        &mut self,
1062        succ: BasicBlock,
1063        cur: Local,
1064        len: Local,
1065        ety: Ty<'tcx>,
1066        unwind: Unwind,
1067        dropline: Option<BasicBlock>,
1068    ) -> BasicBlock {
1069        let copy = |place: Place<'tcx>| Operand::Copy(place);
1070        let move_ = |place: Place<'tcx>| Operand::Move(place);
1071        let tcx = self.tcx();
1072
1073        let ptr_ty = Ty::new_mut_ptr(tcx, ety);
1074        let ptr = Place::from(self.new_temp(ptr_ty));
1075        let can_go = Place::from(self.new_temp(tcx.types.bool));
1076        let one = self.constant_usize(1);
1077
1078        let drop_block = BasicBlockData::new_stmts(
1079            ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
        [self.assign(ptr,
                    Rvalue::RawPtr(RawPtrKind::Mut,
                        tcx.mk_place_index(self.place, cur))),
                self.assign(cur.into(),
                    Rvalue::BinaryOp(BinOp::Add,
                        Box::new((move_(cur.into()), one))))]))vec![
1080                self.assign(
1081                    ptr,
1082                    Rvalue::RawPtr(RawPtrKind::Mut, tcx.mk_place_index(self.place, cur)),
1083                ),
1084                self.assign(
1085                    cur.into(),
1086                    Rvalue::BinaryOp(BinOp::Add, Box::new((move_(cur.into()), one))),
1087                ),
1088            ],
1089            Some(Terminator {
1090                source_info: self.source_info,
1091                // this gets overwritten by drop elaboration.
1092                kind: TerminatorKind::Unreachable,
1093            }),
1094            unwind.is_cleanup(),
1095        );
1096        let drop_block = self.elaborator.patch().new_block(drop_block);
1097
1098        let loop_block = BasicBlockData::new_stmts(
1099            ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
        [self.assign(can_go,
                    Rvalue::BinaryOp(BinOp::Eq,
                        Box::new((copy(Place::from(cur)), copy(len.into())))))]))vec![self.assign(
1100                can_go,
1101                Rvalue::BinaryOp(BinOp::Eq, Box::new((copy(Place::from(cur)), copy(len.into())))),
1102            )],
1103            Some(Terminator {
1104                source_info: self.source_info,
1105                kind: TerminatorKind::if_(move_(can_go), succ, drop_block),
1106            }),
1107            unwind.is_cleanup(),
1108        );
1109        let loop_block = self.elaborator.patch().new_block(loop_block);
1110
1111        let place = tcx.mk_place_deref(ptr);
1112        if !unwind.is_cleanup() && self.check_if_can_async_drop(ety, false) {
1113            self.build_async_drop(
1114                place,
1115                ety,
1116                Some(drop_block),
1117                loop_block,
1118                unwind,
1119                dropline,
1120                false,
1121            );
1122        } else {
1123            self.elaborator.patch().patch_terminator(
1124                drop_block,
1125                TerminatorKind::Drop {
1126                    place,
1127                    target: loop_block,
1128                    unwind: unwind.into_action(),
1129                    replace: false,
1130                    drop: None,
1131                    async_fut: None,
1132                },
1133            );
1134        }
1135        loop_block
1136    }
1137
1138    fn open_drop_for_array(
1139        &mut self,
1140        array_ty: Ty<'tcx>,
1141        ety: Ty<'tcx>,
1142        opt_size: Option<u64>,
1143    ) -> BasicBlock {
1144        {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_mir_transform/src/elaborate_drop.rs:1144",
                        "rustc_mir_transform::elaborate_drop",
                        ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_mir_transform/src/elaborate_drop.rs"),
                        ::tracing_core::__macro_support::Option::Some(1144u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_mir_transform::elaborate_drop"),
                        ::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!("open_drop_for_array({0:?}, {1:?}, {2:?})",
                                                    array_ty, ety, opt_size) as &dyn Value))])
            });
    } else { ; }
};debug!("open_drop_for_array({:?}, {:?}, {:?})", array_ty, ety, opt_size);
1145        let tcx = self.tcx();
1146
1147        if let Some(size) = opt_size {
1148            enum ProjectionKind<Path> {
1149                Drop(std::ops::Range<u64>),
1150                Keep(u64, Path),
1151            }
1152            // Previously, we'd make a projection for every element in the array and create a drop
1153            // ladder if any `array_subpath` was `Some`, i.e. moving out with an array pattern.
1154            // This caused huge memory usage when generating the drops for large arrays, so we instead
1155            // record the *subslices* which are dropped and the *indexes* which are kept
1156            let mut drop_ranges = ::alloc::vec::Vec::new()vec![];
1157            let mut dropping = true;
1158            let mut start = 0;
1159            for i in 0..size {
1160                let path = self.elaborator.array_subpath(self.path, i, size);
1161                if dropping && path.is_some() {
1162                    drop_ranges.push(ProjectionKind::Drop(start..i));
1163                    dropping = false;
1164                } else if !dropping && path.is_none() {
1165                    dropping = true;
1166                    start = i;
1167                }
1168                if let Some(path) = path {
1169                    drop_ranges.push(ProjectionKind::Keep(i, path));
1170                }
1171            }
1172            if !drop_ranges.is_empty() {
1173                if dropping {
1174                    drop_ranges.push(ProjectionKind::Drop(start..size));
1175                }
1176                let fields = drop_ranges
1177                    .iter()
1178                    .rev()
1179                    .map(|p| {
1180                        let (project, path) = match p {
1181                            ProjectionKind::Drop(r) => (
1182                                ProjectionElem::Subslice {
1183                                    from: r.start,
1184                                    to: r.end,
1185                                    from_end: false,
1186                                },
1187                                None,
1188                            ),
1189                            &ProjectionKind::Keep(offset, path) => (
1190                                ProjectionElem::ConstantIndex {
1191                                    offset,
1192                                    min_length: size,
1193                                    from_end: false,
1194                                },
1195                                Some(path),
1196                            ),
1197                        };
1198                        (tcx.mk_place_elem(self.place, project), path)
1199                    })
1200                    .collect::<Vec<_>>();
1201                let (succ, unwind, dropline) = self.drop_ladder_bottom();
1202                return self.drop_ladder(fields, succ, unwind, dropline).0;
1203            }
1204        }
1205
1206        let array_ptr_ty = Ty::new_mut_ptr(tcx, array_ty);
1207        let array_ptr = self.new_temp(array_ptr_ty);
1208
1209        let slice_ty = Ty::new_slice(tcx, ety);
1210        let slice_ptr_ty = Ty::new_mut_ptr(tcx, slice_ty);
1211        let slice_ptr = self.new_temp(slice_ptr_ty);
1212
1213        let mut delegate_block = BasicBlockData::new_stmts(
1214            ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
        [self.assign(Place::from(array_ptr),
                    Rvalue::RawPtr(RawPtrKind::Mut, self.place)),
                self.assign(Place::from(slice_ptr),
                    Rvalue::Cast(CastKind::PointerCoercion(PointerCoercion::Unsize,
                            CoercionSource::Implicit),
                        Operand::Move(Place::from(array_ptr)), slice_ptr_ty))]))vec![
1215                self.assign(Place::from(array_ptr), Rvalue::RawPtr(RawPtrKind::Mut, self.place)),
1216                self.assign(
1217                    Place::from(slice_ptr),
1218                    Rvalue::Cast(
1219                        CastKind::PointerCoercion(
1220                            PointerCoercion::Unsize,
1221                            CoercionSource::Implicit,
1222                        ),
1223                        Operand::Move(Place::from(array_ptr)),
1224                        slice_ptr_ty,
1225                    ),
1226                ),
1227            ],
1228            None,
1229            self.unwind.is_cleanup(),
1230        );
1231
1232        let array_place = mem::replace(
1233            &mut self.place,
1234            Place::from(slice_ptr).project_deeper(&[PlaceElem::Deref], tcx),
1235        );
1236        let slice_block = self.drop_loop_trio_for_slice(ety);
1237        self.place = array_place;
1238
1239        delegate_block.terminator = Some(Terminator {
1240            source_info: self.source_info,
1241            kind: TerminatorKind::Goto { target: slice_block },
1242        });
1243        self.elaborator.patch().new_block(delegate_block)
1244    }
1245
1246    /// Creates a trio of drop-loops of `place`, which drops its contents, even
1247    /// in the case of 1 panic or in the case of coroutine drop
1248    fn drop_loop_trio_for_slice(&mut self, ety: Ty<'tcx>) -> BasicBlock {
1249        {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_mir_transform/src/elaborate_drop.rs:1249",
                        "rustc_mir_transform::elaborate_drop",
                        ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_mir_transform/src/elaborate_drop.rs"),
                        ::tracing_core::__macro_support::Option::Some(1249u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_mir_transform::elaborate_drop"),
                        ::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!("drop_loop_trio_for_slice({0:?})",
                                                    ety) as &dyn Value))])
            });
    } else { ; }
};debug!("drop_loop_trio_for_slice({:?})", ety);
1250        let tcx = self.tcx();
1251        let len = self.new_temp(tcx.types.usize);
1252        let cur = self.new_temp(tcx.types.usize);
1253
1254        let unwind = self
1255            .unwind
1256            .map(|unwind| self.drop_loop(unwind, cur, len, ety, Unwind::InCleanup, None));
1257
1258        let dropline =
1259            self.dropline.map(|dropline| self.drop_loop(dropline, cur, len, ety, unwind, None));
1260
1261        let loop_block = self.drop_loop(self.succ, cur, len, ety, unwind, dropline);
1262
1263        let [PlaceElem::Deref] = self.place.projection.as_slice() else {
1264            ::rustc_middle::util::bug::span_bug_fmt(self.source_info.span,
    format_args!("Expected place for slice drop shim to be *_n, but it\'s {0:?}",
        self.place));span_bug!(
1265                self.source_info.span,
1266                "Expected place for slice drop shim to be *_n, but it's {:?}",
1267                self.place,
1268            );
1269        };
1270
1271        let zero = self.constant_usize(0);
1272        let block = BasicBlockData::new_stmts(
1273            ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
        [self.assign(len.into(),
                    Rvalue::UnaryOp(UnOp::PtrMetadata,
                        Operand::Copy(Place::from(self.place.local)))),
                self.assign(cur.into(), Rvalue::Use(zero))]))vec![
1274                self.assign(
1275                    len.into(),
1276                    Rvalue::UnaryOp(
1277                        UnOp::PtrMetadata,
1278                        Operand::Copy(Place::from(self.place.local)),
1279                    ),
1280                ),
1281                self.assign(cur.into(), Rvalue::Use(zero)),
1282            ],
1283            Some(Terminator {
1284                source_info: self.source_info,
1285                kind: TerminatorKind::Goto { target: loop_block },
1286            }),
1287            unwind.is_cleanup(),
1288        );
1289
1290        let drop_block = self.elaborator.patch().new_block(block);
1291        // FIXME(#34708): handle partially-dropped array/slice elements.
1292        let reset_block = self.drop_flag_reset_block(DropFlagMode::Deep, drop_block, unwind);
1293        self.drop_flag_test_block(reset_block, self.succ, unwind)
1294    }
1295
1296    /// The slow-path - create an "open", elaborated drop for a type
1297    /// which is moved-out-of only partially, and patch `bb` to a jump
1298    /// to it. This must not be called on ADTs with a destructor,
1299    /// as these can't be moved-out-of, except for `Box<T>`, which is
1300    /// special-cased.
1301    ///
1302    /// This creates a "drop ladder" that drops the needed fields of the
1303    /// ADT, both in the success case or if one of the destructors fail.
1304    fn open_drop(&mut self) -> BasicBlock {
1305        let ty = self.place_ty(self.place);
1306        match ty.kind() {
1307            ty::Closure(_, args) => self.open_drop_for_tuple(args.as_closure().upvar_tys()),
1308            ty::CoroutineClosure(_, args) => {
1309                self.open_drop_for_tuple(args.as_coroutine_closure().upvar_tys())
1310            }
1311            // Note that `elaborate_drops` only drops the upvars of a coroutine,
1312            // and this is ok because `open_drop` here can only be reached
1313            // within that own coroutine's resume function.
1314            // This should only happen for the self argument on the resume function.
1315            // It effectively only contains upvars until the coroutine transformation runs.
1316            // See librustc_body/transform/coroutine.rs for more details.
1317            ty::Coroutine(_, args) => self.open_drop_for_tuple(args.as_coroutine().upvar_tys()),
1318            ty::Tuple(fields) => self.open_drop_for_tuple(fields),
1319            ty::Adt(def, args) => self.open_drop_for_adt(*def, args),
1320            ty::Dynamic(..) => self.complete_drop(self.succ, self.unwind),
1321            ty::Array(ety, size) => {
1322                let size = size.try_to_target_usize(self.tcx());
1323                self.open_drop_for_array(ty, *ety, size)
1324            }
1325            ty::Slice(ety) => self.drop_loop_trio_for_slice(*ety),
1326
1327            ty::UnsafeBinder(_) => {
1328                // Unsafe binders may elaborate drops if their inner type isn't copy.
1329                // This is enforced in typeck, so this should never happen.
1330                self.tcx().dcx().span_delayed_bug(
1331                    self.source_info.span,
1332                    "open drop for unsafe binder shouldn't be encountered",
1333                );
1334                self.elaborator.patch().new_block(BasicBlockData::new(
1335                    Some(Terminator {
1336                        source_info: self.source_info,
1337                        kind: TerminatorKind::Unreachable,
1338                    }),
1339                    self.unwind.is_cleanup(),
1340                ))
1341            }
1342
1343            _ => ::rustc_middle::util::bug::span_bug_fmt(self.source_info.span,
    format_args!("open drop from non-ADT `{0:?}`", ty))span_bug!(self.source_info.span, "open drop from non-ADT `{:?}`", ty),
1344        }
1345    }
1346
1347    fn complete_drop(&mut self, succ: BasicBlock, unwind: Unwind) -> BasicBlock {
1348        {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_mir_transform/src/elaborate_drop.rs:1348",
                        "rustc_mir_transform::elaborate_drop",
                        ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_mir_transform/src/elaborate_drop.rs"),
                        ::tracing_core::__macro_support::Option::Some(1348u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_mir_transform::elaborate_drop"),
                        ::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!("complete_drop(succ={0:?}, unwind={1:?})",
                                                    succ, unwind) as &dyn Value))])
            });
    } else { ; }
};debug!("complete_drop(succ={:?}, unwind={:?})", succ, unwind);
1349
1350        let drop_block = self.drop_block(succ, unwind);
1351
1352        self.drop_flag_test_block(drop_block, succ, unwind)
1353    }
1354
1355    /// Creates a block that resets the drop flag. If `mode` is deep, all children drop flags will
1356    /// also be cleared.
1357    fn drop_flag_reset_block(
1358        &mut self,
1359        mode: DropFlagMode,
1360        succ: BasicBlock,
1361        unwind: Unwind,
1362    ) -> BasicBlock {
1363        {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_mir_transform/src/elaborate_drop.rs:1363",
                        "rustc_mir_transform::elaborate_drop",
                        ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_mir_transform/src/elaborate_drop.rs"),
                        ::tracing_core::__macro_support::Option::Some(1363u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_mir_transform::elaborate_drop"),
                        ::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!("drop_flag_reset_block({0:?},{1:?})",
                                                    self, mode) as &dyn Value))])
            });
    } else { ; }
};debug!("drop_flag_reset_block({:?},{:?})", self, mode);
1364
1365        if unwind.is_cleanup() {
1366            // The drop flag isn't read again on the unwind path, so don't
1367            // bother setting it.
1368            return succ;
1369        }
1370        let block = self.new_block(unwind, TerminatorKind::Goto { target: succ });
1371        let block_start = Location { block, statement_index: 0 };
1372        self.elaborator.clear_drop_flag(block_start, self.path, mode);
1373        block
1374    }
1375
1376    fn elaborated_drop_block(&mut self) -> BasicBlock {
1377        {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_mir_transform/src/elaborate_drop.rs:1377",
                        "rustc_mir_transform::elaborate_drop",
                        ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_mir_transform/src/elaborate_drop.rs"),
                        ::tracing_core::__macro_support::Option::Some(1377u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_mir_transform::elaborate_drop"),
                        ::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!("elaborated_drop_block({0:?})",
                                                    self) as &dyn Value))])
            });
    } else { ; }
};debug!("elaborated_drop_block({:?})", self);
1378        let blk = self.drop_block_simple(self.succ, self.unwind);
1379        self.elaborate_drop(blk);
1380        blk
1381    }
1382
1383    fn drop_block_simple(&mut self, target: BasicBlock, unwind: Unwind) -> BasicBlock {
1384        let block = TerminatorKind::Drop {
1385            place: self.place,
1386            target,
1387            unwind: unwind.into_action(),
1388            replace: false,
1389            drop: self.dropline,
1390            async_fut: None,
1391        };
1392        self.new_block(unwind, block)
1393    }
1394
1395    fn drop_block(&mut self, target: BasicBlock, unwind: Unwind) -> BasicBlock {
1396        let drop_ty = self.place_ty(self.place);
1397        if !unwind.is_cleanup() && self.check_if_can_async_drop(drop_ty, false) {
1398            self.build_async_drop(
1399                self.place,
1400                drop_ty,
1401                None,
1402                self.succ,
1403                unwind,
1404                self.dropline,
1405                false,
1406            )
1407        } else {
1408            let block = TerminatorKind::Drop {
1409                place: self.place,
1410                target,
1411                unwind: unwind.into_action(),
1412                replace: false,
1413                drop: None,
1414                async_fut: None,
1415            };
1416            self.new_block(unwind, block)
1417        }
1418    }
1419
1420    fn goto_block(&mut self, target: BasicBlock, unwind: Unwind) -> BasicBlock {
1421        let block = TerminatorKind::Goto { target };
1422        self.new_block(unwind, block)
1423    }
1424
1425    /// Returns the block to jump to in order to test the drop flag and execute the drop.
1426    ///
1427    /// Depending on the required `DropStyle`, this might be a generated block with an `if`
1428    /// terminator (for dynamic/open drops), or it might be `on_set` or `on_unset` itself, in case
1429    /// the drop can be statically determined.
1430    fn drop_flag_test_block(
1431        &mut self,
1432        on_set: BasicBlock,
1433        on_unset: BasicBlock,
1434        unwind: Unwind,
1435    ) -> BasicBlock {
1436        let style = self.elaborator.drop_style(self.path, DropFlagMode::Shallow);
1437        {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_mir_transform/src/elaborate_drop.rs:1437",
                        "rustc_mir_transform::elaborate_drop",
                        ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_mir_transform/src/elaborate_drop.rs"),
                        ::tracing_core::__macro_support::Option::Some(1437u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_mir_transform::elaborate_drop"),
                        ::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!("drop_flag_test_block({0:?},{1:?},{2:?},{3:?}) - {4:?}",
                                                    self, on_set, on_unset, unwind, style) as &dyn Value))])
            });
    } else { ; }
};debug!(
1438            "drop_flag_test_block({:?},{:?},{:?},{:?}) - {:?}",
1439            self, on_set, on_unset, unwind, style
1440        );
1441
1442        match style {
1443            DropStyle::Dead => on_unset,
1444            DropStyle::Static => on_set,
1445            DropStyle::Conditional | DropStyle::Open => {
1446                let flag = self.elaborator.get_drop_flag(self.path).unwrap();
1447                let term = TerminatorKind::if_(flag, on_set, on_unset);
1448                self.new_block(unwind, term)
1449            }
1450        }
1451    }
1452
1453    fn new_block(&mut self, unwind: Unwind, k: TerminatorKind<'tcx>) -> BasicBlock {
1454        self.elaborator.patch().new_block(BasicBlockData::new(
1455            Some(Terminator { source_info: self.source_info, kind: k }),
1456            unwind.is_cleanup(),
1457        ))
1458    }
1459
1460    fn new_block_with_statements(
1461        &mut self,
1462        unwind: Unwind,
1463        statements: Vec<Statement<'tcx>>,
1464        k: TerminatorKind<'tcx>,
1465    ) -> BasicBlock {
1466        self.elaborator.patch().new_block(BasicBlockData::new_stmts(
1467            statements,
1468            Some(Terminator { source_info: self.source_info, kind: k }),
1469            unwind.is_cleanup(),
1470        ))
1471    }
1472
1473    fn new_temp(&mut self, ty: Ty<'tcx>) -> Local {
1474        self.elaborator.patch().new_temp(ty, self.source_info.span)
1475    }
1476
1477    fn constant_usize(&self, val: u16) -> Operand<'tcx> {
1478        Operand::Constant(Box::new(ConstOperand {
1479            span: self.source_info.span,
1480            user_ty: None,
1481            const_: Const::from_usize(self.tcx(), val.into()),
1482        }))
1483    }
1484
1485    fn assign(&self, lhs: Place<'tcx>, rhs: Rvalue<'tcx>) -> Statement<'tcx> {
1486        Statement::new(self.source_info, StatementKind::Assign(Box::new((lhs, rhs))))
1487    }
1488}