]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_typeck/src/check/generator_interior/drop_ranges/record_consumed_borrow.rs
Make logging for drop-tracking easier to read.
[rust.git] / compiler / rustc_typeck / src / check / generator_interior / drop_ranges / record_consumed_borrow.rs
1 use super::TrackedValue;
2 use crate::{
3     check::FnCtxt,
4     expr_use_visitor::{self, ExprUseVisitor},
5 };
6 use hir::{def_id::DefId, Body, HirId, HirIdMap};
7 use rustc_data_structures::stable_set::FxHashSet;
8 use rustc_hir as hir;
9 use rustc_middle::hir::place::{PlaceBase, Projection, ProjectionKind};
10 use rustc_middle::ty::{ParamEnv, TyCtxt};
11
12 pub(super) fn find_consumed_and_borrowed<'a, 'tcx>(
13     fcx: &'a FnCtxt<'a, 'tcx>,
14     def_id: DefId,
15     body: &'tcx Body<'tcx>,
16 ) -> ConsumedAndBorrowedPlaces {
17     let mut expr_use_visitor = ExprUseDelegate::new(fcx.tcx, fcx.param_env);
18     expr_use_visitor.consume_body(fcx, def_id, body);
19     expr_use_visitor.places
20 }
21
22 pub(super) struct ConsumedAndBorrowedPlaces {
23     /// Records the variables/expressions that are dropped by a given expression.
24     ///
25     /// The key is the hir-id of the expression, and the value is a set or hir-ids for variables
26     /// or values that are consumed by that expression.
27     ///
28     /// Note that this set excludes "partial drops" -- for example, a statement like `drop(x.y)` is
29     /// not considered a drop of `x`, although it would be a drop of `x.y`.
30     pub(super) consumed: HirIdMap<FxHashSet<TrackedValue>>,
31
32     /// A set of hir-ids of values or variables that are borrowed at some point within the body.
33     pub(super) borrowed: FxHashSet<TrackedValue>,
34
35     /// A set of hir-ids of values or variables that are borrowed at some point within the body.
36     pub(super) borrowed_temporaries: FxHashSet<HirId>,
37 }
38
39 /// Works with ExprUseVisitor to find interesting values for the drop range analysis.
40 ///
41 /// Interesting values are those that are either dropped or borrowed. For dropped values, we also
42 /// record the parent expression, which is the point where the drop actually takes place.
43 struct ExprUseDelegate<'tcx> {
44     tcx: TyCtxt<'tcx>,
45     param_env: ParamEnv<'tcx>,
46     places: ConsumedAndBorrowedPlaces,
47 }
48
49 impl<'tcx> ExprUseDelegate<'tcx> {
50     fn new(tcx: TyCtxt<'tcx>, param_env: ParamEnv<'tcx>) -> Self {
51         Self {
52             tcx,
53             param_env,
54             places: ConsumedAndBorrowedPlaces {
55                 consumed: <_>::default(),
56                 borrowed: <_>::default(),
57                 borrowed_temporaries: <_>::default(),
58             },
59         }
60     }
61
62     fn consume_body(&mut self, fcx: &'_ FnCtxt<'_, 'tcx>, def_id: DefId, body: &'tcx Body<'tcx>) {
63         // Run ExprUseVisitor to find where values are consumed.
64         ExprUseVisitor::new(
65             self,
66             &fcx.infcx,
67             def_id.expect_local(),
68             fcx.param_env,
69             &fcx.typeck_results.borrow(),
70         )
71         .consume_body(body);
72     }
73
74     fn mark_consumed(&mut self, consumer: HirId, target: TrackedValue) {
75         if !self.places.consumed.contains_key(&consumer) {
76             self.places.consumed.insert(consumer, <_>::default());
77         }
78         debug!(?consumer, ?target, "mark_consumed");
79         self.places.consumed.get_mut(&consumer).map(|places| places.insert(target));
80     }
81
82     fn borrow_place(&mut self, place_with_id: &expr_use_visitor::PlaceWithHirId<'tcx>) {
83         self.places
84             .borrowed
85             .insert(TrackedValue::from_place_with_projections_allowed(place_with_id));
86
87         // Ordinarily a value is consumed by it's parent, but in the special case of a
88         // borrowed RValue, we create a reference that lives as long as the temporary scope
89         // for that expression (typically, the innermost statement, but sometimes the enclosing
90         // block). We record this fact here so that later in generator_interior
91         // we can use the correct scope.
92         //
93         // We special case borrows through a dereference (`&*x`, `&mut *x` where `x` is
94         // some rvalue expression), since these are essentially a copy of a pointer.
95         // In other words, this borrow does not refer to the
96         // temporary (`*x`), but to the referent (whatever `x` is a borrow of).
97         //
98         // We were considering that we might encounter problems down the line if somehow,
99         // some part of the compiler were to look at this result and try to use it to
100         // drive a borrowck-like analysis (this does not currently happen, as of this writing).
101         // But even this should be fine, because the lifetime of the dereferenced reference
102         // found in the rvalue is only significant as an intermediate 'link' to the value we
103         // are producing, and we separately track whether that value is live over a yield.
104         // Example:
105         //
106         // ```notrust
107         // fn identity<T>(x: &mut T) -> &mut T { x }
108         // let a: A = ...;
109         // let y: &'y mut A = &mut *identity(&'a mut a);
110         //                    ^^^^^^^^^^^^^^^^^^^^^^^^^ the borrow we are talking about
111         // ```
112         //
113         // The expression `*identity(...)` is a deref of an rvalue,
114         // where the `identity(...)` (the rvalue) produces a return type
115         // of `&'rv mut A`, where `'a: 'rv`. We then assign this result to
116         // `'y`, resulting in (transitively) `'a: 'y` (i.e., while `y` is in use,
117         // `a` will be considered borrowed).  Other parts of the code will ensure
118         // that if `y` is live over a yield, `&'y mut A` appears in the generator
119         // state. If `'y` is live, then any sound region analysis must conclude
120         // that `'a` is also live. So if this causes a bug, blame some other
121         // part of the code!
122         let is_deref = place_with_id
123             .place
124             .projections
125             .iter()
126             .any(|Projection { kind, .. }| *kind == ProjectionKind::Deref);
127
128         if let (false, PlaceBase::Rvalue) = (is_deref, place_with_id.place.base) {
129             self.places.borrowed_temporaries.insert(place_with_id.hir_id);
130         }
131     }
132 }
133
134 impl<'tcx> expr_use_visitor::Delegate<'tcx> for ExprUseDelegate<'tcx> {
135     fn consume(
136         &mut self,
137         place_with_id: &expr_use_visitor::PlaceWithHirId<'tcx>,
138         diag_expr_id: HirId,
139     ) {
140         let hir = self.tcx.hir();
141         let parent = match hir.find_parent_node(place_with_id.hir_id) {
142             Some(parent) => parent,
143             None => place_with_id.hir_id,
144         };
145         debug!(
146             "consume {:?}; diag_expr_id={}, using parent {}",
147             place_with_id,
148             hir.node_to_string(diag_expr_id),
149             hir.node_to_string(parent)
150         );
151         place_with_id
152             .try_into()
153             .map_or((), |tracked_value| self.mark_consumed(parent, tracked_value));
154     }
155
156     fn borrow(
157         &mut self,
158         place_with_id: &expr_use_visitor::PlaceWithHirId<'tcx>,
159         diag_expr_id: HirId,
160         bk: rustc_middle::ty::BorrowKind,
161     ) {
162         debug!(
163             "borrow: place_with_id = {place_with_id:?}, diag_expr_id={diag_expr_id:?}, \
164             borrow_kind={bk:?}"
165         );
166
167         self.borrow_place(place_with_id);
168     }
169
170     fn copy(
171         &mut self,
172         place_with_id: &expr_use_visitor::PlaceWithHirId<'tcx>,
173         _diag_expr_id: HirId,
174     ) {
175         debug!("copy: place_with_id = {place_with_id:?}");
176
177         self.places
178             .borrowed
179             .insert(TrackedValue::from_place_with_projections_allowed(place_with_id));
180
181         // For copied we treat this mostly like a borrow except that we don't add the place
182         // to borrowed_temporaries because the copy is consumed.
183     }
184
185     fn mutate(
186         &mut self,
187         assignee_place: &expr_use_visitor::PlaceWithHirId<'tcx>,
188         diag_expr_id: HirId,
189     ) {
190         debug!("mutate {assignee_place:?}; diag_expr_id={diag_expr_id:?}");
191
192         if assignee_place.place.base == PlaceBase::Rvalue
193             && assignee_place.place.projections.is_empty()
194         {
195             // Assigning to an Rvalue is illegal unless done through a dereference. We would have
196             // already gotten a type error, so we will just return here.
197             return;
198         }
199
200         // If the type being assigned needs dropped, then the mutation counts as a borrow
201         // since it is essentially doing `Drop::drop(&mut x); x = new_value;`.
202         if assignee_place.place.base_ty.needs_drop(self.tcx, self.param_env) {
203             self.places
204                 .borrowed
205                 .insert(TrackedValue::from_place_with_projections_allowed(assignee_place));
206         }
207     }
208
209     fn bind(
210         &mut self,
211         binding_place: &expr_use_visitor::PlaceWithHirId<'tcx>,
212         diag_expr_id: HirId,
213     ) {
214         debug!("bind {binding_place:?}; diag_expr_id={diag_expr_id:?}");
215     }
216
217     fn fake_read(
218         &mut self,
219         place_with_id: &expr_use_visitor::PlaceWithHirId<'tcx>,
220         cause: rustc_middle::mir::FakeReadCause,
221         diag_expr_id: HirId,
222     ) {
223         debug!(
224             "fake_read place_with_id={place_with_id:?}; cause={cause:?}; diag_expr_id={diag_expr_id:?}"
225         );
226
227         // fake reads happen in places like the scrutinee of a match expression.
228         // we treat those as a borrow, much like a copy: the idea is that we are
229         // transiently creating a `&T` ref that we can read from to observe the current
230         // value (this `&T` is immediately dropped afterwards).
231         self.borrow_place(place_with_id);
232     }
233 }