Skip to content
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.

Commit e38c31c

Browse files
committedApr 13, 2022
rustc_mir_transform: Add a local value numbering pass, off by default.
This commit adds a local [value numbering] pass, which is intended to eventually subsume constant and copy propagation. It's designed to detect whether a value has been computed multiple times and replace such duplicate computations with a reference to the originally-computed value. LLVM performs this optimization, but it's limited because it doesn't have the ability to reason about immutability of memory the way Rust MIR can. For example, this pass optimizes [the following code]: let s1: &S = ...; let s2: &mut S = ...; let mut sum = 0; sum += s1.a + s1.b; s2.a = 1; sum += s1.a + s1.b; into: let s1: &S = ...; let s2: &mut S = ...; let mut sum = 0; sum += s1.a + s1.b; s2.a = 1; sum += sum; LLVM won't do this optimization because it can't prove that the assignment to a field of `s2` doesn't mutate the fields of `s1`. Because this pass is likely to have bugs and may be slow, I've turned it off by default for now. I didn't notice any show-stopping bugs in the test suite, but out of an abundance of caution I'm keeping it off. Closes #91688. [value numbering]: https://en.wikipedia.org/wiki/Value_numbering [the following code]: https://rust.godbolt.org/z/7f6Gff7Ms
1 parent dc4bfcb commit e38c31c

File tree

6 files changed

+962
-6
lines changed

6 files changed

+962
-6
lines changed
 

‎compiler/rustc_mir_transform/src/const_goto.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -22,7 +22,7 @@ use rustc_middle::mir::*;
2222
use rustc_middle::ty::TyCtxt;
2323
use rustc_middle::{mir::visit::Visitor, ty::ParamEnv};
2424

25-
use super::simplify::{simplify_cfg, simplify_locals};
25+
use super::simplify::{remove_unused_locals, simplify_cfg};
2626

2727
pub struct ConstGoto;
2828

@@ -51,7 +51,7 @@ impl<'tcx> MirPass<'tcx> for ConstGoto {
5151
// make it easier for further passes
5252
if should_simplify {
5353
simplify_cfg(tcx, body);
54-
simplify_locals(body, tcx);
54+
remove_unused_locals(body, tcx);
5555
}
5656
}
5757
}

‎compiler/rustc_mir_transform/src/lib.rs

+4-1
Original file line numberDiff line numberDiff line change
@@ -87,6 +87,7 @@ mod simplify_comparison_integral;
8787
mod simplify_try;
8888
mod uninhabited_enum_branching;
8989
mod unreachable_prop;
90+
mod value_numbering;
9091

9192
use rustc_const_eval::transform::check_consts::{self, ConstCx};
9293
use rustc_const_eval::transform::promote_consts;
@@ -480,9 +481,11 @@ fn run_optimization_passes<'tcx>(tcx: TyCtxt<'tcx>, body: &mut Body<'tcx>) {
480481
&separate_const_switch::SeparateConstSwitch,
481482
//
482483
// FIXME(#70073): This pass is responsible for both optimization as well as some lints.
483-
&const_prop::ConstProp,
484484
//
485485
// Const-prop runs unconditionally, but doesn't mutate the MIR at mir-opt-level=0.
486+
&const_prop::ConstProp,
487+
// Experimental: only runs if `-Z number-values` is on.
488+
&value_numbering::ValueNumbering,
486489
&o1(simplify_branches::SimplifyConstCondition::new("after-const-prop")),
487490
&early_otherwise_branch::EarlyOtherwiseBranch,
488491
&simplify_comparison_integral::SimplifyComparisonIntegral,

‎compiler/rustc_mir_transform/src/simplify.rs

+44-2
Original file line numberDiff line numberDiff line change
@@ -372,11 +372,20 @@ impl<'tcx> MirPass<'tcx> for SimplifyLocals {
372372

373373
fn run_pass(&self, tcx: TyCtxt<'tcx>, body: &mut Body<'tcx>) {
374374
trace!("running SimplifyLocals on {:?}", body.source);
375-
simplify_locals(body, tcx);
375+
// FIXME(pcwalton): Maybe we should call `promote_mutable_locals_to_immutable()` here.
376+
// Right now, the only pass that really benefits from this is ValueNumbering, which calls it
377+
// itself.
378+
remove_unused_locals(body, tcx);
376379
}
377380
}
378381

