Skip to content

Commit b36917b

Browse files
committed
Auto merge of #51460 - nikomatsakis:nll-perf-examination-refactor-1, r=pnkfelix
Improve memoization and refactor NLL type check I have a big branch that is refactoring NLL type check with the goal of introducing canonicalization-based memoization for all of the operations it does. This PR contains an initial prefix of that branch which, I believe, stands alone. It does introduce a few smaller optimizations of its own: - Skip operations that are trivially a no-op - Cache the results of the dropck-outlives computations done by liveness - Skip resetting unifications if nothing changed r? @pnkfelix
2 parents 862703e + 2e25bed commit b36917b

File tree

14 files changed

+685
-481
lines changed

14 files changed

+685
-481
lines changed

src/librustc/infer/region_constraints/mod.rs

+14-1
Original file line numberDiff line numberDiff line change
@@ -69,6 +69,10 @@ pub struct RegionConstraintCollector<'tcx> {
6969
/// would wind up with a fresh stream of region variables that
7070
/// have been equated but appear distinct.
7171
unification_table: ut::UnificationTable<ut::InPlace<ty::RegionVid>>,
72+
73+
/// a flag set to true when we perform any unifications; this is used
74+
/// to micro-optimize `take_and_reset_data`
75+
any_unifications: bool,
7276
}
7377

7478
pub type VarInfos = IndexVec<RegionVid, RegionVariableInfo>;
@@ -234,6 +238,7 @@ pub struct RegionVariableInfo {
234238
pub struct RegionSnapshot {
235239
length: usize,
236240
region_snapshot: ut::Snapshot<ut::InPlace<ty::RegionVid>>,
241+
any_unifications: bool,
237242
}
238243

239244
/// When working with skolemized regions, we often wish to find all of
@@ -280,6 +285,7 @@ impl<'tcx> RegionConstraintCollector<'tcx> {
280285
bound_count: 0,
281286
undo_log: Vec::new(),
282287
unification_table: ut::UnificationTable::new(),
288+
any_unifications: false,
283289
}
284290
}
285291

@@ -325,6 +331,7 @@ impl<'tcx> RegionConstraintCollector<'tcx> {
325331
bound_count: _,
326332
undo_log: _,
327333
unification_table,
334+
any_unifications,
328335
} = self;
329336

330337
// Clear the tables of (lubs, glbs), so that we will create
@@ -338,7 +345,10 @@ impl<'tcx> RegionConstraintCollector<'tcx> {
338345
// un-unified" state. Note that when we unify `a` and `b`, we
339346
// also insert `a <= b` and a `b <= a` edges, so the
340347
// `RegionConstraintData` contains the relationship here.
341-
unification_table.reset_unifications(|vid| unify_key::RegionVidKey { min_vid: vid });
348+
if *any_unifications {
349+
unification_table.reset_unifications(|vid| unify_key::RegionVidKey { min_vid: vid });
350+
*any_unifications = false;
351+
}
342352

343353
mem::replace(data, RegionConstraintData::default())
344354
}
@@ -358,6 +368,7 @@ impl<'tcx> RegionConstraintCollector<'tcx> {
358368
RegionSnapshot {
359369
length,
360370
region_snapshot: self.unification_table.snapshot(),
371+
any_unifications: self.any_unifications,
361372
}
362373
}
363374

@@ -385,6 +396,7 @@ impl<'tcx> RegionConstraintCollector<'tcx> {
385396
let c = self.undo_log.pop().unwrap();
386397
assert!(c == OpenSnapshot);
387398
self.unification_table.rollback_to(snapshot.region_snapshot);
399+
self.any_unifications = snapshot.any_unifications;
388400
}
389401

390402
fn rollback_undo_entry(&mut self, undo_entry: UndoLogEntry<'tcx>) {
@@ -623,6 +635,7 @@ impl<'tcx> RegionConstraintCollector<'tcx> {
623635

624636
if let (ty::ReVar(sub), ty::ReVar(sup)) = (*sub, *sup) {
625637
self.unification_table.union(sub, sup);
638+
self.any_unifications = true;
626639
}
627640
}
628641
}

