]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_borrowck/src/lib.rs
Lower the assume intrinsic to a MIR statement
[rust.git] / compiler / rustc_borrowck / src / lib.rs
1 //! This query borrow-checks the MIR to (further) ensure it is not broken.
2
3 #![allow(rustc::potential_query_instability)]
4 #![feature(box_patterns)]
5 #![feature(let_chains)]
6 #![feature(let_else)]
7 #![feature(min_specialization)]
8 #![feature(never_type)]
9 #![feature(rustc_attrs)]
10 #![feature(stmt_expr_attributes)]
11 #![feature(trusted_step)]
12 #![feature(try_blocks)]
13 #![recursion_limit = "256"]
14
15 #[macro_use]
16 extern crate rustc_middle;
17 #[macro_use]
18 extern crate tracing;
19
20 use rustc_data_structures::fx::{FxHashMap, FxHashSet};
21 use rustc_data_structures::graph::dominators::Dominators;
22 use rustc_errors::{Diagnostic, DiagnosticBuilder, ErrorGuaranteed};
23 use rustc_hir as hir;
24 use rustc_hir::def_id::LocalDefId;
25 use rustc_index::bit_set::ChunkedBitSet;
26 use rustc_index::vec::IndexVec;
27 use rustc_infer::infer::{DefiningAnchor, InferCtxt, TyCtxtInferExt};
28 use rustc_middle::mir::{
29     traversal, Body, ClearCrossCrate, Local, Location, Mutability, Operand, Place, PlaceElem,
30     PlaceRef, VarDebugInfoContents,
31 };
32 use rustc_middle::mir::{AggregateKind, BasicBlock, BorrowCheckResult, BorrowKind};
33 use rustc_middle::mir::{Field, ProjectionElem, Promoted, Rvalue, Statement, StatementKind};
34 use rustc_middle::mir::{InlineAsmOperand, Terminator, TerminatorKind};
35 use rustc_middle::ty::query::Providers;
36 use rustc_middle::ty::{self, CapturedPlace, ParamEnv, RegionVid, TyCtxt};
37 use rustc_session::lint::builtin::UNUSED_MUT;
38 use rustc_span::{Span, Symbol};
39
40 use either::Either;
41 use smallvec::SmallVec;
42 use std::cell::RefCell;
43 use std::collections::BTreeMap;
44 use std::rc::Rc;
45
46 use rustc_mir_dataflow::impls::{
47     EverInitializedPlaces, MaybeInitializedPlaces, MaybeUninitializedPlaces,
48 };
49 use rustc_mir_dataflow::move_paths::{InitIndex, MoveOutIndex, MovePathIndex};
50 use rustc_mir_dataflow::move_paths::{InitLocation, LookupResult, MoveData, MoveError};
51 use rustc_mir_dataflow::Analysis;
52 use rustc_mir_dataflow::MoveDataParamEnv;
53
54 use crate::session_diagnostics::VarNeedNotMut;
55
56 use self::diagnostics::{AccessKind, RegionName};
57 use self::location::LocationTable;
58 use self::prefixes::PrefixSet;
59 use facts::AllFacts;
60
61 use self::path_utils::*;
62
63 pub mod borrow_set;
64 mod borrowck_errors;
65 mod constraint_generation;
66 mod constraints;
67 mod dataflow;
68 mod def_use;
69 mod diagnostics;
70 mod facts;
71 mod invalidation;
72 mod location;
73 mod member_constraints;
74 mod nll;
75 mod path_utils;
76 mod place_ext;
77 mod places_conflict;
78 mod prefixes;
79 mod region_infer;
80 mod renumber;
81 mod session_diagnostics;
82 mod type_check;
83 mod universal_regions;
84 mod used_muts;
85
86 // A public API provided for the Rust compiler consumers.
87 pub mod consumers;
88
89 use borrow_set::{BorrowData, BorrowSet};
90 use dataflow::{BorrowIndex, BorrowckFlowState as Flows, BorrowckResults, Borrows};
91 use nll::{PoloniusOutput, ToRegionVid};
92 use place_ext::PlaceExt;
93 use places_conflict::{places_conflict, PlaceConflictBias};
94 use region_infer::RegionInferenceContext;
95
96 // FIXME(eddyb) perhaps move this somewhere more centrally.
97 #[derive(Debug)]
98 struct Upvar<'tcx> {
99     place: CapturedPlace<'tcx>,
100
101     /// If true, the capture is behind a reference.
102     by_ref: bool,
103 }
104
105 /// Associate some local constants with the `'tcx` lifetime
106 struct TyCtxtConsts<'tcx>(TyCtxt<'tcx>);
107 impl<'tcx> TyCtxtConsts<'tcx> {
108     const DEREF_PROJECTION: &'tcx [PlaceElem<'tcx>; 1] = &[ProjectionElem::Deref];
109 }
110
111 pub fn provide(providers: &mut Providers) {
112     *providers = Providers {
113         mir_borrowck: |tcx, did| {
114             if let Some(def) = ty::WithOptConstParam::try_lookup(did, tcx) {
115                 tcx.mir_borrowck_const_arg(def)
116             } else {
117                 mir_borrowck(tcx, ty::WithOptConstParam::unknown(did))
118             }
119         },
120         mir_borrowck_const_arg: |tcx, (did, param_did)| {
121             mir_borrowck(tcx, ty::WithOptConstParam { did, const_param_did: Some(param_did) })
122         },
123         ..*providers
124     };
125 }
126
127 fn mir_borrowck<'tcx>(
128     tcx: TyCtxt<'tcx>,
129     def: ty::WithOptConstParam<LocalDefId>,
130 ) -> &'tcx BorrowCheckResult<'tcx> {
131     let (input_body, promoted) = tcx.mir_promoted(def);
132     debug!("run query mir_borrowck: {}", tcx.def_path_str(def.did.to_def_id()));
133     let hir_owner = tcx.hir().local_def_id_to_hir_id(def.did).owner;
134
135     let opt_closure_req = tcx
136         .infer_ctxt()
137         .with_opaque_type_inference(DefiningAnchor::Bind(hir_owner))
138         .enter(|infcx| {
139             let input_body: &Body<'_> = &input_body.borrow();
140             let promoted: &IndexVec<_, _> = &promoted.borrow();
141             do_mir_borrowck(&infcx, input_body, promoted, false).0
142         });
143     debug!("mir_borrowck done");
144
145     tcx.arena.alloc(opt_closure_req)
146 }
147
148 /// Perform the actual borrow checking.
149 ///
150 /// If `return_body_with_facts` is true, then return the body with non-erased
151 /// region ids on which the borrow checking was performed together with Polonius
152 /// facts.
153 #[instrument(skip(infcx, input_body, input_promoted), fields(id=?input_body.source.with_opt_param().as_local().unwrap()), level = "debug")]
154 fn do_mir_borrowck<'a, 'tcx>(
155     infcx: &InferCtxt<'a, 'tcx>,
156     input_body: &Body<'tcx>,
157     input_promoted: &IndexVec<Promoted, Body<'tcx>>,
158     return_body_with_facts: bool,
159 ) -> (BorrowCheckResult<'tcx>, Option<Box<BodyWithBorrowckFacts<'tcx>>>) {
160     let def = input_body.source.with_opt_param().as_local().unwrap();
161
162     debug!(?def);
163
164     let tcx = infcx.tcx;
165     let param_env = tcx.param_env(def.did);
166
167     let mut local_names = IndexVec::from_elem(None, &input_body.local_decls);
168     for var_debug_info in &input_body.var_debug_info {
169         if let VarDebugInfoContents::Place(place) = var_debug_info.value {
170             if let Some(local) = place.as_local() {
171                 if let Some(prev_name) = local_names[local] && var_debug_info.name != prev_name {
172                     span_bug!(
173                         var_debug_info.source_info.span,
174                         "local {:?} has many names (`{}` vs `{}`)",
175                         local,
176                         prev_name,
177                         var_debug_info.name
178                     );
179                 }
180                 local_names[local] = Some(var_debug_info.name);
181             }
182         }
183     }
184
185     let mut errors = error::BorrowckErrors::new();
186
187     // Gather the upvars of a closure, if any.
188     let tables = tcx.typeck_opt_const_arg(def);
189     if let Some(ErrorGuaranteed { .. }) = tables.tainted_by_errors {
190         infcx.set_tainted_by_errors();
191         errors.set_tainted_by_errors();
192     }
193     let upvars: Vec<_> = tables
194         .closure_min_captures_flattened(def.did)
195         .map(|captured_place| {
196             let capture = captured_place.info.capture_kind;
197             let by_ref = match capture {
198                 ty::UpvarCapture::ByValue => false,
199                 ty::UpvarCapture::ByRef(..) => true,
200             };
201             Upvar { place: captured_place.clone(), by_ref }
202         })
203         .collect();
204
205     // Replace all regions with fresh inference variables. This
206     // requires first making our own copy of the MIR. This copy will
207     // be modified (in place) to contain non-lexical lifetimes. It
208     // will have a lifetime tied to the inference context.
209     let mut body_owned = input_body.clone();
210     let mut promoted = input_promoted.clone();
211     let free_regions =
212         nll::replace_regions_in_mir(infcx, param_env, &mut body_owned, &mut promoted);
213     let body = &body_owned; // no further changes
214
215     let location_table_owned = LocationTable::new(body);
216     let location_table = &location_table_owned;
217
218     let (move_data, move_errors): (MoveData<'tcx>, Vec<(Place<'tcx>, MoveError<'tcx>)>) =
219         match MoveData::gather_moves(&body, tcx, param_env) {
220             Ok((_, move_data)) => (move_data, Vec::new()),
221             Err((move_data, move_errors)) => (move_data, move_errors),
222         };
223     let promoted_errors = promoted
224         .iter_enumerated()
225         .map(|(idx, body)| (idx, MoveData::gather_moves(&body, tcx, param_env)));
226
227     let mdpe = MoveDataParamEnv { move_data, param_env };
228
229     let mut flow_inits = MaybeInitializedPlaces::new(tcx, &body, &mdpe)
230         .into_engine(tcx, &body)
231         .pass_name("borrowck")
232         .iterate_to_fixpoint()
233         .into_results_cursor(&body);
234
235     let locals_are_invalidated_at_exit = tcx.hir().body_owner_kind(def.did).is_fn_or_closure();
236     let borrow_set =
237         Rc::new(BorrowSet::build(tcx, body, locals_are_invalidated_at_exit, &mdpe.move_data));
238
239     let use_polonius = return_body_with_facts || infcx.tcx.sess.opts.unstable_opts.polonius;
240
241     // Compute non-lexical lifetimes.
242     let nll::NllOutput {
243         regioncx,
244         opaque_type_values,
245         polonius_input,
246         polonius_output,
247         opt_closure_req,
248         nll_errors,
249     } = nll::compute_regions(
250         infcx,
251         free_regions,
252         body,
253         &promoted,
254         location_table,
255         param_env,
256         &mut flow_inits,
257         &mdpe.move_data,
258         &borrow_set,
259         &upvars,
260         use_polonius,
261     );
262
263     // Dump MIR results into a file, if that is enabled. This let us
264     // write unit-tests, as well as helping with debugging.
265     nll::dump_mir_results(infcx, &body, &regioncx, &opt_closure_req);
266
267     // We also have a `#[rustc_regions]` annotation that causes us to dump
268     // information.
269     nll::dump_annotation(
270         infcx,
271         &body,
272         &regioncx,
273         &opt_closure_req,
274         &opaque_type_values,
275         &mut errors,
276     );
277
278     // The various `flow_*` structures can be large. We drop `flow_inits` here
279     // so it doesn't overlap with the others below. This reduces peak memory
280     // usage significantly on some benchmarks.
281     drop(flow_inits);
282
283     let regioncx = Rc::new(regioncx);
284
285     let flow_borrows = Borrows::new(tcx, body, &regioncx, &borrow_set)
286         .into_engine(tcx, body)
287         .pass_name("borrowck")
288         .iterate_to_fixpoint();
289     let flow_uninits = MaybeUninitializedPlaces::new(tcx, body, &mdpe)
290         .into_engine(tcx, body)
291         .pass_name("borrowck")
292         .iterate_to_fixpoint();
293     let flow_ever_inits = EverInitializedPlaces::new(tcx, body, &mdpe)
294         .into_engine(tcx, body)
295         .pass_name("borrowck")
296         .iterate_to_fixpoint();
297
298     let movable_generator =
299         // The first argument is the generator type passed by value
300         if let Some(local) = body.local_decls.raw.get(1)
301         // Get the interior types and substs which typeck computed
302         && let ty::Generator(_, _, hir::Movability::Static) = local.ty.kind()
303     {
304         false
305     } else {
306         true
307     };
308
309     for (idx, move_data_results) in promoted_errors {
310         let promoted_body = &promoted[idx];
311
312         if let Err((move_data, move_errors)) = move_data_results {
313             let mut promoted_mbcx = MirBorrowckCtxt {
314                 infcx,
315                 param_env,
316                 body: promoted_body,
317                 move_data: &move_data,
318                 location_table, // no need to create a real one for the promoted, it is not used
319                 movable_generator,
320                 fn_self_span_reported: Default::default(),
321                 locals_are_invalidated_at_exit,
322                 access_place_error_reported: Default::default(),
323                 reservation_error_reported: Default::default(),
324                 uninitialized_error_reported: Default::default(),
325                 regioncx: regioncx.clone(),
326                 used_mut: Default::default(),
327                 used_mut_upvars: SmallVec::new(),
328                 borrow_set: Rc::clone(&borrow_set),
329                 dominators: Dominators::dummy(), // not used
330                 upvars: Vec::new(),
331                 local_names: IndexVec::from_elem(None, &promoted_body.local_decls),
332                 region_names: RefCell::default(),
333                 next_region_name: RefCell::new(1),
334                 polonius_output: None,
335                 errors,
336             };
337             promoted_mbcx.report_move_errors(move_errors);
338             errors = promoted_mbcx.errors;
339         };
340     }
341
342     let dominators = body.basic_blocks.dominators();
343
344     let mut mbcx = MirBorrowckCtxt {
345         infcx,
346         param_env,
347         body,
348         move_data: &mdpe.move_data,
349         location_table,
350         movable_generator,
351         locals_are_invalidated_at_exit,
352         fn_self_span_reported: Default::default(),
353         access_place_error_reported: Default::default(),
354         reservation_error_reported: Default::default(),
355         uninitialized_error_reported: Default::default(),
356         regioncx: Rc::clone(&regioncx),
357         used_mut: Default::default(),
358         used_mut_upvars: SmallVec::new(),
359         borrow_set: Rc::clone(&borrow_set),
360         dominators,
361         upvars,
362         local_names,
363         region_names: RefCell::default(),
364         next_region_name: RefCell::new(1),
365         polonius_output,
366         errors,
367     };
368
369     // Compute and report region errors, if any.
370     mbcx.report_region_errors(nll_errors);
371
372     let results = BorrowckResults {
373         ever_inits: flow_ever_inits,
374         uninits: flow_uninits,
375         borrows: flow_borrows,
376     };
377
378     mbcx.report_move_errors(move_errors);
379
380     rustc_mir_dataflow::visit_results(
381         body,
382         traversal::reverse_postorder(body).map(|(bb, _)| bb),
383         &results,
384         &mut mbcx,
385     );
386
387     // For each non-user used mutable variable, check if it's been assigned from
388     // a user-declared local. If so, then put that local into the used_mut set.
389     // Note that this set is expected to be small - only upvars from closures
390     // would have a chance of erroneously adding non-user-defined mutable vars
391     // to the set.
392     let temporary_used_locals: FxHashSet<Local> = mbcx
393         .used_mut
394         .iter()
395         .filter(|&local| !mbcx.body.local_decls[*local].is_user_variable())
396         .cloned()
397         .collect();
398     // For the remaining unused locals that are marked as mutable, we avoid linting any that
399     // were never initialized. These locals may have been removed as unreachable code; or will be
400     // linted as unused variables.
401     let unused_mut_locals =
402         mbcx.body.mut_vars_iter().filter(|local| !mbcx.used_mut.contains(local)).collect();
403     mbcx.gather_used_muts(temporary_used_locals, unused_mut_locals);
404
405     debug!("mbcx.used_mut: {:?}", mbcx.used_mut);
406     let used_mut = std::mem::take(&mut mbcx.used_mut);
407     for local in mbcx.body.mut_vars_and_args_iter().filter(|local| !used_mut.contains(local)) {
408         let local_decl = &mbcx.body.local_decls[local];
409         let lint_root = match &mbcx.body.source_scopes[local_decl.source_info.scope].local_data {
410             ClearCrossCrate::Set(data) => data.lint_root,
411             _ => continue,
412         };
413
414         // Skip over locals that begin with an underscore or have no name
415         match mbcx.local_names[local] {
416             Some(name) => {
417                 if name.as_str().starts_with('_') {
418                     continue;
419                 }
420             }
421             None => continue,
422         }
423
424         let span = local_decl.source_info.span;
425         if span.desugaring_kind().is_some() {
426             // If the `mut` arises as part of a desugaring, we should ignore it.
427             continue;
428         }
429
430         let mut_span = tcx.sess.source_map().span_until_non_whitespace(span);
431
432         tcx.emit_spanned_lint(UNUSED_MUT, lint_root, span, VarNeedNotMut { span: mut_span })
433     }
434
435     let tainted_by_errors = mbcx.emit_errors();
436
437     let result = BorrowCheckResult {
438         concrete_opaque_types: opaque_type_values,
439         closure_requirements: opt_closure_req,
440         used_mut_upvars: mbcx.used_mut_upvars,
441         tainted_by_errors,
442     };
443
444     let body_with_facts = if return_body_with_facts {
445         let output_facts = mbcx.polonius_output.expect("Polonius output was not computed");
446         Some(Box::new(BodyWithBorrowckFacts {
447             body: body_owned,
448             input_facts: *polonius_input.expect("Polonius input facts were not generated"),
449             output_facts,
450             location_table: location_table_owned,
451         }))
452     } else {
453         None
454     };
455
456     debug!("do_mir_borrowck: result = {:#?}", result);
457
458     (result, body_with_facts)
459 }
460
461 /// A `Body` with information computed by the borrow checker. This struct is
462 /// intended to be consumed by compiler consumers.
463 ///
464 /// We need to include the MIR body here because the region identifiers must
465 /// match the ones in the Polonius facts.
466 pub struct BodyWithBorrowckFacts<'tcx> {
467     /// A mir body that contains region identifiers.
468     pub body: Body<'tcx>,
469     /// Polonius input facts.
470     pub input_facts: AllFacts,
471     /// Polonius output facts.
472     pub output_facts: Rc<self::nll::PoloniusOutput>,
473     /// The table that maps Polonius points to locations in the table.
474     pub location_table: LocationTable,
475 }
476
477 struct MirBorrowckCtxt<'cx, 'tcx> {
478     infcx: &'cx InferCtxt<'cx, 'tcx>,
479     param_env: ParamEnv<'tcx>,
480     body: &'cx Body<'tcx>,
481     move_data: &'cx MoveData<'tcx>,
482
483     /// Map from MIR `Location` to `LocationIndex`; created
484     /// when MIR borrowck begins.
485     location_table: &'cx LocationTable,
486
487     movable_generator: bool,
488     /// This keeps track of whether local variables are free-ed when the function
489     /// exits even without a `StorageDead`, which appears to be the case for
490     /// constants.
491     ///
492     /// I'm not sure this is the right approach - @eddyb could you try and
493     /// figure this out?
494     locals_are_invalidated_at_exit: bool,
495     /// This field keeps track of when borrow errors are reported in the access_place function
496     /// so that there is no duplicate reporting. This field cannot also be used for the conflicting
497     /// borrow errors that is handled by the `reservation_error_reported` field as the inclusion
498     /// of the `Span` type (while required to mute some errors) stops the muting of the reservation
499     /// errors.
500     access_place_error_reported: FxHashSet<(Place<'tcx>, Span)>,
501     /// This field keeps track of when borrow conflict errors are reported
502     /// for reservations, so that we don't report seemingly duplicate
503     /// errors for corresponding activations.
504     //
505     // FIXME: ideally this would be a set of `BorrowIndex`, not `Place`s,
506     // but it is currently inconvenient to track down the `BorrowIndex`
507     // at the time we detect and report a reservation error.
508     reservation_error_reported: FxHashSet<Place<'tcx>>,
509     /// This fields keeps track of the `Span`s that we have
510     /// used to report extra information for `FnSelfUse`, to avoid
511     /// unnecessarily verbose errors.
512     fn_self_span_reported: FxHashSet<Span>,
513     /// This field keeps track of errors reported in the checking of uninitialized variables,
514     /// so that we don't report seemingly duplicate errors.
515     uninitialized_error_reported: FxHashSet<PlaceRef<'tcx>>,
516     /// This field keeps track of all the local variables that are declared mut and are mutated.
517     /// Used for the warning issued by an unused mutable local variable.
518     used_mut: FxHashSet<Local>,
519     /// If the function we're checking is a closure, then we'll need to report back the list of
520     /// mutable upvars that have been used. This field keeps track of them.
521     used_mut_upvars: SmallVec<[Field; 8]>,
522     /// Region inference context. This contains the results from region inference and lets us e.g.
523     /// find out which CFG points are contained in each borrow region.
524     regioncx: Rc<RegionInferenceContext<'tcx>>,
525
526     /// The set of borrows extracted from the MIR
527     borrow_set: Rc<BorrowSet<'tcx>>,
528
529     /// Dominators for MIR
530     dominators: Dominators<BasicBlock>,
531
532     /// Information about upvars not necessarily preserved in types or MIR
533     upvars: Vec<Upvar<'tcx>>,
534
535     /// Names of local (user) variables (extracted from `var_debug_info`).
536     local_names: IndexVec<Local, Option<Symbol>>,
537
538     /// Record the region names generated for each region in the given
539     /// MIR def so that we can reuse them later in help/error messages.
540     region_names: RefCell<FxHashMap<RegionVid, RegionName>>,
541
542     /// The counter for generating new region names.
543     next_region_name: RefCell<usize>,
544
545     /// Results of Polonius analysis.
546     polonius_output: Option<Rc<PoloniusOutput>>,
547
548     errors: error::BorrowckErrors<'tcx>,
549 }
550
551 // Check that:
552 // 1. assignments are always made to mutable locations (FIXME: does that still really go here?)
553 // 2. loans made in overlapping scopes do not conflict
554 // 3. assignments do not affect things loaned out as immutable
555 // 4. moves do not affect things loaned out in any way
556 impl<'cx, 'tcx> rustc_mir_dataflow::ResultsVisitor<'cx, 'tcx> for MirBorrowckCtxt<'cx, 'tcx> {
557     type FlowState = Flows<'cx, 'tcx>;
558
559     fn visit_statement_before_primary_effect(
560         &mut self,
561         flow_state: &Flows<'cx, 'tcx>,
562         stmt: &'cx Statement<'tcx>,
563         location: Location,
564     ) {
565         debug!("MirBorrowckCtxt::process_statement({:?}, {:?}): {:?}", location, stmt, flow_state);
566         let span = stmt.source_info.span;
567
568         self.check_activations(location, span, flow_state);
569
570         match &stmt.kind {
571             StatementKind::Assign(box (lhs, ref rhs)) => {
572                 self.consume_rvalue(location, (rhs, span), flow_state);
573
574                 self.mutate_place(location, (*lhs, span), Shallow(None), flow_state);
575             }
576             StatementKind::FakeRead(box (_, ref place)) => {
577                 // Read for match doesn't access any memory and is used to
578                 // assert that a place is safe and live. So we don't have to
579                 // do any checks here.
580                 //
581                 // FIXME: Remove check that the place is initialized. This is
582                 // needed for now because matches don't have never patterns yet.
583                 // So this is the only place we prevent
584                 //      let x: !;
585                 //      match x {};
586                 // from compiling.
587                 self.check_if_path_or_subpath_is_moved(
588                     location,
589                     InitializationRequiringAction::Use,
590                     (place.as_ref(), span),
591                     flow_state,
592                 );
593             }
594             StatementKind::CopyNonOverlapping(box rustc_middle::mir::CopyNonOverlapping {
595                 ..
596             }) => {
597                 span_bug!(
598                     span,
599                     "Unexpected CopyNonOverlapping, should only appear after lower_intrinsics",
600                 )
601             }
602             // Only relevant for mir typeck
603             StatementKind::AscribeUserType(..)
604             // Doesn't have any language semantics
605             | StatementKind::Coverage(..)
606             // Takes a `bool` argument, and has no return value, thus being irrelevant for borrowck
607             | StatementKind::Assume(..)
608             // Does not actually affect borrowck
609             | StatementKind::StorageLive(..) => {}
610             StatementKind::StorageDead(local) => {
611                 self.access_place(
612                     location,
613                     (Place::from(*local), span),
614                     (Shallow(None), Write(WriteKind::StorageDeadOrDrop)),
615                     LocalMutationIsAllowed::Yes,
616                     flow_state,
617                 );
618             }
619             StatementKind::Nop
620             | StatementKind::Retag { .. }
621             | StatementKind::Deinit(..)
622             | StatementKind::SetDiscriminant { .. } => {
623                 bug!("Statement not allowed in this MIR phase")
624             }
625         }
626     }
627
628     fn visit_terminator_before_primary_effect(
629         &mut self,
630         flow_state: &Flows<'cx, 'tcx>,
631         term: &'cx Terminator<'tcx>,
632         loc: Location,
633     ) {
634         debug!("MirBorrowckCtxt::process_terminator({:?}, {:?}): {:?}", loc, term, flow_state);
635         let span = term.source_info.span;
636
637         self.check_activations(loc, span, flow_state);
638
639         match term.kind {
640             TerminatorKind::SwitchInt { ref discr, switch_ty: _, targets: _ } => {
641                 self.consume_operand(loc, (discr, span), flow_state);
642             }
643             TerminatorKind::Drop { place, target: _, unwind: _ } => {
644                 debug!(
645                     "visit_terminator_drop \
646                      loc: {:?} term: {:?} place: {:?} span: {:?}",
647                     loc, term, place, span
648                 );
649
650                 self.access_place(
651                     loc,
652                     (place, span),
653                     (AccessDepth::Drop, Write(WriteKind::StorageDeadOrDrop)),
654                     LocalMutationIsAllowed::Yes,
655                     flow_state,
656                 );
657             }
658             TerminatorKind::DropAndReplace {
659                 place: drop_place,
660                 value: ref new_value,
661                 target: _,
662                 unwind: _,
663             } => {
664                 self.mutate_place(loc, (drop_place, span), Deep, flow_state);
665                 self.consume_operand(loc, (new_value, span), flow_state);
666             }
667             TerminatorKind::Call {
668                 ref func,
669                 ref args,
670                 destination,
671                 target: _,
672                 cleanup: _,
673                 from_hir_call: _,
674                 fn_span: _,
675             } => {
676                 self.consume_operand(loc, (func, span), flow_state);
677                 for arg in args {
678                     self.consume_operand(loc, (arg, span), flow_state);
679                 }
680                 self.mutate_place(loc, (destination, span), Deep, flow_state);
681             }
682             TerminatorKind::Assert { ref cond, expected: _, ref msg, target: _, cleanup: _ } => {
683                 self.consume_operand(loc, (cond, span), flow_state);
684                 use rustc_middle::mir::AssertKind;
685                 if let AssertKind::BoundsCheck { ref len, ref index } = *msg {
686                     self.consume_operand(loc, (len, span), flow_state);
687                     self.consume_operand(loc, (index, span), flow_state);
688                 }
689             }
690
691             TerminatorKind::Yield { ref value, resume: _, resume_arg, drop: _ } => {
692                 self.consume_operand(loc, (value, span), flow_state);
693                 self.mutate_place(loc, (resume_arg, span), Deep, flow_state);
694             }
695
696             TerminatorKind::InlineAsm {
697                 template: _,
698                 ref operands,
699                 options: _,
700                 line_spans: _,
701                 destination: _,
702                 cleanup: _,
703             } => {
704                 for op in operands {
705                     match *op {
706                         InlineAsmOperand::In { reg: _, ref value } => {
707                             self.consume_operand(loc, (value, span), flow_state);
708                         }
709                         InlineAsmOperand::Out { reg: _, late: _, place, .. } => {
710                             if let Some(place) = place {
711                                 self.mutate_place(loc, (place, span), Shallow(None), flow_state);
712                             }
713                         }
714                         InlineAsmOperand::InOut { reg: _, late: _, ref in_value, out_place } => {
715                             self.consume_operand(loc, (in_value, span), flow_state);
716                             if let Some(out_place) = out_place {
717                                 self.mutate_place(
718                                     loc,
719                                     (out_place, span),
720                                     Shallow(None),
721                                     flow_state,
722                                 );
723                             }
724                         }
725                         InlineAsmOperand::Const { value: _ }
726                         | InlineAsmOperand::SymFn { value: _ }
727                         | InlineAsmOperand::SymStatic { def_id: _ } => {}
728                     }
729                 }
730             }
731
732             TerminatorKind::Goto { target: _ }
733             | TerminatorKind::Abort
734             | TerminatorKind::Unreachable
735             | TerminatorKind::Resume
736             | TerminatorKind::Return
737             | TerminatorKind::GeneratorDrop
738             | TerminatorKind::FalseEdge { real_target: _, imaginary_target: _ }
739             | TerminatorKind::FalseUnwind { real_target: _, unwind: _ } => {
740                 // no data used, thus irrelevant to borrowck
741             }
742         }
743     }
744
745     fn visit_terminator_after_primary_effect(
746         &mut self,
747         flow_state: &Flows<'cx, 'tcx>,
748         term: &'cx Terminator<'tcx>,
749         loc: Location,
750     ) {
751         let span = term.source_info.span;
752
753         match term.kind {
754             TerminatorKind::Yield { value: _, resume: _, resume_arg: _, drop: _ } => {
755                 if self.movable_generator {
756                     // Look for any active borrows to locals
757                     let borrow_set = self.borrow_set.clone();
758                     for i in flow_state.borrows.iter() {
759                         let borrow = &borrow_set[i];
760                         self.check_for_local_borrow(borrow, span);
761                     }
762                 }
763             }
764
765             TerminatorKind::Resume | TerminatorKind::Return | TerminatorKind::GeneratorDrop => {
766                 // Returning from the function implicitly kills storage for all locals and statics.
767                 // Often, the storage will already have been killed by an explicit
768                 // StorageDead, but we don't always emit those (notably on unwind paths),
769                 // so this "extra check" serves as a kind of backup.
770                 let borrow_set = self.borrow_set.clone();
771                 for i in flow_state.borrows.iter() {
772                     let borrow = &borrow_set[i];
773                     self.check_for_invalidation_at_exit(loc, borrow, span);
774                 }
775             }
776
777             TerminatorKind::Abort
778             | TerminatorKind::Assert { .. }
779             | TerminatorKind::Call { .. }
780             | TerminatorKind::Drop { .. }
781             | TerminatorKind::DropAndReplace { .. }
782             | TerminatorKind::FalseEdge { real_target: _, imaginary_target: _ }
783             | TerminatorKind::FalseUnwind { real_target: _, unwind: _ }
784             | TerminatorKind::Goto { .. }
785             | TerminatorKind::SwitchInt { .. }
786             | TerminatorKind::Unreachable
787             | TerminatorKind::InlineAsm { .. } => {}
788         }
789     }
790 }
791
792 use self::AccessDepth::{Deep, Shallow};
793 use self::ReadOrWrite::{Activation, Read, Reservation, Write};
794
795 #[derive(Copy, Clone, PartialEq, Eq, Debug)]
796 enum ArtificialField {
797     ArrayLength,
798     ShallowBorrow,
799 }
800
801 #[derive(Copy, Clone, PartialEq, Eq, Debug)]
802 enum AccessDepth {
803     /// From the RFC: "A *shallow* access means that the immediate
804     /// fields reached at P are accessed, but references or pointers
805     /// found within are not dereferenced. Right now, the only access
806     /// that is shallow is an assignment like `x = ...;`, which would
807     /// be a *shallow write* of `x`."
808     Shallow(Option<ArtificialField>),
809
810     /// From the RFC: "A *deep* access means that all data reachable
811     /// through the given place may be invalidated or accesses by
812     /// this action."
813     Deep,
814
815     /// Access is Deep only when there is a Drop implementation that
816     /// can reach the data behind the reference.
817     Drop,
818 }
819
820 /// Kind of access to a value: read or write
821 /// (For informational purposes only)
822 #[derive(Copy, Clone, PartialEq, Eq, Debug)]
823 enum ReadOrWrite {
824     /// From the RFC: "A *read* means that the existing data may be
825     /// read, but will not be changed."
826     Read(ReadKind),
827
828     /// From the RFC: "A *write* means that the data may be mutated to
829     /// new values or otherwise invalidated (for example, it could be
830     /// de-initialized, as in a move operation).
831     Write(WriteKind),
832
833     /// For two-phase borrows, we distinguish a reservation (which is treated
834     /// like a Read) from an activation (which is treated like a write), and
835     /// each of those is furthermore distinguished from Reads/Writes above.
836     Reservation(WriteKind),
837     Activation(WriteKind, BorrowIndex),
838 }
839
840 /// Kind of read access to a value
841 /// (For informational purposes only)
842 #[derive(Copy, Clone, PartialEq, Eq, Debug)]
843 enum ReadKind {
844     Borrow(BorrowKind),
845     Copy,
846 }
847
848 /// Kind of write access to a value
849 /// (For informational purposes only)
850 #[derive(Copy, Clone, PartialEq, Eq, Debug)]
851 enum WriteKind {
852     StorageDeadOrDrop,
853     MutableBorrow(BorrowKind),
854     Mutate,
855     Move,
856 }
857
858 /// When checking permissions for a place access, this flag is used to indicate that an immutable
859 /// local place can be mutated.
860 //
861 // FIXME: @nikomatsakis suggested that this flag could be removed with the following modifications:
862 // - Merge `check_access_permissions()` and `check_if_reassignment_to_immutable_state()`.
863 // - Split `is_mutable()` into `is_assignable()` (can be directly assigned) and
864 //   `is_declared_mutable()`.
865 // - Take flow state into consideration in `is_assignable()` for local variables.
866 #[derive(Copy, Clone, PartialEq, Eq, Debug)]
867 enum LocalMutationIsAllowed {
868     Yes,
869     /// We want use of immutable upvars to cause a "write to immutable upvar"
870     /// error, not an "reassignment" error.
871     ExceptUpvars,
872     No,
873 }
874
875 #[derive(Copy, Clone, Debug)]
876 enum InitializationRequiringAction {
877     Borrow,
878     MatchOn,
879     Use,
880     Assignment,
881     PartialAssignment,
882 }
883
884 struct RootPlace<'tcx> {
885     place_local: Local,
886     place_projection: &'tcx [PlaceElem<'tcx>],
887     is_local_mutation_allowed: LocalMutationIsAllowed,
888 }
889
890 impl InitializationRequiringAction {
891     fn as_noun(self) -> &'static str {
892         match self {
893             InitializationRequiringAction::Borrow => "borrow",
894             InitializationRequiringAction::MatchOn => "use", // no good noun
895             InitializationRequiringAction::Use => "use",
896             InitializationRequiringAction::Assignment => "assign",
897             InitializationRequiringAction::PartialAssignment => "assign to part",
898         }
899     }
900
901     fn as_verb_in_past_tense(self) -> &'static str {
902         match self {
903             InitializationRequiringAction::Borrow => "borrowed",
904             InitializationRequiringAction::MatchOn => "matched on",
905             InitializationRequiringAction::Use => "used",
906             InitializationRequiringAction::Assignment => "assigned",
907             InitializationRequiringAction::PartialAssignment => "partially assigned",
908         }
909     }
910
911     fn as_general_verb_in_past_tense(self) -> &'static str {
912         match self {
913             InitializationRequiringAction::Borrow
914             | InitializationRequiringAction::MatchOn
915             | InitializationRequiringAction::Use => "used",
916             InitializationRequiringAction::Assignment => "assigned",
917             InitializationRequiringAction::PartialAssignment => "partially assigned",
918         }
919     }
920 }
921
922 impl<'cx, 'tcx> MirBorrowckCtxt<'cx, 'tcx> {
923     fn body(&self) -> &'cx Body<'tcx> {
924         self.body
925     }
926
927     /// Checks an access to the given place to see if it is allowed. Examines the set of borrows
928     /// that are in scope, as well as which paths have been initialized, to ensure that (a) the
929     /// place is initialized and (b) it is not borrowed in some way that would prevent this
930     /// access.
931     ///
932     /// Returns `true` if an error is reported.
933     fn access_place(
934         &mut self,
935         location: Location,
936         place_span: (Place<'tcx>, Span),
937         kind: (AccessDepth, ReadOrWrite),
938         is_local_mutation_allowed: LocalMutationIsAllowed,
939         flow_state: &Flows<'cx, 'tcx>,
940     ) {
941         let (sd, rw) = kind;
942
943         if let Activation(_, borrow_index) = rw {
944             if self.reservation_error_reported.contains(&place_span.0) {
945                 debug!(
946                     "skipping access_place for activation of invalid reservation \
947                      place: {:?} borrow_index: {:?}",
948                     place_span.0, borrow_index
949                 );
950                 return;
951             }
952         }
953
954         // Check is_empty() first because it's the common case, and doing that
955         // way we avoid the clone() call.
956         if !self.access_place_error_reported.is_empty()
957             && self.access_place_error_reported.contains(&(place_span.0, place_span.1))
958         {
959             debug!(
960                 "access_place: suppressing error place_span=`{:?}` kind=`{:?}`",
961                 place_span, kind
962             );
963             return;
964         }
965
966         let mutability_error = self.check_access_permissions(
967             place_span,
968             rw,
969             is_local_mutation_allowed,
970             flow_state,
971             location,
972         );
973         let conflict_error =
974             self.check_access_for_conflict(location, place_span, sd, rw, flow_state);
975
976         if conflict_error || mutability_error {
977             debug!("access_place: logging error place_span=`{:?}` kind=`{:?}`", place_span, kind);
978             self.access_place_error_reported.insert((place_span.0, place_span.1));
979         }
980     }
981
982     #[instrument(level = "debug", skip(self, flow_state))]
983     fn check_access_for_conflict(
984         &mut self,
985         location: Location,
986         place_span: (Place<'tcx>, Span),
987         sd: AccessDepth,
988         rw: ReadOrWrite,
989         flow_state: &Flows<'cx, 'tcx>,
990     ) -> bool {
991         let mut error_reported = false;
992         let tcx = self.infcx.tcx;
993         let body = self.body;
994         let borrow_set = self.borrow_set.clone();
995
996         // Use polonius output if it has been enabled.
997         let polonius_output = self.polonius_output.clone();
998         let borrows_in_scope = if let Some(polonius) = &polonius_output {
999             let location = self.location_table.start_index(location);
1000             Either::Left(polonius.errors_at(location).iter().copied())
1001         } else {
1002             Either::Right(flow_state.borrows.iter())
1003         };
1004
1005         each_borrow_involving_path(
1006             self,
1007             tcx,
1008             body,
1009             location,
1010             (sd, place_span.0),
1011             &borrow_set,
1012             borrows_in_scope,
1013             |this, borrow_index, borrow| match (rw, borrow.kind) {
1014                 // Obviously an activation is compatible with its own
1015                 // reservation (or even prior activating uses of same
1016                 // borrow); so don't check if they interfere.
1017                 //
1018                 // NOTE: *reservations* do conflict with themselves;
1019                 // thus aren't injecting unsoundness w/ this check.)
1020                 (Activation(_, activating), _) if activating == borrow_index => {
1021                     debug!(
1022                         "check_access_for_conflict place_span: {:?} sd: {:?} rw: {:?} \
1023                          skipping {:?} b/c activation of same borrow_index",
1024                         place_span,
1025                         sd,
1026                         rw,
1027                         (borrow_index, borrow),
1028                     );
1029                     Control::Continue
1030                 }
1031
1032                 (Read(_), BorrowKind::Shared | BorrowKind::Shallow)
1033                 | (
1034                     Read(ReadKind::Borrow(BorrowKind::Shallow)),
1035                     BorrowKind::Unique | BorrowKind::Mut { .. },
1036                 ) => Control::Continue,
1037
1038                 (Reservation(_), BorrowKind::Shallow | BorrowKind::Shared) => {
1039                     // This used to be a future compatibility warning (to be
1040                     // disallowed on NLL). See rust-lang/rust#56254
1041                     Control::Continue
1042                 }
1043
1044                 (Write(WriteKind::Move), BorrowKind::Shallow) => {
1045                     // Handled by initialization checks.
1046                     Control::Continue
1047                 }
1048
1049                 (Read(kind), BorrowKind::Unique | BorrowKind::Mut { .. }) => {
1050                     // Reading from mere reservations of mutable-borrows is OK.
1051                     if !is_active(&this.dominators, borrow, location) {
1052                         assert!(allow_two_phase_borrow(borrow.kind));
1053                         return Control::Continue;
1054                     }
1055
1056                     error_reported = true;
1057                     match kind {
1058                         ReadKind::Copy => {
1059                             let err = this
1060                                 .report_use_while_mutably_borrowed(location, place_span, borrow);
1061                             this.buffer_error(err);
1062                         }
1063                         ReadKind::Borrow(bk) => {
1064                             let err =
1065                                 this.report_conflicting_borrow(location, place_span, bk, borrow);
1066                             this.buffer_error(err);
1067                         }
1068                     }
1069                     Control::Break
1070                 }
1071
1072                 (Reservation(kind) | Activation(kind, _) | Write(kind), _) => {
1073                     match rw {
1074                         Reservation(..) => {
1075                             debug!(
1076                                 "recording invalid reservation of \
1077                                  place: {:?}",
1078                                 place_span.0
1079                             );
1080                             this.reservation_error_reported.insert(place_span.0);
1081                         }
1082                         Activation(_, activating) => {
1083                             debug!(
1084                                 "observing check_place for activation of \
1085                                  borrow_index: {:?}",
1086                                 activating
1087                             );
1088                         }
1089                         Read(..) | Write(..) => {}
1090                     }
1091
1092                     error_reported = true;
1093                     match kind {
1094                         WriteKind::MutableBorrow(bk) => {
1095                             let err =
1096                                 this.report_conflicting_borrow(location, place_span, bk, borrow);
1097                             this.buffer_error(err);
1098                         }
1099                         WriteKind::StorageDeadOrDrop => this
1100                             .report_borrowed_value_does_not_live_long_enough(
1101                                 location,
1102                                 borrow,
1103                                 place_span,
1104                                 Some(kind),
1105                             ),
1106                         WriteKind::Mutate => {
1107                             this.report_illegal_mutation_of_borrowed(location, place_span, borrow)
1108                         }
1109                         WriteKind::Move => {
1110                             this.report_move_out_while_borrowed(location, place_span, borrow)
1111                         }
1112                     }
1113                     Control::Break
1114                 }
1115             },
1116         );
1117
1118         error_reported
1119     }
1120
1121     fn mutate_place(
1122         &mut self,
1123         location: Location,
1124         place_span: (Place<'tcx>, Span),
1125         kind: AccessDepth,
1126         flow_state: &Flows<'cx, 'tcx>,
1127     ) {
1128         // Write of P[i] or *P requires P init'd.
1129         self.check_if_assigned_path_is_moved(location, place_span, flow_state);
1130
1131         // Special case: you can assign an immutable local variable
1132         // (e.g., `x = ...`) so long as it has never been initialized
1133         // before (at this point in the flow).
1134         if let Some(local) = place_span.0.as_local() {
1135             if let Mutability::Not = self.body.local_decls[local].mutability {
1136                 // check for reassignments to immutable local variables
1137                 self.check_if_reassignment_to_immutable_state(
1138                     location, local, place_span, flow_state,
1139                 );
1140                 return;
1141             }
1142         }
1143
1144         // Otherwise, use the normal access permission rules.
1145         self.access_place(
1146             location,
1147             place_span,
1148             (kind, Write(WriteKind::Mutate)),
1149             LocalMutationIsAllowed::No,
1150             flow_state,
1151         );
1152     }
1153
1154     fn consume_rvalue(
1155         &mut self,
1156         location: Location,
1157         (rvalue, span): (&'cx Rvalue<'tcx>, Span),
1158         flow_state: &Flows<'cx, 'tcx>,
1159     ) {
1160         match *rvalue {
1161             Rvalue::Ref(_ /*rgn*/, bk, place) => {
1162                 let access_kind = match bk {
1163                     BorrowKind::Shallow => {
1164                         (Shallow(Some(ArtificialField::ShallowBorrow)), Read(ReadKind::Borrow(bk)))
1165                     }
1166                     BorrowKind::Shared => (Deep, Read(ReadKind::Borrow(bk))),
1167                     BorrowKind::Unique | BorrowKind::Mut { .. } => {
1168                         let wk = WriteKind::MutableBorrow(bk);
1169                         if allow_two_phase_borrow(bk) {
1170                             (Deep, Reservation(wk))
1171                         } else {
1172                             (Deep, Write(wk))
1173                         }
1174                     }
1175                 };
1176
1177                 self.access_place(
1178                     location,
1179                     (place, span),
1180                     access_kind,
1181                     LocalMutationIsAllowed::No,
1182                     flow_state,
1183                 );
1184
1185                 let action = if bk == BorrowKind::Shallow {
1186                     InitializationRequiringAction::MatchOn
1187                 } else {
1188                     InitializationRequiringAction::Borrow
1189                 };
1190
1191                 self.check_if_path_or_subpath_is_moved(
1192                     location,
1193                     action,
1194                     (place.as_ref(), span),
1195                     flow_state,
1196                 );
1197             }
1198
1199             Rvalue::AddressOf(mutability, place) => {
1200                 let access_kind = match mutability {
1201                     Mutability::Mut => (
1202                         Deep,
1203                         Write(WriteKind::MutableBorrow(BorrowKind::Mut {
1204                             allow_two_phase_borrow: false,
1205                         })),
1206                     ),
1207                     Mutability::Not => (Deep, Read(ReadKind::Borrow(BorrowKind::Shared))),
1208                 };
1209
1210                 self.access_place(
1211                     location,
1212                     (place, span),
1213                     access_kind,
1214                     LocalMutationIsAllowed::No,
1215                     flow_state,
1216                 );
1217
1218                 self.check_if_path_or_subpath_is_moved(
1219                     location,
1220                     InitializationRequiringAction::Borrow,
1221                     (place.as_ref(), span),
1222                     flow_state,
1223                 );
1224             }
1225
1226             Rvalue::ThreadLocalRef(_) => {}
1227
1228             Rvalue::Use(ref operand)
1229             | Rvalue::Repeat(ref operand, _)
1230             | Rvalue::UnaryOp(_ /*un_op*/, ref operand)
1231             | Rvalue::Cast(_ /*cast_kind*/, ref operand, _ /*ty*/)
1232             | Rvalue::ShallowInitBox(ref operand, _ /*ty*/) => {
1233                 self.consume_operand(location, (operand, span), flow_state)
1234             }
1235             Rvalue::CopyForDeref(place) => {
1236                 self.access_place(
1237                     location,
1238                     (place, span),
1239                     (Deep, Read(ReadKind::Copy)),
1240                     LocalMutationIsAllowed::No,
1241                     flow_state,
1242                 );
1243
1244                 // Finally, check if path was already moved.
1245                 self.check_if_path_or_subpath_is_moved(
1246                     location,
1247                     InitializationRequiringAction::Use,
1248                     (place.as_ref(), span),
1249                     flow_state,
1250                 );
1251             }
1252
1253             Rvalue::Len(place) | Rvalue::Discriminant(place) => {
1254                 let af = match *rvalue {
1255                     Rvalue::Len(..) => Some(ArtificialField::ArrayLength),
1256                     Rvalue::Discriminant(..) => None,
1257                     _ => unreachable!(),
1258                 };
1259                 self.access_place(
1260                     location,
1261                     (place, span),
1262                     (Shallow(af), Read(ReadKind::Copy)),
1263                     LocalMutationIsAllowed::No,
1264                     flow_state,
1265                 );
1266                 self.check_if_path_or_subpath_is_moved(
1267                     location,
1268                     InitializationRequiringAction::Use,
1269                     (place.as_ref(), span),
1270                     flow_state,
1271                 );
1272             }
1273
1274             Rvalue::BinaryOp(_bin_op, box (ref operand1, ref operand2))
1275             | Rvalue::CheckedBinaryOp(_bin_op, box (ref operand1, ref operand2)) => {
1276                 self.consume_operand(location, (operand1, span), flow_state);
1277                 self.consume_operand(location, (operand2, span), flow_state);
1278             }
1279
1280             Rvalue::NullaryOp(_op, _ty) => {
1281                 // nullary ops take no dynamic input; no borrowck effect.
1282             }
1283
1284             Rvalue::Aggregate(ref aggregate_kind, ref operands) => {
1285                 // We need to report back the list of mutable upvars that were
1286                 // moved into the closure and subsequently used by the closure,
1287                 // in order to populate our used_mut set.
1288                 match **aggregate_kind {
1289                     AggregateKind::Closure(def_id, _) | AggregateKind::Generator(def_id, _, _) => {
1290                         let BorrowCheckResult { used_mut_upvars, .. } =
1291                             self.infcx.tcx.mir_borrowck(def_id);
1292                         debug!("{:?} used_mut_upvars={:?}", def_id, used_mut_upvars);
1293                         for field in used_mut_upvars {
1294                             self.propagate_closure_used_mut_upvar(&operands[field.index()]);
1295                         }
1296                     }
1297                     AggregateKind::Adt(..)
1298                     | AggregateKind::Array(..)
1299                     | AggregateKind::Tuple { .. } => (),
1300                 }
1301
1302                 for operand in operands {
1303                     self.consume_operand(location, (operand, span), flow_state);
1304                 }
1305             }
1306         }
1307     }
1308
1309     fn propagate_closure_used_mut_upvar(&mut self, operand: &Operand<'tcx>) {
1310         let propagate_closure_used_mut_place = |this: &mut Self, place: Place<'tcx>| {
1311             // We have three possibilities here:
1312             // a. We are modifying something through a mut-ref
1313             // b. We are modifying something that is local to our parent
1314             // c. Current body is a nested closure, and we are modifying path starting from
1315             //    a Place captured by our parent closure.
1316
1317             // Handle (c), the path being modified is exactly the path captured by our parent
1318             if let Some(field) = this.is_upvar_field_projection(place.as_ref()) {
1319                 this.used_mut_upvars.push(field);
1320                 return;
1321             }
1322
1323             for (place_ref, proj) in place.iter_projections().rev() {
1324                 // Handle (a)
1325                 if proj == ProjectionElem::Deref {
1326                     match place_ref.ty(this.body(), this.infcx.tcx).ty.kind() {
1327                         // We aren't modifying a variable directly
1328                         ty::Ref(_, _, hir::Mutability::Mut) => return,
1329
1330                         _ => {}
1331                     }
1332                 }
1333
1334                 // Handle (c)
1335                 if let Some(field) = this.is_upvar_field_projection(place_ref) {
1336                     this.used_mut_upvars.push(field);
1337                     return;
1338                 }
1339             }
1340
1341             // Handle(b)
1342             this.used_mut.insert(place.local);
1343         };
1344
1345         // This relies on the current way that by-value
1346         // captures of a closure are copied/moved directly
1347         // when generating MIR.
1348         match *operand {
1349             Operand::Move(place) | Operand::Copy(place) => {
1350                 match place.as_local() {
1351                     Some(local) if !self.body.local_decls[local].is_user_variable() => {
1352                         if self.body.local_decls[local].ty.is_mutable_ptr() {
1353                             // The variable will be marked as mutable by the borrow.
1354                             return;
1355                         }
1356                         // This is an edge case where we have a `move` closure
1357                         // inside a non-move closure, and the inner closure
1358                         // contains a mutation:
1359                         //
1360                         // let mut i = 0;
1361                         // || { move || { i += 1; }; };
1362                         //
1363                         // In this case our usual strategy of assuming that the
1364                         // variable will be captured by mutable reference is
1365                         // wrong, since `i` can be copied into the inner
1366                         // closure from a shared reference.
1367                         //
1368                         // As such we have to search for the local that this
1369                         // capture comes from and mark it as being used as mut.
1370
1371                         let temp_mpi = self.move_data.rev_lookup.find_local(local);
1372                         let init = if let [init_index] = *self.move_data.init_path_map[temp_mpi] {
1373                             &self.move_data.inits[init_index]
1374                         } else {
1375                             bug!("temporary should be initialized exactly once")
1376                         };
1377
1378                         let InitLocation::Statement(loc) = init.location else {
1379                             bug!("temporary initialized in arguments")
1380                         };
1381
1382                         let body = self.body;
1383                         let bbd = &body[loc.block];
1384                         let stmt = &bbd.statements[loc.statement_index];
1385                         debug!("temporary assigned in: stmt={:?}", stmt);
1386
1387                         if let StatementKind::Assign(box (_, Rvalue::Ref(_, _, source))) = stmt.kind
1388                         {
1389                             propagate_closure_used_mut_place(self, source);
1390                         } else {
1391                             bug!(
1392                                 "closures should only capture user variables \
1393                                  or references to user variables"
1394                             );
1395                         }
1396                     }
1397                     _ => propagate_closure_used_mut_place(self, place),
1398                 }
1399             }
1400             Operand::Constant(..) => {}
1401         }
1402     }
1403
1404     fn consume_operand(
1405         &mut self,
1406         location: Location,
1407         (operand, span): (&'cx Operand<'tcx>, Span),
1408         flow_state: &Flows<'cx, 'tcx>,
1409     ) {
1410         match *operand {
1411             Operand::Copy(place) => {
1412                 // copy of place: check if this is "copy of frozen path"
1413                 // (FIXME: see check_loans.rs)
1414                 self.access_place(
1415                     location,
1416                     (place, span),
1417                     (Deep, Read(ReadKind::Copy)),
1418                     LocalMutationIsAllowed::No,
1419                     flow_state,
1420                 );
1421
1422                 // Finally, check if path was already moved.
1423                 self.check_if_path_or_subpath_is_moved(
1424                     location,
1425                     InitializationRequiringAction::Use,
1426                     (place.as_ref(), span),
1427                     flow_state,
1428                 );
1429             }
1430             Operand::Move(place) => {
1431                 // move of place: check if this is move of already borrowed path
1432                 self.access_place(
1433                     location,
1434                     (place, span),
1435                     (Deep, Write(WriteKind::Move)),
1436                     LocalMutationIsAllowed::Yes,
1437                     flow_state,
1438                 );
1439
1440                 // Finally, check if path was already moved.
1441                 self.check_if_path_or_subpath_is_moved(
1442                     location,
1443                     InitializationRequiringAction::Use,
1444                     (place.as_ref(), span),
1445                     flow_state,
1446                 );
1447             }
1448             Operand::Constant(_) => {}
1449         }
1450     }
1451
1452     /// Checks whether a borrow of this place is invalidated when the function
1453     /// exits
1454     #[instrument(level = "debug", skip(self))]
1455     fn check_for_invalidation_at_exit(
1456         &mut self,
1457         location: Location,
1458         borrow: &BorrowData<'tcx>,
1459         span: Span,
1460     ) {
1461         let place = borrow.borrowed_place;
1462         let mut root_place = PlaceRef { local: place.local, projection: &[] };
1463
1464         // FIXME(nll-rfc#40): do more precise destructor tracking here. For now
1465         // we just know that all locals are dropped at function exit (otherwise
1466         // we'll have a memory leak) and assume that all statics have a destructor.
1467         //
1468         // FIXME: allow thread-locals to borrow other thread locals?
1469
1470         let (might_be_alive, will_be_dropped) =
1471             if self.body.local_decls[root_place.local].is_ref_to_thread_local() {
1472                 // Thread-locals might be dropped after the function exits
1473                 // We have to dereference the outer reference because
1474                 // borrows don't conflict behind shared references.
1475                 root_place.projection = TyCtxtConsts::DEREF_PROJECTION;
1476                 (true, true)
1477             } else {
1478                 (false, self.locals_are_invalidated_at_exit)
1479             };
1480
1481         if !will_be_dropped {
1482             debug!("place_is_invalidated_at_exit({:?}) - won't be dropped", place);
1483             return;
1484         }
1485
1486         let sd = if might_be_alive { Deep } else { Shallow(None) };
1487
1488         if places_conflict::borrow_conflicts_with_place(
1489             self.infcx.tcx,
1490             &self.body,
1491             place,
1492             borrow.kind,
1493             root_place,
1494             sd,
1495             places_conflict::PlaceConflictBias::Overlap,
1496         ) {
1497             debug!("check_for_invalidation_at_exit({:?}): INVALID", place);
1498             // FIXME: should be talking about the region lifetime instead
1499             // of just a span here.
1500             let span = self.infcx.tcx.sess.source_map().end_point(span);
1501             self.report_borrowed_value_does_not_live_long_enough(
1502                 location,
1503                 borrow,
1504                 (place, span),
1505                 None,
1506             )
1507         }
1508     }
1509
1510     /// Reports an error if this is a borrow of local data.
1511     /// This is called for all Yield expressions on movable generators
1512     fn check_for_local_borrow(&mut self, borrow: &BorrowData<'tcx>, yield_span: Span) {
1513         debug!("check_for_local_borrow({:?})", borrow);
1514
1515         if borrow_of_local_data(borrow.borrowed_place) {
1516             let err = self.cannot_borrow_across_generator_yield(
1517                 self.retrieve_borrow_spans(borrow).var_or_use(),
1518                 yield_span,
1519             );
1520
1521             self.buffer_error(err);
1522         }
1523     }
1524
1525     fn check_activations(&mut self, location: Location, span: Span, flow_state: &Flows<'cx, 'tcx>) {
1526         // Two-phase borrow support: For each activation that is newly
1527         // generated at this statement, check if it interferes with
1528         // another borrow.
1529         let borrow_set = self.borrow_set.clone();
1530         for &borrow_index in borrow_set.activations_at_location(location) {
1531             let borrow = &borrow_set[borrow_index];
1532
1533             // only mutable borrows should be 2-phase
1534             assert!(match borrow.kind {
1535                 BorrowKind::Shared | BorrowKind::Shallow => false,
1536                 BorrowKind::Unique | BorrowKind::Mut { .. } => true,
1537             });
1538
1539             self.access_place(
1540                 location,
1541                 (borrow.borrowed_place, span),
1542                 (Deep, Activation(WriteKind::MutableBorrow(borrow.kind), borrow_index)),
1543                 LocalMutationIsAllowed::No,
1544                 flow_state,
1545             );
1546             // We do not need to call `check_if_path_or_subpath_is_moved`
1547             // again, as we already called it when we made the
1548             // initial reservation.
1549         }
1550     }
1551
1552     fn check_if_reassignment_to_immutable_state(
1553         &mut self,
1554         location: Location,
1555         local: Local,
1556         place_span: (Place<'tcx>, Span),
1557         flow_state: &Flows<'cx, 'tcx>,
1558     ) {
1559         debug!("check_if_reassignment_to_immutable_state({:?})", local);
1560
1561         // Check if any of the initializations of `local` have happened yet:
1562         if let Some(init_index) = self.is_local_ever_initialized(local, flow_state) {
1563             // And, if so, report an error.
1564             let init = &self.move_data.inits[init_index];
1565             let span = init.span(&self.body);
1566             self.report_illegal_reassignment(location, place_span, span, place_span.0);
1567         }
1568     }
1569
1570     fn check_if_full_path_is_moved(
1571         &mut self,
1572         location: Location,
1573         desired_action: InitializationRequiringAction,
1574         place_span: (PlaceRef<'tcx>, Span),
1575         flow_state: &Flows<'cx, 'tcx>,
1576     ) {
1577         let maybe_uninits = &flow_state.uninits;
1578
1579         // Bad scenarios:
1580         //
1581         // 1. Move of `a.b.c`, use of `a.b.c`
1582         // 2. Move of `a.b.c`, use of `a.b.c.d` (without first reinitializing `a.b.c.d`)
1583         // 3. Uninitialized `(a.b.c: &_)`, use of `*a.b.c`; note that with
1584         //    partial initialization support, one might have `a.x`
1585         //    initialized but not `a.b`.
1586         //
1587         // OK scenarios:
1588         //
1589         // 4. Move of `a.b.c`, use of `a.b.d`
1590         // 5. Uninitialized `a.x`, initialized `a.b`, use of `a.b`
1591         // 6. Copied `(a.b: &_)`, use of `*(a.b).c`; note that `a.b`
1592         //    must have been initialized for the use to be sound.
1593         // 7. Move of `a.b.c` then reinit of `a.b.c.d`, use of `a.b.c.d`
1594
1595         // The dataflow tracks shallow prefixes distinctly (that is,
1596         // field-accesses on P distinctly from P itself), in order to
1597         // track substructure initialization separately from the whole
1598         // structure.
1599         //
1600         // E.g., when looking at (*a.b.c).d, if the closest prefix for
1601         // which we have a MovePath is `a.b`, then that means that the
1602         // initialization state of `a.b` is all we need to inspect to
1603         // know if `a.b.c` is valid (and from that we infer that the
1604         // dereference and `.d` access is also valid, since we assume
1605         // `a.b.c` is assigned a reference to an initialized and
1606         // well-formed record structure.)
1607
1608         // Therefore, if we seek out the *closest* prefix for which we
1609         // have a MovePath, that should capture the initialization
1610         // state for the place scenario.
1611         //
1612         // This code covers scenarios 1, 2, and 3.
1613
1614         debug!("check_if_full_path_is_moved place: {:?}", place_span.0);
1615         let (prefix, mpi) = self.move_path_closest_to(place_span.0);
1616         if maybe_uninits.contains(mpi) {
1617             self.report_use_of_moved_or_uninitialized(
1618                 location,
1619                 desired_action,
1620                 (prefix, place_span.0, place_span.1),
1621                 mpi,
1622             );
1623         } // Only query longest prefix with a MovePath, not further
1624         // ancestors; dataflow recurs on children when parents
1625         // move (to support partial (re)inits).
1626         //
1627         // (I.e., querying parents breaks scenario 7; but may want
1628         // to do such a query based on partial-init feature-gate.)
1629     }
1630
1631     /// Subslices correspond to multiple move paths, so we iterate through the
1632     /// elements of the base array. For each element we check
1633     ///
1634     /// * Does this element overlap with our slice.
1635     /// * Is any part of it uninitialized.
1636     fn check_if_subslice_element_is_moved(
1637         &mut self,
1638         location: Location,
1639         desired_action: InitializationRequiringAction,
1640         place_span: (PlaceRef<'tcx>, Span),
1641         maybe_uninits: &ChunkedBitSet<MovePathIndex>,
1642         from: u64,
1643         to: u64,
1644     ) {
1645         if let Some(mpi) = self.move_path_for_place(place_span.0) {
1646             let move_paths = &self.move_data.move_paths;
1647
1648             let root_path = &move_paths[mpi];
1649             for (child_mpi, child_move_path) in root_path.children(move_paths) {
1650                 let last_proj = child_move_path.place.projection.last().unwrap();
1651                 if let ProjectionElem::ConstantIndex { offset, from_end, .. } = last_proj {
1652                     debug_assert!(!from_end, "Array constant indexing shouldn't be `from_end`.");
1653
1654                     if (from..to).contains(offset) {
1655                         let uninit_child =
1656                             self.move_data.find_in_move_path_or_its_descendants(child_mpi, |mpi| {
1657                                 maybe_uninits.contains(mpi)
1658                             });
1659
1660                         if let Some(uninit_child) = uninit_child {
1661                             self.report_use_of_moved_or_uninitialized(
1662                                 location,
1663                                 desired_action,
1664                                 (place_span.0, place_span.0, place_span.1),
1665                                 uninit_child,
1666                             );
1667                             return; // don't bother finding other problems.
1668                         }
1669                     }
1670                 }
1671             }
1672         }
1673     }
1674
1675     fn check_if_path_or_subpath_is_moved(
1676         &mut self,
1677         location: Location,
1678         desired_action: InitializationRequiringAction,
1679         place_span: (PlaceRef<'tcx>, Span),
1680         flow_state: &Flows<'cx, 'tcx>,
1681     ) {
1682         let maybe_uninits = &flow_state.uninits;
1683
1684         // Bad scenarios:
1685         //
1686         // 1. Move of `a.b.c`, use of `a` or `a.b`
1687         //    partial initialization support, one might have `a.x`
1688         //    initialized but not `a.b`.
1689         // 2. All bad scenarios from `check_if_full_path_is_moved`
1690         //
1691         // OK scenarios:
1692         //
1693         // 3. Move of `a.b.c`, use of `a.b.d`
1694         // 4. Uninitialized `a.x`, initialized `a.b`, use of `a.b`
1695         // 5. Copied `(a.b: &_)`, use of `*(a.b).c`; note that `a.b`
1696         //    must have been initialized for the use to be sound.
1697         // 6. Move of `a.b.c` then reinit of `a.b.c.d`, use of `a.b.c.d`
1698
1699         self.check_if_full_path_is_moved(location, desired_action, place_span, flow_state);
1700
1701         if let Some((place_base, ProjectionElem::Subslice { from, to, from_end: false })) =
1702             place_span.0.last_projection()
1703         {
1704             let place_ty = place_base.ty(self.body(), self.infcx.tcx);
1705             if let ty::Array(..) = place_ty.ty.kind() {
1706                 self.check_if_subslice_element_is_moved(
1707                     location,
1708                     desired_action,
1709                     (place_base, place_span.1),
1710                     maybe_uninits,
1711                     from,
1712                     to,
1713                 );
1714                 return;
1715             }
1716         }
1717
1718         // A move of any shallow suffix of `place` also interferes
1719         // with an attempt to use `place`. This is scenario 3 above.
1720         //
1721         // (Distinct from handling of scenarios 1+2+4 above because
1722         // `place` does not interfere with suffixes of its prefixes,
1723         // e.g., `a.b.c` does not interfere with `a.b.d`)
1724         //
1725         // This code covers scenario 1.
1726
1727         debug!("check_if_path_or_subpath_is_moved place: {:?}", place_span.0);
1728         if let Some(mpi) = self.move_path_for_place(place_span.0) {
1729             let uninit_mpi = self
1730                 .move_data
1731                 .find_in_move_path_or_its_descendants(mpi, |mpi| maybe_uninits.contains(mpi));
1732
1733             if let Some(uninit_mpi) = uninit_mpi {
1734                 self.report_use_of_moved_or_uninitialized(
1735                     location,
1736                     desired_action,
1737                     (place_span.0, place_span.0, place_span.1),
1738                     uninit_mpi,
1739                 );
1740                 return; // don't bother finding other problems.
1741             }
1742         }
1743     }
1744
1745     /// Currently MoveData does not store entries for all places in
1746     /// the input MIR. For example it will currently filter out
1747     /// places that are Copy; thus we do not track places of shared
1748     /// reference type. This routine will walk up a place along its
1749     /// prefixes, searching for a foundational place that *is*
1750     /// tracked in the MoveData.
1751     ///
1752     /// An Err result includes a tag indicated why the search failed.
1753     /// Currently this can only occur if the place is built off of a
1754     /// static variable, as we do not track those in the MoveData.
1755     fn move_path_closest_to(&mut self, place: PlaceRef<'tcx>) -> (PlaceRef<'tcx>, MovePathIndex) {
1756         match self.move_data.rev_lookup.find(place) {
1757             LookupResult::Parent(Some(mpi)) | LookupResult::Exact(mpi) => {
1758                 (self.move_data.move_paths[mpi].place.as_ref(), mpi)
1759             }
1760             LookupResult::Parent(None) => panic!("should have move path for every Local"),
1761         }
1762     }
1763
1764     fn move_path_for_place(&mut self, place: PlaceRef<'tcx>) -> Option<MovePathIndex> {
1765         // If returns None, then there is no move path corresponding
1766         // to a direct owner of `place` (which means there is nothing
1767         // that borrowck tracks for its analysis).
1768
1769         match self.move_data.rev_lookup.find(place) {
1770             LookupResult::Parent(_) => None,
1771             LookupResult::Exact(mpi) => Some(mpi),
1772         }
1773     }
1774
1775     fn check_if_assigned_path_is_moved(
1776         &mut self,
1777         location: Location,
1778         (place, span): (Place<'tcx>, Span),
1779         flow_state: &Flows<'cx, 'tcx>,
1780     ) {
1781         debug!("check_if_assigned_path_is_moved place: {:?}", place);
1782
1783         // None case => assigning to `x` does not require `x` be initialized.
1784         for (place_base, elem) in place.iter_projections().rev() {
1785             match elem {
1786                 ProjectionElem::Index(_/*operand*/) |
1787                 ProjectionElem::ConstantIndex { .. } |
1788                 // assigning to P[i] requires P to be valid.
1789                 ProjectionElem::Downcast(_/*adt_def*/, _/*variant_idx*/) =>
1790                 // assigning to (P->variant) is okay if assigning to `P` is okay
1791                 //
1792                 // FIXME: is this true even if P is an adt with a dtor?
1793                 { }
1794
1795                 // assigning to (*P) requires P to be initialized
1796                 ProjectionElem::Deref => {
1797                     self.check_if_full_path_is_moved(
1798                         location, InitializationRequiringAction::Use,
1799                         (place_base, span), flow_state);
1800                     // (base initialized; no need to
1801                     // recur further)
1802                     break;
1803                 }
1804
1805                 ProjectionElem::Subslice { .. } => {
1806                     panic!("we don't allow assignments to subslices, location: {:?}",
1807                            location);
1808                 }
1809
1810                 ProjectionElem::Field(..) => {
1811                     // if type of `P` has a dtor, then
1812                     // assigning to `P.f` requires `P` itself
1813                     // be already initialized
1814                     let tcx = self.infcx.tcx;
1815                     let base_ty = place_base.ty(self.body(), tcx).ty;
1816                     match base_ty.kind() {
1817                         ty::Adt(def, _) if def.has_dtor(tcx) => {
1818                             self.check_if_path_or_subpath_is_moved(
1819                                 location, InitializationRequiringAction::Assignment,
1820                                 (place_base, span), flow_state);
1821
1822                             // (base initialized; no need to
1823                             // recur further)
1824                             break;
1825                         }
1826
1827                         // Once `let s; s.x = V; read(s.x);`,
1828                         // is allowed, remove this match arm.
1829                         ty::Adt(..) | ty::Tuple(..) => {
1830                             check_parent_of_field(self, location, place_base, span, flow_state);
1831
1832                             // rust-lang/rust#21232, #54499, #54986: during period where we reject
1833                             // partial initialization, do not complain about unnecessary `mut` on
1834                             // an attempt to do a partial initialization.
1835                             self.used_mut.insert(place.local);
1836                         }
1837
1838                         _ => {}
1839                     }
1840                 }
1841             }
1842         }
1843
1844         fn check_parent_of_field<'cx, 'tcx>(
1845             this: &mut MirBorrowckCtxt<'cx, 'tcx>,
1846             location: Location,
1847             base: PlaceRef<'tcx>,
1848             span: Span,
1849             flow_state: &Flows<'cx, 'tcx>,
1850         ) {
1851             // rust-lang/rust#21232: Until Rust allows reads from the
1852             // initialized parts of partially initialized structs, we
1853             // will, starting with the 2018 edition, reject attempts
1854             // to write to structs that are not fully initialized.
1855             //
1856             // In other words, *until* we allow this:
1857             //
1858             // 1. `let mut s; s.x = Val; read(s.x);`
1859             //
1860             // we will for now disallow this:
1861             //
1862             // 2. `let mut s; s.x = Val;`
1863             //
1864             // and also this:
1865             //
1866             // 3. `let mut s = ...; drop(s); s.x=Val;`
1867             //
1868             // This does not use check_if_path_or_subpath_is_moved,
1869             // because we want to *allow* reinitializations of fields:
1870             // e.g., want to allow
1871             //
1872             // `let mut s = ...; drop(s.x); s.x=Val;`
1873             //
1874             // This does not use check_if_full_path_is_moved on
1875             // `base`, because that would report an error about the
1876             // `base` as a whole, but in this scenario we *really*
1877             // want to report an error about the actual thing that was
1878             // moved, which may be some prefix of `base`.
1879
1880             // Shallow so that we'll stop at any dereference; we'll
1881             // report errors about issues with such bases elsewhere.
1882             let maybe_uninits = &flow_state.uninits;
1883
1884             // Find the shortest uninitialized prefix you can reach
1885             // without going over a Deref.
1886             let mut shortest_uninit_seen = None;
1887             for prefix in this.prefixes(base, PrefixSet::Shallow) {
1888                 let Some(mpi) = this.move_path_for_place(prefix) else { continue };
1889
1890                 if maybe_uninits.contains(mpi) {
1891                     debug!(
1892                         "check_parent_of_field updating shortest_uninit_seen from {:?} to {:?}",
1893                         shortest_uninit_seen,
1894                         Some((prefix, mpi))
1895                     );
1896                     shortest_uninit_seen = Some((prefix, mpi));
1897                 } else {
1898                     debug!("check_parent_of_field {:?} is definitely initialized", (prefix, mpi));
1899                 }
1900             }
1901
1902             if let Some((prefix, mpi)) = shortest_uninit_seen {
1903                 // Check for a reassignment into an uninitialized field of a union (for example,
1904                 // after a move out). In this case, do not report an error here. There is an
1905                 // exception, if this is the first assignment into the union (that is, there is
1906                 // no move out from an earlier location) then this is an attempt at initialization
1907                 // of the union - we should error in that case.
1908                 let tcx = this.infcx.tcx;
1909                 if base.ty(this.body(), tcx).ty.is_union() {
1910                     if this.move_data.path_map[mpi].iter().any(|moi| {
1911                         this.move_data.moves[*moi].source.is_predecessor_of(location, this.body)
1912                     }) {
1913                         return;
1914                     }
1915                 }
1916
1917                 this.report_use_of_moved_or_uninitialized(
1918                     location,
1919                     InitializationRequiringAction::PartialAssignment,
1920                     (prefix, base, span),
1921                     mpi,
1922                 );
1923             }
1924         }
1925     }
1926
1927     /// Checks the permissions for the given place and read or write kind
1928     ///
1929     /// Returns `true` if an error is reported.
1930     fn check_access_permissions(
1931         &mut self,
1932         (place, span): (Place<'tcx>, Span),
1933         kind: ReadOrWrite,
1934         is_local_mutation_allowed: LocalMutationIsAllowed,
1935         flow_state: &Flows<'cx, 'tcx>,
1936         location: Location,
1937     ) -> bool {
1938         debug!(
1939             "check_access_permissions({:?}, {:?}, is_local_mutation_allowed: {:?})",
1940             place, kind, is_local_mutation_allowed
1941         );
1942
1943         let error_access;
1944         let the_place_err;
1945
1946         match kind {
1947             Reservation(WriteKind::MutableBorrow(
1948                 borrow_kind @ (BorrowKind::Unique | BorrowKind::Mut { .. }),
1949             ))
1950             | Write(WriteKind::MutableBorrow(
1951                 borrow_kind @ (BorrowKind::Unique | BorrowKind::Mut { .. }),
1952             )) => {
1953                 let is_local_mutation_allowed = match borrow_kind {
1954                     BorrowKind::Unique => LocalMutationIsAllowed::Yes,
1955                     BorrowKind::Mut { .. } => is_local_mutation_allowed,
1956                     BorrowKind::Shared | BorrowKind::Shallow => unreachable!(),
1957                 };
1958                 match self.is_mutable(place.as_ref(), is_local_mutation_allowed) {
1959                     Ok(root_place) => {
1960                         self.add_used_mut(root_place, flow_state);
1961                         return false;
1962                     }
1963                     Err(place_err) => {
1964                         error_access = AccessKind::MutableBorrow;
1965                         the_place_err = place_err;
1966                     }
1967                 }
1968             }
1969             Reservation(WriteKind::Mutate) | Write(WriteKind::Mutate) => {
1970                 match self.is_mutable(place.as_ref(), is_local_mutation_allowed) {
1971                     Ok(root_place) => {
1972                         self.add_used_mut(root_place, flow_state);
1973                         return false;
1974                     }
1975                     Err(place_err) => {
1976                         error_access = AccessKind::Mutate;
1977                         the_place_err = place_err;
1978                     }
1979                 }
1980             }
1981
1982             Reservation(
1983                 WriteKind::Move
1984                 | WriteKind::StorageDeadOrDrop
1985                 | WriteKind::MutableBorrow(BorrowKind::Shared)
1986                 | WriteKind::MutableBorrow(BorrowKind::Shallow),
1987             )
1988             | Write(
1989                 WriteKind::Move
1990                 | WriteKind::StorageDeadOrDrop
1991                 | WriteKind::MutableBorrow(BorrowKind::Shared)
1992                 | WriteKind::MutableBorrow(BorrowKind::Shallow),
1993             ) => {
1994                 if self.is_mutable(place.as_ref(), is_local_mutation_allowed).is_err()
1995                     && !self.has_buffered_errors()
1996                 {
1997                     // rust-lang/rust#46908: In pure NLL mode this code path should be
1998                     // unreachable, but we use `delay_span_bug` because we can hit this when
1999                     // dereferencing a non-Copy raw pointer *and* have `-Ztreat-err-as-bug`
2000                     // enabled. We don't want to ICE for that case, as other errors will have
2001                     // been emitted (#52262).
2002                     self.infcx.tcx.sess.delay_span_bug(
2003                         span,
2004                         &format!(
2005                             "Accessing `{:?}` with the kind `{:?}` shouldn't be possible",
2006                             place, kind,
2007                         ),
2008                     );
2009                 }
2010                 return false;
2011             }
2012             Activation(..) => {
2013                 // permission checks are done at Reservation point.
2014                 return false;
2015             }
2016             Read(
2017                 ReadKind::Borrow(
2018                     BorrowKind::Unique
2019                     | BorrowKind::Mut { .. }
2020                     | BorrowKind::Shared
2021                     | BorrowKind::Shallow,
2022                 )
2023                 | ReadKind::Copy,
2024             ) => {
2025                 // Access authorized
2026                 return false;
2027             }
2028         }
2029
2030         // rust-lang/rust#21232, #54986: during period where we reject
2031         // partial initialization, do not complain about mutability
2032         // errors except for actual mutation (as opposed to an attempt
2033         // to do a partial initialization).
2034         let previously_initialized =
2035             self.is_local_ever_initialized(place.local, flow_state).is_some();
2036
2037         // at this point, we have set up the error reporting state.
2038         if previously_initialized {
2039             self.report_mutability_error(place, span, the_place_err, error_access, location);
2040             true
2041         } else {
2042             false
2043         }
2044     }
2045
2046     fn is_local_ever_initialized(
2047         &self,
2048         local: Local,
2049         flow_state: &Flows<'cx, 'tcx>,
2050     ) -> Option<InitIndex> {
2051         let mpi = self.move_data.rev_lookup.find_local(local);
2052         let ii = &self.move_data.init_path_map[mpi];
2053         for &index in ii {
2054             if flow_state.ever_inits.contains(index) {
2055                 return Some(index);
2056             }
2057         }
2058         None
2059     }
2060
2061     /// Adds the place into the used mutable variables set
2062     fn add_used_mut(&mut self, root_place: RootPlace<'tcx>, flow_state: &Flows<'cx, 'tcx>) {
2063         match root_place {
2064             RootPlace { place_local: local, place_projection: [], is_local_mutation_allowed } => {
2065                 // If the local may have been initialized, and it is now currently being
2066                 // mutated, then it is justified to be annotated with the `mut`
2067                 // keyword, since the mutation may be a possible reassignment.
2068                 if is_local_mutation_allowed != LocalMutationIsAllowed::Yes
2069                     && self.is_local_ever_initialized(local, flow_state).is_some()
2070                 {
2071                     self.used_mut.insert(local);
2072                 }
2073             }
2074             RootPlace {
2075                 place_local: _,
2076                 place_projection: _,
2077                 is_local_mutation_allowed: LocalMutationIsAllowed::Yes,
2078             } => {}
2079             RootPlace {
2080                 place_local,
2081                 place_projection: place_projection @ [.., _],
2082                 is_local_mutation_allowed: _,
2083             } => {
2084                 if let Some(field) = self.is_upvar_field_projection(PlaceRef {
2085                     local: place_local,
2086                     projection: place_projection,
2087                 }) {
2088                     self.used_mut_upvars.push(field);
2089                 }
2090             }
2091         }
2092     }
2093
2094     /// Whether this value can be written or borrowed mutably.
2095     /// Returns the root place if the place passed in is a projection.
2096     fn is_mutable(
2097         &self,
2098         place: PlaceRef<'tcx>,
2099         is_local_mutation_allowed: LocalMutationIsAllowed,
2100     ) -> Result<RootPlace<'tcx>, PlaceRef<'tcx>> {
2101         debug!("is_mutable: place={:?}, is_local...={:?}", place, is_local_mutation_allowed);
2102         match place.last_projection() {
2103             None => {
2104                 let local = &self.body.local_decls[place.local];
2105                 match local.mutability {
2106                     Mutability::Not => match is_local_mutation_allowed {
2107                         LocalMutationIsAllowed::Yes => Ok(RootPlace {
2108                             place_local: place.local,
2109                             place_projection: place.projection,
2110                             is_local_mutation_allowed: LocalMutationIsAllowed::Yes,
2111                         }),
2112                         LocalMutationIsAllowed::ExceptUpvars => Ok(RootPlace {
2113                             place_local: place.local,
2114                             place_projection: place.projection,
2115                             is_local_mutation_allowed: LocalMutationIsAllowed::ExceptUpvars,
2116                         }),
2117                         LocalMutationIsAllowed::No => Err(place),
2118                     },
2119                     Mutability::Mut => Ok(RootPlace {
2120                         place_local: place.local,
2121                         place_projection: place.projection,
2122                         is_local_mutation_allowed,
2123                     }),
2124                 }
2125             }
2126             Some((place_base, elem)) => {
2127                 match elem {
2128                     ProjectionElem::Deref => {
2129                         let base_ty = place_base.ty(self.body(), self.infcx.tcx).ty;
2130
2131                         // Check the kind of deref to decide
2132                         match base_ty.kind() {
2133                             ty::Ref(_, _, mutbl) => {
2134                                 match mutbl {
2135                                     // Shared borrowed data is never mutable
2136                                     hir::Mutability::Not => Err(place),
2137                                     // Mutably borrowed data is mutable, but only if we have a
2138                                     // unique path to the `&mut`
2139                                     hir::Mutability::Mut => {
2140                                         let mode = match self.is_upvar_field_projection(place) {
2141                                             Some(field) if self.upvars[field.index()].by_ref => {
2142                                                 is_local_mutation_allowed
2143                                             }
2144                                             _ => LocalMutationIsAllowed::Yes,
2145                                         };
2146
2147                                         self.is_mutable(place_base, mode)
2148                                     }
2149                                 }
2150                             }
2151                             ty::RawPtr(tnm) => {
2152                                 match tnm.mutbl {
2153                                     // `*const` raw pointers are not mutable
2154                                     hir::Mutability::Not => Err(place),
2155                                     // `*mut` raw pointers are always mutable, regardless of
2156                                     // context. The users have to check by themselves.
2157                                     hir::Mutability::Mut => Ok(RootPlace {
2158                                         place_local: place.local,
2159                                         place_projection: place.projection,
2160                                         is_local_mutation_allowed,
2161                                     }),
2162                                 }
2163                             }
2164                             // `Box<T>` owns its content, so mutable if its location is mutable
2165                             _ if base_ty.is_box() => {
2166                                 self.is_mutable(place_base, is_local_mutation_allowed)
2167                             }
2168                             // Deref should only be for reference, pointers or boxes
2169                             _ => bug!("Deref of unexpected type: {:?}", base_ty),
2170                         }
2171                     }
2172                     // All other projections are owned by their base path, so mutable if
2173                     // base path is mutable
2174                     ProjectionElem::Field(..)
2175                     | ProjectionElem::Index(..)
2176                     | ProjectionElem::ConstantIndex { .. }
2177                     | ProjectionElem::Subslice { .. }
2178                     | ProjectionElem::Downcast(..) => {
2179                         let upvar_field_projection = self.is_upvar_field_projection(place);
2180                         if let Some(field) = upvar_field_projection {
2181                             let upvar = &self.upvars[field.index()];
2182                             debug!(
2183                                 "is_mutable: upvar.mutability={:?} local_mutation_is_allowed={:?} \
2184                                  place={:?}, place_base={:?}",
2185                                 upvar, is_local_mutation_allowed, place, place_base
2186                             );
2187                             match (upvar.place.mutability, is_local_mutation_allowed) {
2188                                 (
2189                                     Mutability::Not,
2190                                     LocalMutationIsAllowed::No
2191                                     | LocalMutationIsAllowed::ExceptUpvars,
2192                                 ) => Err(place),
2193                                 (Mutability::Not, LocalMutationIsAllowed::Yes)
2194                                 | (Mutability::Mut, _) => {
2195                                     // Subtle: this is an upvar
2196                                     // reference, so it looks like
2197                                     // `self.foo` -- we want to double
2198                                     // check that the location `*self`
2199                                     // is mutable (i.e., this is not a
2200                                     // `Fn` closure).  But if that
2201                                     // check succeeds, we want to
2202                                     // *blame* the mutability on
2203                                     // `place` (that is,
2204                                     // `self.foo`). This is used to
2205                                     // propagate the info about
2206                                     // whether mutability declarations
2207                                     // are used outwards, so that we register
2208                                     // the outer variable as mutable. Otherwise a
2209                                     // test like this fails to record the `mut`
2210                                     // as needed:
2211                                     //
2212                                     // ```
2213                                     // fn foo<F: FnOnce()>(_f: F) { }
2214                                     // fn main() {
2215                                     //     let var = Vec::new();
2216                                     //     foo(move || {
2217                                     //         var.push(1);
2218                                     //     });
2219                                     // }
2220                                     // ```
2221                                     let _ =
2222                                         self.is_mutable(place_base, is_local_mutation_allowed)?;
2223                                     Ok(RootPlace {
2224                                         place_local: place.local,
2225                                         place_projection: place.projection,
2226                                         is_local_mutation_allowed,
2227                                     })
2228                                 }
2229                             }
2230                         } else {
2231                             self.is_mutable(place_base, is_local_mutation_allowed)
2232                         }
2233                     }
2234                 }
2235             }
2236         }
2237     }
2238
2239     /// If `place` is a field projection, and the field is being projected from a closure type,
2240     /// then returns the index of the field being projected. Note that this closure will always
2241     /// be `self` in the current MIR, because that is the only time we directly access the fields
2242     /// of a closure type.
2243     fn is_upvar_field_projection(&self, place_ref: PlaceRef<'tcx>) -> Option<Field> {
2244         path_utils::is_upvar_field_projection(self.infcx.tcx, &self.upvars, place_ref, self.body())
2245     }
2246 }
2247
2248 mod error {
2249     use rustc_errors::ErrorGuaranteed;
2250
2251     use super::*;
2252
2253     pub struct BorrowckErrors<'tcx> {
2254         /// This field keeps track of move errors that are to be reported for given move indices.
2255         ///
2256         /// There are situations where many errors can be reported for a single move out (see #53807)
2257         /// and we want only the best of those errors.
2258         ///
2259         /// The `report_use_of_moved_or_uninitialized` function checks this map and replaces the
2260         /// diagnostic (if there is one) if the `Place` of the error being reported is a prefix of the
2261         /// `Place` of the previous most diagnostic. This happens instead of buffering the error. Once
2262         /// all move errors have been reported, any diagnostics in this map are added to the buffer
2263         /// to be emitted.
2264         ///
2265         /// `BTreeMap` is used to preserve the order of insertions when iterating. This is necessary
2266         /// when errors in the map are being re-added to the error buffer so that errors with the
2267         /// same primary span come out in a consistent order.
2268         buffered_move_errors:
2269             BTreeMap<Vec<MoveOutIndex>, (PlaceRef<'tcx>, DiagnosticBuilder<'tcx, ErrorGuaranteed>)>,
2270         /// Diagnostics to be reported buffer.
2271         buffered: Vec<Diagnostic>,
2272         /// Set to Some if we emit an error during borrowck
2273         tainted_by_errors: Option<ErrorGuaranteed>,
2274     }
2275
2276     impl BorrowckErrors<'_> {
2277         pub fn new() -> Self {
2278             BorrowckErrors {
2279                 buffered_move_errors: BTreeMap::new(),
2280                 buffered: Default::default(),
2281                 tainted_by_errors: None,
2282             }
2283         }
2284
2285         // FIXME(eddyb) this is a suboptimal API because `tainted_by_errors` is
2286         // set before any emission actually happens (weakening the guarantee).
2287         pub fn buffer_error(&mut self, t: DiagnosticBuilder<'_, ErrorGuaranteed>) {
2288             self.tainted_by_errors = Some(ErrorGuaranteed::unchecked_claim_error_was_emitted());
2289             t.buffer(&mut self.buffered);
2290         }
2291
2292         pub fn buffer_non_error_diag(&mut self, t: DiagnosticBuilder<'_, ()>) {
2293             t.buffer(&mut self.buffered);
2294         }
2295
2296         pub fn set_tainted_by_errors(&mut self) {
2297             self.tainted_by_errors = Some(ErrorGuaranteed::unchecked_claim_error_was_emitted());
2298         }
2299     }
2300
2301     impl<'cx, 'tcx> MirBorrowckCtxt<'cx, 'tcx> {
2302         pub fn buffer_error(&mut self, t: DiagnosticBuilder<'_, ErrorGuaranteed>) {
2303             self.errors.buffer_error(t);
2304         }
2305
2306         pub fn buffer_non_error_diag(&mut self, t: DiagnosticBuilder<'_, ()>) {
2307             self.errors.buffer_non_error_diag(t);
2308         }
2309
2310         pub fn buffer_move_error(
2311             &mut self,
2312             move_out_indices: Vec<MoveOutIndex>,
2313             place_and_err: (PlaceRef<'tcx>, DiagnosticBuilder<'tcx, ErrorGuaranteed>),
2314         ) -> bool {
2315             if let Some((_, diag)) =
2316                 self.errors.buffered_move_errors.insert(move_out_indices, place_and_err)
2317             {
2318                 // Cancel the old diagnostic so we don't ICE
2319                 diag.cancel();
2320                 false
2321             } else {
2322                 true
2323             }
2324         }
2325
2326         pub fn emit_errors(&mut self) -> Option<ErrorGuaranteed> {
2327             // Buffer any move errors that we collected and de-duplicated.
2328             for (_, (_, diag)) in std::mem::take(&mut self.errors.buffered_move_errors) {
2329                 // We have already set tainted for this error, so just buffer it.
2330                 diag.buffer(&mut self.errors.buffered);
2331             }
2332
2333             if !self.errors.buffered.is_empty() {
2334                 self.errors.buffered.sort_by_key(|diag| diag.sort_span);
2335
2336                 for mut diag in self.errors.buffered.drain(..) {
2337                     self.infcx.tcx.sess.diagnostic().emit_diagnostic(&mut diag);
2338                 }
2339             }
2340
2341             self.errors.tainted_by_errors
2342         }
2343
2344         pub fn has_buffered_errors(&self) -> bool {
2345             self.errors.buffered.is_empty()
2346         }
2347
2348         pub fn has_move_error(
2349             &self,
2350             move_out_indices: &[MoveOutIndex],
2351         ) -> Option<&(PlaceRef<'tcx>, DiagnosticBuilder<'cx, ErrorGuaranteed>)> {
2352             self.errors.buffered_move_errors.get(move_out_indices)
2353         }
2354     }
2355 }
2356
2357 /// The degree of overlap between 2 places for borrow-checking.
2358 enum Overlap {
2359     /// The places might partially overlap - in this case, we give
2360     /// up and say that they might conflict. This occurs when
2361     /// different fields of a union are borrowed. For example,
2362     /// if `u` is a union, we have no way of telling how disjoint
2363     /// `u.a.x` and `a.b.y` are.
2364     Arbitrary,
2365     /// The places have the same type, and are either completely disjoint
2366     /// or equal - i.e., they can't "partially" overlap as can occur with
2367     /// unions. This is the "base case" on which we recur for extensions
2368     /// of the place.
2369     EqualOrDisjoint,
2370     /// The places are disjoint, so we know all extensions of them
2371     /// will also be disjoint.
2372     Disjoint,
2373 }