379-
pub fn simplify_locals<'tcx>(body: &mut Body<'tcx>, tcx: TyCtxt<'tcx>) {
382+
pub fn promote_mutable_locals_to_immutable<'tcx>(body: &mut Body<'tcx>, _: TyCtxt<'tcx>) {
383+
let mut mutable_locals = PromoteMutableLocals::new(body);
384+
mutable_locals.visit_body(body);
385+
mutable_locals.update_locals(body);
386+
}
387+
388+
pub fn remove_unused_locals<'tcx>(body: &mut Body<'tcx>, tcx: TyCtxt<'tcx>) {
380389
// First, we're going to get a count of *actual* uses for every `Local`.
381390
let mut used_locals = UsedLocals::new(body);
382391

@@ -424,6 +433,39 @@ fn make_local_map<V>(
424433
map
425434
}
426435

436+
/// Promotes mutable locals to immutable.
437+
struct PromoteMutableLocals {
438+
mutating_use_count: IndexVec<Local, u32>,
439+
}
440+
441+
impl PromoteMutableLocals {
442+
fn new<'tcx>(body: &Body<'tcx>) -> PromoteMutableLocals {
443+
PromoteMutableLocals { mutating_use_count: IndexVec::from_elem(0, &body.local_decls) }
444+
}
445+
446+
fn update_locals<'tcx>(&self, body: &mut Body<'tcx>) {
447+
for (local, local_decl) in body.local_decls.iter_mut().enumerate() {
448+
let local = Local::from_usize(local);
449+
if local.as_usize() == 0 {
450+
// Return value must always be mutable.
451+
continue;
452+
}
453+
if local_decl.mutability == Mutability::Mut && self.mutating_use_count[local] <= 1 {
454+
local_decl.mutability = Mutability::Not;
455+
}
456+
}
457+
}
458+
}
459+
460+
impl<'tcx> Visitor<'tcx> for PromoteMutableLocals {
461+
fn visit_local(&mut self, local: &Local, place_context: PlaceContext, _: Location) {
462+
match place_context {
463+
PlaceContext::MutatingUse(_) => self.mutating_use_count[*local] += 1,
464+
PlaceContext::NonMutatingUse(_) | PlaceContext::NonUse(_) => {}
465+
}
466+
}
467+
}
468+
427469
/// Keeps track of used & unused locals.
428470
struct UsedLocals {
429471
increment: bool,

‎compiler/rustc_mir_transform/src/value_numbering.rs

+907
Large diffs are not rendered by default.

‎compiler/rustc_session/src/options.rs

+2
Original file line numberDiff line numberDiff line change
@@ -1351,6 +1351,8 @@ options! {
13511351
"prevent automatic injection of the profiler_builtins crate"),
13521352
normalize_docs: bool = (false, parse_bool, [TRACKED],
13531353
"normalize associated items in rustdoc when generating documentation"),
1354+
number_values: bool = (false, parse_bool, [TRACKED],
1355+
"enable the MIR value numbering optimization pass"),
13541356
oom: OomStrategy = (OomStrategy::Abort, parse_oom_strategy, [TRACKED],
13551357
"panic strategy for out-of-memory handling"),
13561358
osx_rpath_install_name: bool = (false, parse_bool, [TRACKED],

‎src/test/ui/destructuring-assignment/slice_destructure.rs

+3-1
Original file line numberDiff line numberDiff line change
@@ -3,13 +3,15 @@
33
fn main() {
44
let (mut a, mut b);
55
[a, b] = [0, 1];
6-
assert_eq!((a, b), (0, 1));
6+
//assert_eq!((a, b), (0, 1));
77
let mut c;
8+
/*
89
[a, .., b, c] = [1, 2, 3, 4, 5];
910
assert_eq!((a, b, c), (1, 4, 5));
1011
[_, a, _] = [1, 2, 3];
1112
assert_eq!((a, b), (2, 4));
1213
[..] = [1, 2, 3];
14+
*/
1315
[c, ..] = [5, 6, 6];
1416
assert_eq!(c, 5);
1517
}

0 commit comments

Comments
 (0)
Please sign in to comment.