src/librustc_data_structures/indexed_vec.rs

+5
Original file line numberDiff line numberDiff line change
@@ -367,6 +367,11 @@ impl<I: Idx, T> IndexVec<I, T> {
367367
IndexVec { raw: Vec::new(), _marker: PhantomData }
368368
}
369369

370+
#[inline]
371+
pub fn from_raw(raw: Vec<T>) -> Self {
372+
IndexVec { raw, _marker: PhantomData }
373+
}
374+
370375
#[inline]
371376
pub fn with_capacity(capacity: usize) -> Self {
372377
IndexVec { raw: Vec::with_capacity(capacity), _marker: PhantomData }

src/librustc_mir/borrow_check/nll/constraint_generation.rs

+43-4
Original file line numberDiff line numberDiff line change
@@ -11,6 +11,8 @@
1111
use borrow_check::borrow_set::BorrowSet;
1212
use borrow_check::location::LocationTable;
1313
use borrow_check::nll::facts::AllFacts;
14+
use borrow_check::nll::region_infer::{Cause, RegionInferenceContext};
15+
use borrow_check::nll::ToRegionVid;
1416
use rustc::hir;
1517
use rustc::infer::InferCtxt;
1618
use rustc::mir::visit::TyContext;
@@ -21,9 +23,7 @@ use rustc::mir::{Local, PlaceProjection, ProjectionElem, Statement, Terminator};
2123
use rustc::ty::fold::TypeFoldable;
2224
use rustc::ty::subst::Substs;
2325
use rustc::ty::{self, CanonicalTy, ClosureSubsts, GeneratorSubsts};
24-
25-
use super::region_infer::{Cause, RegionInferenceContext};
26-
use super::ToRegionVid;
26+
use std::iter;
2727

2828
pub(super) fn generate_constraints<'cx, 'gcx, 'tcx>(
2929
infcx: &InferCtxt<'cx, 'gcx, 'tcx>,
@@ -32,6 +32,7 @@ pub(super) fn generate_constraints<'cx, 'gcx, 'tcx>(
3232
location_table: &LocationTable,
3333
mir: &Mir<'tcx>,
3434
borrow_set: &BorrowSet<'tcx>,
35+
liveness_set_from_typeck: &[(ty::Region<'tcx>, Location, Cause)],
3536
) {
3637
let mut cg = ConstraintGeneration {
3738
borrow_set,
@@ -42,6 +43,8 @@ pub(super) fn generate_constraints<'cx, 'gcx, 'tcx>(
4243
mir,
4344
};
4445

46+
cg.add_region_liveness_constraints_from_type_check(liveness_set_from_typeck);
47+
4548
for (bb, data) in mir.basic_blocks().iter_enumerated() {
4649
cg.visit_basic_block_data(bb, data);
4750
}
@@ -209,7 +212,7 @@ impl<'cg, 'cx, 'gcx, 'tcx> Visitor<'tcx> for ConstraintGeneration<'cg, 'cx, 'gcx
209212
self.add_reborrow_constraint(location, region, borrowed_place);
210213
}
211214

212-
_ => { }
215+
_ => {}
213216
}
214217

215218
self.super_rvalue(rvalue, location);
@@ -225,6 +228,42 @@ impl<'cg, 'cx, 'gcx, 'tcx> Visitor<'tcx> for ConstraintGeneration<'cg, 'cx, 'gcx
225228
}
226229

