1
Fork 0

refactor simplify_cfg and split off simplify_branches

This commit is contained in:
Ariel Ben-Yehuda 2016-06-09 00:10:15 +03:00 committed by Ariel Ben-Yehuda
parent 2ee00e6d9d
commit 065a264976
4 changed files with 198 additions and 137 deletions

View file

@ -980,6 +980,7 @@ pub fn phase_3_run_analysis_passes<'tcx, F, R>(sess: &'tcx Session,
passes.push_pass(box mir::transform::simplify_cfg::SimplifyCfg::new("initial")); passes.push_pass(box mir::transform::simplify_cfg::SimplifyCfg::new("initial"));
passes.push_pass(box mir::transform::qualify_consts::QualifyAndPromoteConstants); passes.push_pass(box mir::transform::qualify_consts::QualifyAndPromoteConstants);
passes.push_pass(box mir::transform::type_check::TypeckMir); passes.push_pass(box mir::transform::type_check::TypeckMir);
passes.push_pass(box mir::transform::simplify_branches::SimplifyBranches::new("initial"));
passes.push_pass(box mir::transform::simplify_cfg::SimplifyCfg::new("qualify-consts")); passes.push_pass(box mir::transform::simplify_cfg::SimplifyCfg::new("qualify-consts"));
// And run everything. // And run everything.
passes.run_passes(tcx, &mut mir_map); passes.run_passes(tcx, &mut mir_map);

View file

@ -8,6 +8,7 @@
// option. This file may not be copied, modified, or distributed // option. This file may not be copied, modified, or distributed
// except according to those terms. // except according to those terms.
pub mod simplify_branches;
pub mod simplify_cfg; pub mod simplify_cfg;
pub mod erase_regions; pub mod erase_regions;
pub mod no_landing_pads; pub mod no_landing_pads;

View file

@ -0,0 +1,64 @@
// Copyright 2016 The Rust Project Developers. See the COPYRIGHT
// file at the top-level directory of this distribution and at
// http://rust-lang.org/COPYRIGHT.
//
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
// option. This file may not be copied, modified, or distributed
// except according to those terms.
//! A pass that simplifies branches when their condition is known.
use rustc::ty::TyCtxt;
use rustc::middle::const_val::ConstVal;
use rustc::mir::transform::{MirPass, MirSource, Pass};
use rustc::mir::repr::*;
use std::fmt;
pub struct SimplifyBranches<'a> { label: &'a str }
impl<'a> SimplifyBranches<'a> {
pub fn new(label: &'a str) -> Self {
SimplifyBranches { label: label }
}
}
impl<'l, 'tcx> MirPass<'tcx> for SimplifyBranches<'l> {
fn run_pass<'a>(&mut self, _tcx: TyCtxt<'a, 'tcx, 'tcx>, _src: MirSource, mir: &mut Mir<'tcx>) {
for block in mir.basic_blocks_mut() {
let terminator = block.terminator_mut();
terminator.kind = match terminator.kind {
TerminatorKind::If { ref targets, cond: Operand::Constant(Constant {
literal: Literal::Value {
value: ConstVal::Bool(cond)
}, ..
}) } => {
if cond {
TerminatorKind::Goto { target: targets.0 }
} else {
TerminatorKind::Goto { target: targets.1 }
}
}
TerminatorKind::Assert { target, cond: Operand::Constant(Constant {
literal: Literal::Value {
value: ConstVal::Bool(cond)
}, ..
}), expected, .. } if cond == expected => {
TerminatorKind::Goto { target: target }
}
_ => continue
};
}
}
}
impl<'l> Pass for SimplifyBranches<'l> {
fn name(&self) -> &str { "simplify-branches" }
fn disambiguator<'a>(&'a self) -> Option<Box<fmt::Display+'a>> {
Some(Box::new(self.label))
}
}

View file

