rustc_mir_build/builder/expr/
as_place.rs

1//! See docs in build/expr/mod.rs
2
3use std::assert_matches::assert_matches;
4use std::iter;
5
6use rustc_abi::{FIRST_VARIANT, FieldIdx, VariantIdx};
7use rustc_hir::def_id::LocalDefId;
8use rustc_middle::hir::place::{Projection as HirProjection, ProjectionKind as HirProjectionKind};
9use rustc_middle::mir::AssertKind::BoundsCheck;
10use rustc_middle::mir::*;
11use rustc_middle::thir::*;
12use rustc_middle::ty::{self, AdtDef, CanonicalUserTypeAnnotation, Ty, Variance};
13use rustc_middle::{bug, span_bug};
14use rustc_span::Span;
15use tracing::{debug, instrument, trace};
16
17use crate::builder::ForGuard::{OutsideGuard, RefWithinGuard};
18use crate::builder::expr::category::Category;
19use crate::builder::{BlockAnd, BlockAndExtension, Builder, Capture, CaptureMap};
20
21/// The "outermost" place that holds this value.
22#[derive(Copy, Clone, Debug, PartialEq)]
23pub(crate) enum PlaceBase {
24    /// Denotes the start of a `Place`.
25    Local(Local),
26
27    /// When building place for an expression within a closure, the place might start off a
28    /// captured path. When `capture_disjoint_fields` is enabled, we might not know the capture
29    /// index (within the desugared closure) of the captured path until most of the projections
30    /// are applied. We use `PlaceBase::Upvar` to keep track of the root variable off of which the
31    /// captured path starts, the closure the capture belongs to and the trait the closure
32    /// implements.
33    ///
34    /// Once we have figured out the capture index, we can convert the place builder to start from
35    /// `PlaceBase::Local`.
36    ///
37    /// Consider the following example
38    /// ```rust
39    /// let t = (((10, 10), 10), 10);
40    ///
41    /// let c = || {
42    ///     println!("{}", t.0.0.0);
43    /// };
44    /// ```
45    /// Here the THIR expression for `t.0.0.0` will be something like
46    ///
47    /// ```ignore (illustrative)
48    /// * Field(0)
49    ///     * Field(0)
50    ///         * Field(0)
51    ///             * UpvarRef(t)
52    /// ```
53    ///
54    /// When `capture_disjoint_fields` is enabled, `t.0.0.0` is captured and we won't be able to
55    /// figure out that it is captured until all the `Field` projections are applied.
56    Upvar {
57        /// HirId of the upvar
58        var_hir_id: LocalVarId,
59        /// DefId of the closure
60        closure_def_id: LocalDefId,
61    },
62}
63
64/// `PlaceBuilder` is used to create places during MIR construction. It allows you to "build up" a
65/// place by pushing more and more projections onto the end, and then convert the final set into a
66/// place using the `to_place` method.
67///
68/// This is used internally when building a place for an expression like `a.b.c`. The fields `b`
69/// and `c` can be progressively pushed onto the place builder that is created when converting `a`.
70#[derive(Clone, Debug, PartialEq)]
71pub(in crate::builder) struct PlaceBuilder<'tcx> {
72    base: PlaceBase,
73    projection: Vec<PlaceElem<'tcx>>,
74}
75
76/// Given a list of MIR projections, convert them to list of HIR ProjectionKind.
77/// The projections are truncated to represent a path that might be captured by a
78/// closure/coroutine. This implies the vector returned from this function doesn't contain
79/// ProjectionElems `Downcast`, `ConstantIndex`, `Index`, or `Subslice` because those will never be
80/// part of a path that is captured by a closure. We stop applying projections once we see the first
81/// projection that isn't captured by a closure.
82fn convert_to_hir_projections_and_truncate_for_capture(
83    mir_projections: &[PlaceElem<'_>],
84) -> Vec<HirProjectionKind> {
85    let mut hir_projections = Vec::new();
86    let mut variant = None;
87
88    for mir_projection in mir_projections {
89        let hir_projection = match mir_projection {
90            ProjectionElem::Deref => HirProjectionKind::Deref,
91            ProjectionElem::Field(field, _) => {
92                let variant = variant.unwrap_or(FIRST_VARIANT);
93                HirProjectionKind::Field(*field, variant)
94            }
95            ProjectionElem::Downcast(.., idx) => {
96                // We don't expect to see multi-variant enums here, as earlier
97                // phases will have truncated them already. However, there can
98                // still be downcasts, thanks to single-variant enums.
99                // We keep track of VariantIdx so we can use this information
100                // if the next ProjectionElem is a Field.
101                variant = Some(*idx);
102                continue;
103            }
104            ProjectionElem::UnwrapUnsafeBinder(_) => HirProjectionKind::UnwrapUnsafeBinder,
105            // These do not affect anything, they just make sure we know the right type.
106            ProjectionElem::OpaqueCast(_) | ProjectionElem::Subtype(..) => continue,
107            ProjectionElem::Index(..)
108            | ProjectionElem::ConstantIndex { .. }
109            | ProjectionElem::Subslice { .. } => {
110                // We don't capture array-access projections.
111                // We can stop here as arrays are captured completely.
112                break;
113            }
114        };
115        variant = None;
116        hir_projections.push(hir_projection);
117    }
118
119    hir_projections
120}
121
122/// Return true if the `proj_possible_ancestor` represents an ancestor path
123/// to `proj_capture` or `proj_possible_ancestor` is same as `proj_capture`,
124/// assuming they both start off of the same root variable.
125///
126/// **Note:** It's the caller's responsibility to ensure that both lists of projections
127///           start off of the same root variable.
128///
129/// Eg: 1. `foo.x` which is represented using `projections=[Field(x)]` is an ancestor of
130///        `foo.x.y` which is represented using `projections=[Field(x), Field(y)]`.
131///        Note both `foo.x` and `foo.x.y` start off of the same root variable `foo`.
132///     2. Since we only look at the projections here function will return `bar.x` as a valid
133///        ancestor of `foo.x.y`. It's the caller's responsibility to ensure that both projections
134///        list are being applied to the same root variable.
135fn is_ancestor_or_same_capture(
136    proj_possible_ancestor: &[HirProjectionKind],
137    proj_capture: &[HirProjectionKind],
138) -> bool {
139    // We want to make sure `is_ancestor_or_same_capture("x.0.0", "x.0")` to return false.
140    // Therefore we can't just check if all projections are same in the zipped iterator below.
141    if proj_possible_ancestor.len() > proj_capture.len() {
142        return false;
143    }
144
145    iter::zip(proj_possible_ancestor, proj_capture).all(|(a, b)| a == b)
146}
147
148/// Given a closure, returns the index of a capture within the desugared closure struct and the
149/// `ty::CapturedPlace` which is the ancestor of the Place represented using the `var_hir_id`
150/// and `projection`.
151///
152/// Note there will be at most one ancestor for any given Place.
153///
154/// Returns None, when the ancestor is not found.
155fn find_capture_matching_projections<'a, 'tcx>(
156    upvars: &'a CaptureMap<'tcx>,
157    var_hir_id: LocalVarId,
158    projections: &[PlaceElem<'tcx>],
159) -> Option<(usize, &'a Capture<'tcx>)> {
160    let hir_projections = convert_to_hir_projections_and_truncate_for_capture(projections);
161
162    upvars.get_by_key_enumerated(var_hir_id.0.local_id).find(|(_, capture)| {
163        let possible_ancestor_proj_kinds: Vec<_> =
164            capture.captured_place.place.projections.iter().map(|proj| proj.kind).collect();
165        is_ancestor_or_same_capture(&possible_ancestor_proj_kinds, &hir_projections)
166    })
167}
168
169/// Takes an upvar place and tries to resolve it into a `PlaceBuilder`
170/// with `PlaceBase::Local`
171#[instrument(level = "trace", skip(cx), ret)]
172fn to_upvars_resolved_place_builder<'tcx>(
173    cx: &Builder<'_, 'tcx>,
174    var_hir_id: LocalVarId,
175    closure_def_id: LocalDefId,
176    projection: &[PlaceElem<'tcx>],
177) -> Option<PlaceBuilder<'tcx>> {
178    let Some((capture_index, capture)) =
179        find_capture_matching_projections(&cx.upvars, var_hir_id, projection)
180    else {
181        let closure_span = cx.tcx.def_span(closure_def_id);
182        if !enable_precise_capture(closure_span) {
183            bug!(
184                "No associated capture found for {:?}[{:#?}] even though \
185                    capture_disjoint_fields isn't enabled",
186                var_hir_id,
187                projection
188            )
189        } else {
190            debug!("No associated capture found for {:?}[{:#?}]", var_hir_id, projection,);
191        }
192        return None;
193    };
194
195    // Access the capture by accessing the field within the Closure struct.
196    let capture_info = &cx.upvars[capture_index];
197
198    let mut upvar_resolved_place_builder = PlaceBuilder::from(capture_info.use_place);
199
200    // We used some of the projections to build the capture itself,
201    // now we apply the remaining to the upvar resolved place.
202    trace!(?capture.captured_place, ?projection);
203    let remaining_projections = strip_prefix(
204        capture.captured_place.place.base_ty,
205        projection,
206        &capture.captured_place.place.projections,
207    );
208    upvar_resolved_place_builder.projection.extend(remaining_projections);
209
210    Some(upvar_resolved_place_builder)
211}
212
213/// Returns projections remaining after stripping an initial prefix of HIR
214/// projections.
215///
216/// Supports only HIR projection kinds that represent a path that might be
217/// captured by a closure or a coroutine, i.e., an `Index` or a `Subslice`
218/// projection kinds are unsupported.
219fn strip_prefix<'tcx>(
220    mut base_ty: Ty<'tcx>,
221    projections: &[PlaceElem<'tcx>],
222    prefix_projections: &[HirProjection<'tcx>],
223) -> impl Iterator<Item = PlaceElem<'tcx>> {
224    let mut iter = projections
225        .iter()
226        .copied()
227        // Filter out opaque casts, they are unnecessary in the prefix.
228        .filter(|elem| !matches!(elem, ProjectionElem::OpaqueCast(..)));
229    for projection in prefix_projections {
230        match projection.kind {
231            HirProjectionKind::Deref => {
232                assert_matches!(iter.next(), Some(ProjectionElem::Deref));
233            }
234            HirProjectionKind::Field(..) => {
235                if base_ty.is_enum() {
236                    assert_matches!(iter.next(), Some(ProjectionElem::Downcast(..)));
237                }
238                assert_matches!(iter.next(), Some(ProjectionElem::Field(..)));
239            }
240            HirProjectionKind::OpaqueCast => {
241                assert_matches!(iter.next(), Some(ProjectionElem::OpaqueCast(..)));
242            }
243            HirProjectionKind::UnwrapUnsafeBinder => {
244                assert_matches!(iter.next(), Some(ProjectionElem::UnwrapUnsafeBinder(..)));
245            }
246            HirProjectionKind::Index | HirProjectionKind::Subslice => {
247                bug!("unexpected projection kind: {:?}", projection);
248            }
249        }
250        base_ty = projection.ty;
251    }
252    iter
253}
254
255impl<'tcx> PlaceBuilder<'tcx> {
256    pub(in crate::builder) fn to_place(&self, cx: &Builder<'_, 'tcx>) -> Place<'tcx> {
257        self.try_to_place(cx).unwrap_or_else(|| match self.base {
258            PlaceBase::Local(local) => span_bug!(
259                cx.local_decls[local].source_info.span,
260                "could not resolve local: {local:#?} + {:?}",
261                self.projection
262            ),
263            PlaceBase::Upvar { var_hir_id, closure_def_id: _ } => span_bug!(
264                cx.tcx.hir_span(var_hir_id.0),
265                "could not resolve upvar: {var_hir_id:?} + {:?}",
266                self.projection
267            ),
268        })
269    }
270
271    /// Creates a `Place` or returns `None` if an upvar cannot be resolved
272    pub(in crate::builder) fn try_to_place(&self, cx: &Builder<'_, 'tcx>) -> Option<Place<'tcx>> {
273        let resolved = self.resolve_upvar(cx);
274        let builder = resolved.as_ref().unwrap_or(self);
275        let PlaceBase::Local(local) = builder.base else { return None };
276        let projection = cx.tcx.mk_place_elems(&builder.projection);
277        Some(Place { local, projection })
278    }
279
280    /// Attempts to resolve the `PlaceBuilder`.
281    /// Returns `None` if this is not an upvar.
282    ///
283    /// Upvars resolve may fail for a `PlaceBuilder` when attempting to
284    /// resolve a disjoint field whose root variable is not captured
285    /// (destructured assignments) or when attempting to resolve a root
286    /// variable (discriminant matching with only wildcard arm) that is
287    /// not captured. This can happen because the final mir that will be
288    /// generated doesn't require a read for this place. Failures will only
289    /// happen inside closures.
290    pub(in crate::builder) fn resolve_upvar(
291        &self,
292        cx: &Builder<'_, 'tcx>,
293    ) -> Option<PlaceBuilder<'tcx>> {
294        let PlaceBase::Upvar { var_hir_id, closure_def_id } = self.base else {
295            return None;
296        };
297        to_upvars_resolved_place_builder(cx, var_hir_id, closure_def_id, &self.projection)
298    }
299
300    pub(crate) fn base(&self) -> PlaceBase {
301        self.base
302    }
303
304    pub(crate) fn projection(&self) -> &[PlaceElem<'tcx>] {
305        &self.projection
306    }
307
308    pub(crate) fn field(self, f: FieldIdx, ty: Ty<'tcx>) -> Self {
309        self.project(PlaceElem::Field(f, ty))
310    }
311
312    pub(crate) fn deref(self) -> Self {
313        self.project(PlaceElem::Deref)
314    }
315
316    pub(crate) fn downcast(self, adt_def: AdtDef<'tcx>, variant_index: VariantIdx) -> Self {
317        self.project(PlaceElem::Downcast(Some(adt_def.variant(variant_index).name), variant_index))
318    }
319
320    fn index(self, index: Local) -> Self {
321        self.project(PlaceElem::Index(index))
322    }
323
324    pub(crate) fn project(mut self, elem: PlaceElem<'tcx>) -> Self {
325        self.projection.push(elem);
326        self
327    }
328
329    /// Same as `.clone().project(..)` but more efficient
330    pub(crate) fn clone_project(&self, elem: PlaceElem<'tcx>) -> Self {
331        Self {
332            base: self.base,
333            projection: Vec::from_iter(self.projection.iter().copied().chain([elem])),
334        }
335    }
336}
337
338impl<'tcx> From<Local> for PlaceBuilder<'tcx> {
339    fn from(local: Local) -> Self {
340        Self { base: PlaceBase::Local(local), projection: Vec::new() }
341    }
342}
343
344impl<'tcx> From<PlaceBase> for PlaceBuilder<'tcx> {
345    fn from(base: PlaceBase) -> Self {
346        Self { base, projection: Vec::new() }
347    }
348}
349
350impl<'tcx> From<Place<'tcx>> for PlaceBuilder<'tcx> {
351    fn from(p: Place<'tcx>) -> Self {
352        Self { base: PlaceBase::Local(p.local), projection: p.projection.to_vec() }
353    }
354}
355
356impl<'a, 'tcx> Builder<'a, 'tcx> {
357    /// Compile `expr`, yielding a place that we can move from etc.
358    ///
359    /// WARNING: Any user code might:
360    /// * Invalidate any slice bounds checks performed.
361    /// * Change the address that this `Place` refers to.
362    /// * Modify the memory that this place refers to.
363    /// * Invalidate the memory that this place refers to, this will be caught
364    ///   by borrow checking.
365    ///
366    /// Extra care is needed if any user code is allowed to run between calling
367    /// this method and using it, as is the case for `match` and index
368    /// expressions.
369    pub(crate) fn as_place(
370        &mut self,
371        mut block: BasicBlock,
372        expr_id: ExprId,
373    ) -> BlockAnd<Place<'tcx>> {
374        let place_builder = unpack!(block = self.as_place_builder(block, expr_id));
375        block.and(place_builder.to_place(self))
376    }
377
378    /// This is used when constructing a compound `Place`, so that we can avoid creating
379    /// intermediate `Place` values until we know the full set of projections.
380    pub(crate) fn as_place_builder(
381        &mut self,
382        block: BasicBlock,
383        expr_id: ExprId,
384    ) -> BlockAnd<PlaceBuilder<'tcx>> {
385        self.expr_as_place(block, expr_id, Mutability::Mut, None)
386    }
387
388    /// Compile `expr`, yielding a place that we can move from etc.
389    /// Mutability note: The caller of this method promises only to read from the resulting
390    /// place. The place itself may or may not be mutable:
391    /// * If this expr is a place expr like a.b, then we will return that place.
392    /// * Otherwise, a temporary is created: in that event, it will be an immutable temporary.
393    pub(crate) fn as_read_only_place(
394        &mut self,
395        mut block: BasicBlock,
396        expr_id: ExprId,
397    ) -> BlockAnd<Place<'tcx>> {
398        let place_builder = unpack!(block = self.as_read_only_place_builder(block, expr_id));
399        block.and(place_builder.to_place(self))
400    }
401
402    /// This is used when constructing a compound `Place`, so that we can avoid creating
403    /// intermediate `Place` values until we know the full set of projections.
404    /// Mutability note: The caller of this method promises only to read from the resulting
405    /// place. The place itself may or may not be mutable:
406    /// * If this expr is a place expr like a.b, then we will return that place.
407    /// * Otherwise, a temporary is created: in that event, it will be an immutable temporary.
408    fn as_read_only_place_builder(
409        &mut self,
410        block: BasicBlock,
411        expr_id: ExprId,
412    ) -> BlockAnd<PlaceBuilder<'tcx>> {
413        self.expr_as_place(block, expr_id, Mutability::Not, None)
414    }
415
416    fn expr_as_place(
417        &mut self,
418        mut block: BasicBlock,
419        expr_id: ExprId,
420        mutability: Mutability,
421        fake_borrow_temps: Option<&mut Vec<Local>>,
422    ) -> BlockAnd<PlaceBuilder<'tcx>> {
423        let expr = &self.thir[expr_id];
424        debug!("expr_as_place(block={:?}, expr={:?}, mutability={:?})", block, expr, mutability);
425
426        let this = self;
427        let expr_span = expr.span;
428        let source_info = this.source_info(expr_span);
429        match expr.kind {
430            ExprKind::Scope { region_scope, lint_level, value } => {
431                this.in_scope((region_scope, source_info), lint_level, |this| {
432                    this.expr_as_place(block, value, mutability, fake_borrow_temps)
433                })
434            }
435            ExprKind::Field { lhs, variant_index, name } => {
436                let lhs_expr = &this.thir[lhs];
437                let mut place_builder =
438                    unpack!(block = this.expr_as_place(block, lhs, mutability, fake_borrow_temps,));
439                if let ty::Adt(adt_def, _) = lhs_expr.ty.kind() {
440                    if adt_def.is_enum() {
441                        place_builder = place_builder.downcast(*adt_def, variant_index);
442                    }
443                }
444                block.and(place_builder.field(name, expr.ty))
445            }
446            ExprKind::Deref { arg } => {
447                let place_builder =
448                    unpack!(block = this.expr_as_place(block, arg, mutability, fake_borrow_temps,));
449                block.and(place_builder.deref())
450            }
451            ExprKind::Index { lhs, index } => this.lower_index_expression(
452                block,
453                lhs,
454                index,
455                mutability,
456                fake_borrow_temps,
457                expr.temp_lifetime,
458                expr_span,
459                source_info,
460            ),
461            ExprKind::UpvarRef { closure_def_id, var_hir_id } => {
462                this.lower_captured_upvar(block, closure_def_id.expect_local(), var_hir_id)
463            }
464
465            ExprKind::VarRef { id } => {
466                let place_builder = if this.is_bound_var_in_guard(id) {
467                    let index = this.var_local_id(id, RefWithinGuard);
468                    PlaceBuilder::from(index).deref()
469                } else {
470                    let index = this.var_local_id(id, OutsideGuard);
471                    PlaceBuilder::from(index)
472                };
473                block.and(place_builder)
474            }
475
476            ExprKind::PlaceTypeAscription { source, ref user_ty, user_ty_span } => {
477                let place_builder = unpack!(
478                    block = this.expr_as_place(block, source, mutability, fake_borrow_temps,)
479                );
480                if let Some(user_ty) = user_ty {
481                    let ty_source_info = this.source_info(user_ty_span);
482                    let annotation_index =
483                        this.canonical_user_type_annotations.push(CanonicalUserTypeAnnotation {
484                            span: user_ty_span,
485                            user_ty: user_ty.clone(),
486                            inferred_ty: expr.ty,
487                        });
488
489                    let place = place_builder.to_place(this);
490                    this.cfg.push(
491                        block,
492                        Statement {
493                            source_info: ty_source_info,
494                            kind: StatementKind::AscribeUserType(
495                                Box::new((
496                                    place,
497                                    UserTypeProjection { base: annotation_index, projs: vec![] },
498                                )),
499                                Variance::Invariant,
500                            ),
501                        },
502                    );
503                }
504                block.and(place_builder)
505            }
506            ExprKind::ValueTypeAscription { source, ref user_ty, user_ty_span } => {
507                let source_expr = &this.thir[source];
508                let temp = unpack!(
509                    block = this.as_temp(block, source_expr.temp_lifetime, source, mutability)
510                );
511                if let Some(user_ty) = user_ty {
512                    let ty_source_info = this.source_info(user_ty_span);
513                    let annotation_index =
514                        this.canonical_user_type_annotations.push(CanonicalUserTypeAnnotation {
515                            span: user_ty_span,
516                            user_ty: user_ty.clone(),
517                            inferred_ty: expr.ty,
518                        });
519                    this.cfg.push(
520                        block,
521                        Statement {
522                            source_info: ty_source_info,
523                            kind: StatementKind::AscribeUserType(
524                                Box::new((
525                                    Place::from(temp),
526                                    UserTypeProjection { base: annotation_index, projs: vec![] },
527                                )),
528                                Variance::Invariant,
529                            ),
530                        },
531                    );
532                }
533                block.and(PlaceBuilder::from(temp))
534            }
535
536            ExprKind::PlaceUnwrapUnsafeBinder { source } => {
537                let place_builder = unpack!(
538                    block = this.expr_as_place(block, source, mutability, fake_borrow_temps,)
539                );
540                block.and(place_builder.project(PlaceElem::UnwrapUnsafeBinder(expr.ty)))
541            }
542            ExprKind::ValueUnwrapUnsafeBinder { source } => {
543                let source_expr = &this.thir[source];
544                let temp = unpack!(
545                    block = this.as_temp(block, source_expr.temp_lifetime, source, mutability)
546                );
547                block.and(PlaceBuilder::from(temp).project(PlaceElem::UnwrapUnsafeBinder(expr.ty)))
548            }
549
550            ExprKind::Array { .. }
551            | ExprKind::Tuple { .. }
552            | ExprKind::Adt { .. }
553            | ExprKind::Closure { .. }
554            | ExprKind::Unary { .. }
555            | ExprKind::Binary { .. }
556            | ExprKind::LogicalOp { .. }
557            | ExprKind::Box { .. }
558            | ExprKind::Cast { .. }
559            | ExprKind::Use { .. }
560            | ExprKind::NeverToAny { .. }
561            | ExprKind::PointerCoercion { .. }
562            | ExprKind::Repeat { .. }
563            | ExprKind::Borrow { .. }
564            | ExprKind::RawBorrow { .. }
565            | ExprKind::Match { .. }
566            | ExprKind::If { .. }
567            | ExprKind::Loop { .. }
568            | ExprKind::Block { .. }
569            | ExprKind::Let { .. }
570            | ExprKind::Assign { .. }
571            | ExprKind::AssignOp { .. }
572            | ExprKind::Break { .. }
573            | ExprKind::Continue { .. }
574            | ExprKind::Return { .. }
575            | ExprKind::Become { .. }
576            | ExprKind::Literal { .. }
577            | ExprKind::NamedConst { .. }
578            | ExprKind::NonHirLiteral { .. }
579            | ExprKind::ZstLiteral { .. }
580            | ExprKind::ConstParam { .. }
581            | ExprKind::ConstBlock { .. }
582            | ExprKind::StaticRef { .. }
583            | ExprKind::InlineAsm { .. }
584            | ExprKind::OffsetOf { .. }
585            | ExprKind::Yield { .. }
586            | ExprKind::ThreadLocalRef(_)
587            | ExprKind::Call { .. }
588            | ExprKind::ByUse { .. }
589            | ExprKind::WrapUnsafeBinder { .. } => {
590                // these are not places, so we need to make a temporary.
591                debug_assert!(!matches!(Category::of(&expr.kind), Some(Category::Place)));
592                let temp =
593                    unpack!(block = this.as_temp(block, expr.temp_lifetime, expr_id, mutability));
594                block.and(PlaceBuilder::from(temp))
595            }
596        }
597    }
598
599    /// Lower a captured upvar. Note we might not know the actual capture index,
600    /// so we create a place starting from `PlaceBase::Upvar`, which will be resolved
601    /// once all projections that allow us to identify a capture have been applied.
602    fn lower_captured_upvar(
603        &mut self,
604        block: BasicBlock,
605        closure_def_id: LocalDefId,
606        var_hir_id: LocalVarId,
607    ) -> BlockAnd<PlaceBuilder<'tcx>> {
608        block.and(PlaceBuilder::from(PlaceBase::Upvar { var_hir_id, closure_def_id }))
609    }
610
611    /// Lower an index expression
612    ///
613    /// This has two complications;
614    ///
615    /// * We need to do a bounds check.
616    /// * We need to ensure that the bounds check can't be invalidated using an
617    ///   expression like `x[1][{x = y; 2}]`. We use fake borrows here to ensure
618    ///   that this is the case.
619    fn lower_index_expression(
620        &mut self,
621        mut block: BasicBlock,
622        base: ExprId,
623        index: ExprId,
624        mutability: Mutability,
625        fake_borrow_temps: Option<&mut Vec<Local>>,
626        temp_lifetime: TempLifetime,
627        expr_span: Span,
628        source_info: SourceInfo,
629    ) -> BlockAnd<PlaceBuilder<'tcx>> {
630        let base_fake_borrow_temps = &mut Vec::new();
631        let is_outermost_index = fake_borrow_temps.is_none();
632        let fake_borrow_temps = fake_borrow_temps.unwrap_or(base_fake_borrow_temps);
633
634        let base_place =
635            unpack!(block = self.expr_as_place(block, base, mutability, Some(fake_borrow_temps),));
636
637        // Making this a *fresh* temporary means we do not have to worry about
638        // the index changing later: Nothing will ever change this temporary.
639        // The "retagging" transformation (for Stacked Borrows) relies on this.
640        let idx = unpack!(block = self.as_temp(block, temp_lifetime, index, Mutability::Not));
641
642        block = self.bounds_check(block, &base_place, idx, expr_span, source_info);
643
644        if is_outermost_index {
645            self.read_fake_borrows(block, fake_borrow_temps, source_info)
646        } else {
647            self.add_fake_borrows_of_base(
648                base_place.to_place(self),
649                block,
650                fake_borrow_temps,
651                expr_span,
652                source_info,
653            );
654        }
655
656        block.and(base_place.index(idx))
657    }
658
659    /// Given a place that's either an array or a slice, returns an operand
660    /// with the length of the array/slice.
661    ///
662    /// For arrays it'll be `Operand::Constant` with the actual length;
663    /// For slices it'll be `Operand::Move` of a local using `PtrMetadata`.
664    fn len_of_slice_or_array(
665        &mut self,
666        block: BasicBlock,
667        place: Place<'tcx>,
668        span: Span,
669        source_info: SourceInfo,
670    ) -> Operand<'tcx> {
671        let place_ty = place.ty(&self.local_decls, self.tcx).ty;
672        match place_ty.kind() {
673            ty::Array(_elem_ty, len_const) => {
674                // We know how long an array is, so just use that as a constant
675                // directly -- no locals needed. We do need one statement so
676                // that borrow- and initialization-checking consider it used,
677                // though. FIXME: Do we really *need* to count this as a use?
678                // Could partial array tracking work off something else instead?
679                self.cfg.push_fake_read(block, source_info, FakeReadCause::ForIndex, place);
680                let const_ = Const::Ty(self.tcx.types.usize, *len_const);
681                Operand::Constant(Box::new(ConstOperand { span, user_ty: None, const_ }))
682            }
683            ty::Slice(_elem_ty) => {
684                let ptr_or_ref = if let [PlaceElem::Deref] = place.projection[..]
685                    && let local_ty = self.local_decls[place.local].ty
686                    && local_ty.is_trivially_pure_clone_copy()
687                {
688                    // It's extremely common that we have something that can be
689                    // directly passed to `PtrMetadata`, so avoid an unnecessary
690                    // temporary and statement in those cases. Note that we can
691                    // only do that for `Copy` types -- not `&mut [_]` -- because
692                    // the MIR we're building here needs to pass NLL later.
693                    Operand::Copy(Place::from(place.local))
694                } else {
695                    let ptr_ty = Ty::new_imm_ptr(self.tcx, place_ty);
696                    let slice_ptr = self.temp(ptr_ty, span);
697                    self.cfg.push_assign(
698                        block,
699                        source_info,
700                        slice_ptr,
701                        Rvalue::RawPtr(RawPtrKind::FakeForPtrMetadata, place),
702                    );
703                    Operand::Move(slice_ptr)
704                };
705
706                let len = self.temp(self.tcx.types.usize, span);
707                self.cfg.push_assign(
708                    block,
709                    source_info,
710                    len,
711                    Rvalue::UnaryOp(UnOp::PtrMetadata, ptr_or_ref),
712                );
713
714                Operand::Move(len)
715            }
716            _ => {
717                span_bug!(span, "len called on place of type {place_ty:?}")
718            }
719        }
720    }
721
722    fn bounds_check(
723        &mut self,
724        block: BasicBlock,
725        slice: &PlaceBuilder<'tcx>,
726        index: Local,
727        expr_span: Span,
728        source_info: SourceInfo,
729    ) -> BasicBlock {
730        let slice = slice.to_place(self);
731
732        // len = len(slice)
733        let len = self.len_of_slice_or_array(block, slice, expr_span, source_info);
734
735        // lt = idx < len
736        let bool_ty = self.tcx.types.bool;
737        let lt = self.temp(bool_ty, expr_span);
738        self.cfg.push_assign(
739            block,
740            source_info,
741            lt,
742            Rvalue::BinaryOp(
743                BinOp::Lt,
744                Box::new((Operand::Copy(Place::from(index)), len.to_copy())),
745            ),
746        );
747        let msg = BoundsCheck { len, index: Operand::Copy(Place::from(index)) };
748
749        // assert!(lt, "...")
750        self.assert(block, Operand::Move(lt), true, msg, expr_span)
751    }
752
753    fn add_fake_borrows_of_base(
754        &mut self,
755        base_place: Place<'tcx>,
756        block: BasicBlock,
757        fake_borrow_temps: &mut Vec<Local>,
758        expr_span: Span,
759        source_info: SourceInfo,
760    ) {
761        let tcx = self.tcx;
762
763        let place_ty = base_place.ty(&self.local_decls, tcx);
764        if let ty::Slice(_) = place_ty.ty.kind() {
765            // We need to create fake borrows to ensure that the bounds
766            // check that we just did stays valid. Since we can't assign to
767            // unsized values, we only need to ensure that none of the
768            // pointers in the base place are modified.
769            for (base_place, elem) in base_place.iter_projections().rev() {
770                match elem {
771                    ProjectionElem::Deref => {
772                        let fake_borrow_deref_ty = base_place.ty(&self.local_decls, tcx).ty;
773                        let fake_borrow_ty =
774                            Ty::new_imm_ref(tcx, tcx.lifetimes.re_erased, fake_borrow_deref_ty);
775                        let fake_borrow_temp =
776                            self.local_decls.push(LocalDecl::new(fake_borrow_ty, expr_span));
777                        let projection = tcx.mk_place_elems(base_place.projection);
778                        self.cfg.push_assign(
779                            block,
780                            source_info,
781                            fake_borrow_temp.into(),
782                            Rvalue::Ref(
783                                tcx.lifetimes.re_erased,
784                                BorrowKind::Fake(FakeBorrowKind::Shallow),
785                                Place { local: base_place.local, projection },
786                            ),
787                        );
788                        fake_borrow_temps.push(fake_borrow_temp);
789                    }
790                    ProjectionElem::Index(_) => {
791                        let index_ty = base_place.ty(&self.local_decls, tcx);
792                        match index_ty.ty.kind() {
793                            // The previous index expression has already
794                            // done any index expressions needed here.
795                            ty::Slice(_) => break,
796                            ty::Array(..) => (),
797                            _ => bug!("unexpected index base"),
798                        }
799                    }
800                    ProjectionElem::Field(..)
801                    | ProjectionElem::Downcast(..)
802                    | ProjectionElem::OpaqueCast(..)
803                    | ProjectionElem::Subtype(..)
804                    | ProjectionElem::ConstantIndex { .. }
805                    | ProjectionElem::Subslice { .. }
806                    | ProjectionElem::UnwrapUnsafeBinder(_) => (),
807                }
808            }
809        }
810    }
811
812    fn read_fake_borrows(
813        &mut self,
814        bb: BasicBlock,
815        fake_borrow_temps: &mut Vec<Local>,
816        source_info: SourceInfo,
817    ) {
818        // All indexes have been evaluated now, read all of the
819        // fake borrows so that they are live across those index
820        // expressions.
821        for temp in fake_borrow_temps {
822            self.cfg.push_fake_read(bb, source_info, FakeReadCause::ForIndex, Place::from(*temp));
823        }
824    }
825}
826
827/// Precise capture is enabled if user is using Rust Edition 2021 or higher.
828fn enable_precise_capture(closure_span: Span) -> bool {
829    closure_span.at_least_rust_2021()
830}