227230
impl<'cx, 'cg, 'gcx, 'tcx> ConstraintGeneration<'cx, 'cg, 'gcx, 'tcx> {
231+
/// The MIR type checker generates region liveness constraints
232+
/// that we also have to respect.
233+
fn add_region_liveness_constraints_from_type_check(
234+
&mut self,
235+
liveness_set: &[(ty::Region<'tcx>, Location, Cause)],
236+
) {
237+
debug!(
238+
"add_region_liveness_constraints_from_type_check(liveness_set={} items)",
239+
liveness_set.len(),
240+
);
241+
242+
let ConstraintGeneration {
243+
regioncx,
244+
location_table,
245+
all_facts,
246+
..
247+
} = self;
248+
249+
for (region, location, cause) in liveness_set {
250+
debug!("generate: {:#?} is live at {:#?}", region, location);
251+
let region_vid = regioncx.to_region_vid(region);
252+
regioncx.add_live_point(region_vid, *location, &cause);
253+
}
254+
255+
if let Some(all_facts) = all_facts {
256+
all_facts
257+
.region_live_at
258+
.extend(liveness_set.into_iter().flat_map(|(region, location, _)| {
259+
let r = regioncx.to_region_vid(region);
260+
let p1 = location_table.start_index(*location);
261+
let p2 = location_table.mid_index(*location);
262+
iter::once((r, p1)).chain(iter::once((r, p2)))
263+
}));
264+
}
265+
}
266+
228267
/// Some variable with type `live_ty` is "regular live" at
229268
/// `location` -- i.e., it may be used later. This means that all
230269
/// regions appearing in the type `live_ty` must be live at

src/librustc_mir/borrow_check/nll/mod.rs

+28-20
Original file line numberDiff line numberDiff line change
@@ -11,6 +11,7 @@
1111
use borrow_check::borrow_set::BorrowSet;
1212
use borrow_check::location::{LocationIndex, LocationTable};
1313
use borrow_check::nll::facts::AllFactsExt;
14+
use borrow_check::nll::type_check::MirTypeckRegionConstraints;
1415
use dataflow::indexes::BorrowIndex;
1516
use dataflow::move_paths::MoveData;
1617
use dataflow::FlowAtLocation;
@@ -41,7 +42,6 @@ mod facts;
4142
mod invalidation;
4243
crate mod region_infer;
4344
mod renumber;
44-
mod subtype_constraint_generation;
4545
crate mod type_check;
4646
mod universal_regions;
4747

@@ -91,53 +91,61 @@ pub(in borrow_check) fn compute_regions<'cx, 'gcx, 'tcx>(
9191
Option<Rc<Output<RegionVid, BorrowIndex, LocationIndex>>>,
9292
Option<ClosureRegionRequirements<'gcx>>,
9393
) {
94+
let mut all_facts = if infcx.tcx.sess.opts.debugging_opts.nll_facts
95+
|| infcx.tcx.sess.opts.debugging_opts.polonius
96+
{
97+
Some(AllFacts::default())
98+
} else {
99+
None
100+
};
101+
94102
// Run the MIR type-checker.
95103
let liveness = &LivenessResults::compute(mir);
96-
let constraint_sets = &type_check::type_check(
104+
let constraint_sets = type_check::type_check(
97105
infcx,
98106
param_env,
99107
mir,
100108
def_id,
101109
&universal_regions,
110+
location_table,
102111
&liveness,
112+
&mut all_facts,
103113
flow_inits,
104114
move_data,
105115
);
106116

107-
let mut all_facts = if infcx.tcx.sess.opts.debugging_opts.nll_facts
108-
|| infcx.tcx.sess.opts.debugging_opts.polonius
109-
{
110-
Some(AllFacts::default())
111-
} else {
112-
None
113-
};
114-
115117
if let Some(all_facts) = &mut all_facts {
116118
all_facts
117119
.universal_region
118120
.extend(universal_regions.universal_regions());
119121
}
120122

121-
// Create the region inference context, taking ownership of the region inference
122-
// data that was contained in `infcx`.
123+
// Create the region inference context, taking ownership of the
124+
// region inference data that was contained in `infcx`, and the
125+
// base constraints generated by the type-check.
123126
let var_origins = infcx.take_region_var_origins();
124-
let mut regioncx = RegionInferenceContext::new(var_origins, universal_regions, mir);
125-
126-
// Generate various constraints.
127-
subtype_constraint_generation::generate(
128-
&mut regioncx,
129-
&mut all_facts,
130-
location_table,
127+
let MirTypeckRegionConstraints {
128+
liveness_set,
129+
outlives_constraints,
130+
type_tests,
131+
} = constraint_sets;
132+
let mut regioncx = RegionInferenceContext::new(
133+
var_origins,
134+
universal_regions,
131135
mir,
132-
constraint_sets,
136+
outlives_constraints,
137+
type_tests,
133138
);
139+
140+
// Generate various additional constraints.
134141
constraint_generation::generate_constraints(
135142
infcx,
136143
&mut regioncx,
137144
&mut all_facts,
138145
location_table,
139146
&mir,
140147
borrow_set,
148+
&liveness_set,
141149
);
142150
invalidation::generate_invalidates(
143151
infcx,

src/librustc_mir/borrow_check/nll/region_infer/dump_mir.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -14,7 +14,7 @@
1414
//! context internal state.
1515
1616
use std::io::{self, Write};
17-
use super::{Constraint, RegionInferenceContext};
17+
use super::{OutlivesConstraint, RegionInferenceContext};
1818

1919
// Room for "'_#NNNNr" before things get misaligned.
2020
// Easy enough to fix if this ever doesn't seem like
@@ -79,7 +79,7 @@ impl<'tcx> RegionInferenceContext<'tcx> {
7979
let mut constraints: Vec<_> = self.constraints.iter().collect();
8080
constraints.sort();
8181
for constraint in &constraints {
82-
let Constraint {
82+
let OutlivesConstraint {
8383
sup,
8484
sub,
8585
point,

src/librustc_mir/borrow_check/nll/region_infer/graphviz.rs

+6-6
Original file line numberDiff line numberDiff line change
@@ -27,7 +27,7 @@ impl<'tcx> RegionInferenceContext<'tcx> {
2727

2828
impl<'this, 'tcx> dot::Labeller<'this> for RegionInferenceContext<'tcx> {
2929
type Node = RegionVid;
30-
type Edge = Constraint;
30+
type Edge = OutlivesConstraint;
3131

3232
fn graph_id(&'this self) -> dot::Id<'this> {
3333
dot::Id::new(format!("RegionInferenceContext")).unwrap()
@@ -41,31 +41,31 @@ impl<'this, 'tcx> dot::Labeller<'this> for RegionInferenceContext<'tcx> {
4141
fn node_label(&'this self, n: &RegionVid) -> dot::LabelText<'this> {
4242
dot::LabelText::LabelStr(format!("{:?}", n).into_cow())
4343
}
44-
fn edge_label(&'this self, e: &Constraint) -> dot::LabelText<'this> {
44+
fn edge_label(&'this self, e: &OutlivesConstraint) -> dot::LabelText<'this> {
4545
dot::LabelText::LabelStr(format!("{:?}", e.point).into_cow())
4646
}
4747
}
4848

4949
impl<'this, 'tcx> dot::GraphWalk<'this> for RegionInferenceContext<'tcx> {
5050
type Node = RegionVid;
51-
type Edge = Constraint;
51+
type Edge = OutlivesConstraint;
5252

5353
fn nodes(&'this self) -> dot::Nodes<'this, RegionVid> {
5454
let vids: Vec<RegionVid> = self.definitions.indices().collect();
5555
vids.into_cow()
5656
}
57-
fn edges(&'this self) -> dot::Edges<'this, Constraint> {
57+
fn edges(&'this self) -> dot::Edges<'this, OutlivesConstraint> {
5858
(&self.constraints.raw[..]).into_cow()
5959
}
6060

6161
// Render `a: b` as `a <- b`, indicating the flow
6262
// of data during inference.
6363

64-
fn source(&'this self, edge: &Constraint) -> RegionVid {
64+
fn source(&'this self, edge: &OutlivesConstraint) -> RegionVid {
6565
edge.sub
6666
}
6767

68-
fn target(&'this self, edge: &Constraint) -> RegionVid {
68+
fn target(&'this self, edge: &OutlivesConstraint) -> RegionVid {
6969
edge.sup
7070
}
7171
}

0 commit comments

Comments
 (0)