@ -34,14 +34,11 @@
use rustc_data_structures::bitvec::BitVector; use rustc_data_structures::bitvec::BitVector;
use rustc_data_structures::indexed_vec::{Idx, IndexVec}; use rustc_data_structures::indexed_vec::{Idx, IndexVec};
use rustc::middle::const_val::ConstVal;
use rustc::ty::TyCtxt; use rustc::ty::TyCtxt;
use rustc::mir::repr::*; use rustc::mir::repr::*;
use rustc::mir::transform::{MirPass, MirSource, Pass}; use rustc::mir::transform::{MirPass, MirSource, Pass};
use rustc::mir::traversal; use rustc::mir::traversal;
use std::fmt; use std::fmt;
use std::mem;
pub struct SimplifyCfg<'a> { label: &'a str } pub struct SimplifyCfg<'a> { label: &'a str }
@ -53,9 +50,7 @@ impl<'a> SimplifyCfg<'a> {
impl<'l, 'tcx> MirPass<'tcx> for SimplifyCfg<'l> { impl<'l, 'tcx> MirPass<'tcx> for SimplifyCfg<'l> {
fn run_pass<'a>(&mut self, _tcx: TyCtxt<'a, 'tcx, 'tcx>, _src: MirSource, mir: &mut Mir<'tcx>) { fn run_pass<'a>(&mut self, _tcx: TyCtxt<'a, 'tcx, 'tcx>, _src: MirSource, mir: &mut Mir<'tcx>) {
simplify_branches(mir); CfgSimplifier::new(mir).simplify();
remove_dead_blocks(mir);
merge_consecutive_blocks(mir);
remove_dead_blocks(mir); remove_dead_blocks(mir);
// FIXME: Should probably be moved into some kind of pass manager // FIXME: Should probably be moved into some kind of pass manager
@ -70,156 +65,156 @@ impl<'l> Pass for SimplifyCfg<'l> {
} }
} }
fn merge_consecutive_blocks(mir: &mut Mir) { pub struct CfgSimplifier<'a, 'tcx: 'a> {
let mut pred_count: IndexVec<_, _> = basic_blocks: &'a mut IndexVec<BasicBlock, BasicBlockData<'tcx>>,
mir.predecessors().iter().map(|ps| ps.len()).collect(); pred_count: IndexVec<BasicBlock, u32>
loop {
let mut changed = false;
let mut seen = BitVector::new(mir.basic_blocks().len());
let mut worklist = vec![START_BLOCK];
while let Some(bb) = worklist.pop() {
// Temporarily take ownership of the terminator we're modifying to keep borrowck happy
let mut terminator = mir[bb].terminator.take().expect("invalid terminator state");
// See if we can merge the target block into this one
loop {
let mut inner_change = false;
if let TerminatorKind::Goto { target } = terminator.kind {
// Don't bother trying to merge a block into itself
if target == bb {
break;
}
let num_insts = mir[target].statements.len();
match mir[target].terminator().kind {
TerminatorKind::Goto { target: new_target } if num_insts == 0 => {
inner_change = true;
terminator.kind = TerminatorKind::Goto { target: new_target };
pred_count[target] -= 1;
pred_count[new_target] += 1;
}
_ if pred_count[target] == 1 => {
inner_change = true;
let mut stmts = Vec::new();
{
let target_data = &mut mir[target];
mem::swap(&mut stmts, &mut target_data.statements);
mem::swap(&mut terminator, target_data.terminator_mut());
}
mir[bb].statements.append(&mut stmts);
}
_ => {}
};
}
for target in terminator.successors_mut() {
let new_target = match final_target(mir, *target) {
Some(new_target) => new_target,
None if mir[bb].statements.is_empty() => bb,
None => continue
};
if *target != new_target {
inner_change = true;
pred_count[*target] -= 1;
pred_count[new_target] += 1;
*target = new_target;
}
}
changed |= inner_change;
if !inner_change {
break;
}
}
mir[bb].terminator = Some(terminator);
for succ in mir[bb].terminator().successors().iter() {
if seen.insert(succ.index()) {
worklist.push(*succ);
}
}
}
if !changed {
break;
}
}
} }
// Find the target at the end of the jump chain, return None if there is a loop impl<'a, 'tcx: 'a> CfgSimplifier<'a, 'tcx> {
fn final_target(mir: &Mir, mut target: BasicBlock) -> Option<BasicBlock> { fn new(mir: &'a mut Mir<'tcx>) -> Self {
// Keep track of already seen blocks to detect loops let mut pred_count = IndexVec::from_elem(0u32, mir.basic_blocks());
let mut seen: Vec<BasicBlock> = Vec::with_capacity(8);
while mir[target].statements.is_empty() { // we can't use mir.predecessors() here because that counts
// NB -- terminator may have been swapped with `None` in // dead blocks, which we don't want to.
// merge_consecutive_blocks, in which case we have a cycle and just want for (_, data) in traversal::preorder(mir) {
// to stop if let Some(ref term) = data.terminator {
match mir[target].terminator { for &tgt in term.successors().iter() {
Some(Terminator { kind: TerminatorKind::Goto { target: next }, .. }) => { pred_count[tgt] += 1;
if seen.contains(&next) {
return None;
} }
seen.push(next);
target = next;
} }
_ => break }
let basic_blocks = mir.basic_blocks_mut();
CfgSimplifier {
basic_blocks: basic_blocks,
pred_count: pred_count
} }
} }
Some(target) fn simplify(mut self) {
} loop {
let mut changed = false;
fn simplify_branches(mir: &mut Mir) { for bb in (0..self.basic_blocks.len()).map(BasicBlock::new) {
loop { if self.pred_count[bb] == 0 {
let mut changed = false; continue
for (_, basic_block) in mir.basic_blocks_mut().iter_enumerated_mut() {
let mut terminator = basic_block.terminator_mut();
terminator.kind = match terminator.kind {
TerminatorKind::If { ref targets, .. } if targets.0 == targets.1 => {
changed = true;
TerminatorKind::Goto { target: targets.0 }
} }
TerminatorKind::If { ref targets, cond: Operand::Constant(Constant { debug!("simplifying {:?}", bb);
literal: Literal::Value {
value: ConstVal::Bool(cond) let mut terminator = self.basic_blocks[bb].terminator.take()
}, .. .expect("invalid terminator state");
}) } => {
changed = true; for successor in terminator.successors_mut() {
if cond { self.collapse_goto_chain(successor, &mut changed);
TerminatorKind::Goto { target: targets.0 }
} else {
TerminatorKind::Goto { target: targets.1 }
}
} }
TerminatorKind::Assert { target, cond: Operand::Constant(Constant { let mut new_stmts = vec![];
literal: Literal::Value { let mut inner_changed = true;
value: ConstVal::Bool(cond) while inner_changed {
}, .. inner_changed = false;
}), expected, .. } if cond == expected => { inner_changed |= self.simplify_branch(&mut terminator);
changed = true; inner_changed |= self.merge_successor(&mut new_stmts, &mut terminator);
TerminatorKind::Goto { target: target } changed |= inner_changed;
} }
TerminatorKind::SwitchInt { ref targets, .. } if targets.len() == 1 => { self.basic_blocks[bb].statements.extend(new_stmts);
changed = true; self.basic_blocks[bb].terminator = Some(terminator);
TerminatorKind::Goto { target: targets[0] }
} changed |= inner_changed;
_ => continue
} }
}
if !changed { if !changed { break }
break;
} }
} }
// Collapse a goto chain starting from `start`
fn collapse_goto_chain(&mut self, start: &mut BasicBlock, changed: &mut bool) {
let mut terminator = match self.basic_blocks[*start] {
BasicBlockData {
ref statements,
terminator: ref mut terminator @ Some(Terminator {
kind: TerminatorKind::Goto { .. }, ..
}), ..
} if statements.is_empty() => terminator.take(),
// if `terminator` is None, this means we are in a loop. In that
// case, let all the loop collapse to its entry.
_ => return
};
let target = match terminator {
Some(Terminator { kind: TerminatorKind::Goto { ref mut target }, .. }) => {
self.collapse_goto_chain(target, changed);
*target
}
_ => unreachable!()
};
self.basic_blocks[*start].terminator = terminator;
debug!("collapsing goto chain from {:?} to {:?}", *start, target);
*changed |= *start != target;
self.pred_count[target] += 1;
self.pred_count[*start] -= 1;
*start = target;
}
// merge a block with 1 `goto` predecessor to its parent
fn merge_successor(&mut self,
new_stmts: &mut Vec<Statement<'tcx>>,
terminator: &mut Terminator<'tcx>)
-> bool
{
let target = match terminator.kind {
TerminatorKind::Goto { target }
if self.pred_count[target] == 1
=> target,
_ => return false
};
debug!("merging block {:?} into {:?}", target, terminator);
*terminator = match self.basic_blocks[target].terminator.take() {
Some(terminator) => terminator,
None => {
// unreachable loop - this should not be possible, as we
// don't strand blocks, but handle it correctly.
return false
}
};
new_stmts.extend(self.basic_blocks[target].statements.drain(..));
self.pred_count[target] = 0;
true
}
// turn a branch with all successors identical to a goto
fn simplify_branch(&mut self, terminator: &mut Terminator<'tcx>) -> bool {
match terminator.kind {
TerminatorKind::If { .. } |
TerminatorKind::Switch { .. } |
TerminatorKind::SwitchInt { .. } => {},
_ => return false
};
let first_succ = {
let successors = terminator.successors();
if let Some(&first_succ) = terminator.successors().get(0) {
if successors.iter().all(|s| *s == first_succ) {
self.pred_count[first_succ] -= (successors.len()-1) as u32;
first_succ
} else {
return false
}
} else {
return false
}
};
debug!("simplifying branch {:?}", terminator);
terminator.kind = TerminatorKind::Goto { target: first_succ };
true
}
} }
fn remove_dead_blocks(mir: &mut Mir) { fn remove_dead_blocks(mir: &mut Mir) {