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