rust/compiler/rustc_mir_transform/src/sroa.rs

Ignoring revisions in .git-blame-ignore-revs. Click here to bypass and see the normal blame view.

399 lines
15 KiB
Rust
Raw Normal View History

2022-05-23 07:27:44 +00:00
use crate::MirPass;
use rustc_data_structures::fx::FxIndexMap;
2022-05-23 07:27:44 +00:00
use rustc_index::bit_set::BitSet;
use rustc_index::vec::IndexVec;
2023-02-04 14:39:42 +00:00
use rustc_middle::mir::patch::MirPatch;
2022-05-23 07:27:44 +00:00
use rustc_middle::mir::visit::*;
use rustc_middle::mir::*;
use rustc_middle::ty::TyCtxt;
2023-02-05 12:08:42 +00:00
use rustc_mir_dataflow::value_analysis::{excluded_locals, iter_fields};
2022-05-23 07:27:44 +00:00
pub struct ScalarReplacementOfAggregates;
impl<'tcx> MirPass<'tcx> for ScalarReplacementOfAggregates {
fn is_enabled(&self, sess: &rustc_session::Session) -> bool {
2022-11-08 17:38:21 +00:00
sess.mir_opt_level() >= 3
2022-05-23 07:27:44 +00:00
}
2023-02-04 14:39:42 +00:00
#[instrument(level = "debug", skip(self, tcx, body))]
2022-05-23 07:27:44 +00:00
fn run_pass(&self, tcx: TyCtxt<'tcx>, body: &mut Body<'tcx>) {
2023-02-04 14:39:42 +00:00
debug!(def_id = ?body.source.def_id());
2023-02-05 12:08:42 +00:00
let mut excluded = excluded_locals(body);
loop {
debug!(?excluded);
let escaping = escaping_locals(&excluded, body);
debug!(?escaping);
let replacements = compute_flattening(tcx, body, escaping);
debug!(?replacements);
let all_dead_locals = replace_flattened_locals(tcx, body, replacements);
if !all_dead_locals.is_empty() && tcx.sess.mir_opt_level() >= 4 {
for local in excluded.indices() {
excluded[local] |= all_dead_locals.contains(local) ;
}
excluded.raw.resize(body.local_decls.len(), false);
} else {
break
}
}
2022-05-23 07:27:44 +00:00
}
}
/// Identify all locals that are not eligible for SROA.
///
/// There are 3 cases:
2023-02-05 12:08:42 +00:00
/// - the aggregated local is used or passed to other code (function parameters and arguments);
2022-05-23 07:27:44 +00:00
/// - the locals is a union or an enum;
/// - the local's address is taken, and thus the relative addresses of the fields are observable to
/// client code.
2023-02-05 12:08:42 +00:00
fn escaping_locals(excluded: &IndexVec<Local, bool>, body: &Body<'_>) -> BitSet<Local> {
2022-05-23 07:27:44 +00:00
let mut set = BitSet::new_empty(body.local_decls.len());
set.insert_range(RETURN_PLACE..=Local::from_usize(body.arg_count));
for (local, decl) in body.local_decls().iter_enumerated() {
2023-02-05 12:08:42 +00:00
if decl.ty.is_union() || decl.ty.is_enum() || excluded[local] {
2022-05-23 07:27:44 +00:00
set.insert(local);
}
}
let mut visitor = EscapeVisitor { set };
visitor.visit_body(body);
return visitor.set;
struct EscapeVisitor {
set: BitSet<Local>,
}
impl<'tcx> Visitor<'tcx> for EscapeVisitor {
fn visit_local(&mut self, local: Local, _: PlaceContext, _: Location) {
self.set.insert(local);
}
fn visit_place(&mut self, place: &Place<'tcx>, context: PlaceContext, location: Location) {
// Mirror the implementation in PreFlattenVisitor.
if let &[PlaceElem::Field(..), ..] = &place.projection[..] {
return;
}
self.super_place(place, context, location);
}
2023-02-04 14:39:42 +00:00
fn visit_assign(
&mut self,
lvalue: &Place<'tcx>,
rvalue: &Rvalue<'tcx>,
location: Location,
) {
2023-02-05 09:31:27 +00:00
if lvalue.as_local().is_some() {
match rvalue {
// Aggregate assignments are expanded in run_pass.
Rvalue::Aggregate(..) | Rvalue::Use(..) => {
self.visit_rvalue(rvalue, location);
return;
}
_ => {}
}
2023-02-04 14:39:42 +00:00
}
self.super_assign(lvalue, rvalue, location)
}
2022-05-23 07:27:44 +00:00
fn visit_statement(&mut self, statement: &Statement<'tcx>, location: Location) {
2023-02-04 14:39:42 +00:00
match statement.kind {
2022-05-23 07:27:44 +00:00
// Storage statements are expanded in run_pass.
2023-02-04 14:39:42 +00:00
StatementKind::StorageLive(..)
| StatementKind::StorageDead(..)
| StatementKind::Deinit(..) => return,
_ => self.super_statement(statement, location),
2022-05-23 07:27:44 +00:00
}
}
// We ignore anything that happens in debuginfo, since we expand it using
// `VarDebugInfoContents::Composite`.
fn visit_var_debug_info(&mut self, _: &VarDebugInfo<'tcx>) {}
}
}
#[derive(Default, Debug)]
struct ReplacementMap<'tcx> {
fields: FxIndexMap<PlaceRef<'tcx>, Local>,
/// Pre-computed list of all "new" locals for each "old" local. This is used to expand storage
/// and deinit statement and debuginfo.
fragments: IndexVec<Local, Option<Vec<(&'tcx [PlaceElem<'tcx>], Local)>>>,
}
impl<'tcx> ReplacementMap<'tcx> {
fn gather_debug_info_fragments(
&self,
place: PlaceRef<'tcx>,
) -> Option<Vec<VarDebugInfoFragment<'tcx>>> {
let mut fragments = Vec::new();
let Some(parts) = &self.fragments[place.local] else { return None };
for (proj, replacement_local) in parts {
if proj.starts_with(place.projection) {
fragments.push(VarDebugInfoFragment {
projection: proj[place.projection.len()..].to_vec(),
contents: Place::from(*replacement_local),
});
}
}
Some(fragments)
}
fn place_fragments(
&self,
place: Place<'tcx>,
) -> Option<&Vec<(&'tcx [PlaceElem<'tcx>], Local)>> {
let local = place.as_local()?;
self.fragments[local].as_ref()
}
2022-05-23 07:27:44 +00:00
}
/// Compute the replacement of flattened places into locals.
///
/// For each eligible place, we assign a new local to each accessed field.
/// The replacement will be done later in `ReplacementVisitor`.
fn compute_flattening<'tcx>(
tcx: TyCtxt<'tcx>,
body: &mut Body<'tcx>,
escaping: BitSet<Local>,
) -> ReplacementMap<'tcx> {
let mut fields = FxIndexMap::default();
let mut fragments = IndexVec::from_elem(None::<Vec<_>>, &body.local_decls);
2022-05-23 07:27:44 +00:00
for local in body.local_decls.indices() {
if escaping.contains(local) {
continue;
2022-05-23 07:27:44 +00:00
}
let decl = body.local_decls[local].clone();
let ty = decl.ty;
iter_fields(ty, tcx, |variant, field, field_ty| {
if variant.is_some() {
// Downcasts are currently not supported.
return;
};
let new_local =
body.local_decls.push(LocalDecl { ty: field_ty, user_ty: None, ..decl.clone() });
let place = Place::from(local)
.project_deeper(&[PlaceElem::Field(field, field_ty)], tcx)
.as_ref();
fields.insert(place, new_local);
fragments[local].get_or_insert_default().push((place.projection, new_local));
});
2022-05-23 07:27:44 +00:00
}
ReplacementMap { fields, fragments }
2022-05-23 07:27:44 +00:00
}
/// Perform the replacement computed by `compute_flattening`.
fn replace_flattened_locals<'tcx>(
tcx: TyCtxt<'tcx>,
body: &mut Body<'tcx>,
replacements: ReplacementMap<'tcx>,
2023-02-05 12:08:42 +00:00
) -> BitSet<Local> {
2022-05-23 07:27:44 +00:00
let mut all_dead_locals = BitSet::new_empty(body.local_decls.len());
for p in replacements.fields.keys() {
all_dead_locals.insert(p.local);
}
debug!(?all_dead_locals);
if all_dead_locals.is_empty() {
2023-02-05 12:08:42 +00:00
return all_dead_locals;
2022-05-23 07:27:44 +00:00
}
let mut visitor = ReplacementVisitor {
tcx,
local_decls: &body.local_decls,
replacements,
all_dead_locals,
2023-02-04 14:39:42 +00:00
patch: MirPatch::new(body),
2022-05-23 07:27:44 +00:00
};
for (bb, data) in body.basic_blocks.as_mut_preserves_cfg().iter_enumerated_mut() {
visitor.visit_basic_block_data(bb, data);
}
for scope in &mut body.source_scopes {
visitor.visit_source_scope_data(scope);
}
for (index, annotation) in body.user_type_annotations.iter_enumerated_mut() {
visitor.visit_user_type_annotation(index, annotation);
}
for var_debug_info in &mut body.var_debug_info {
visitor.visit_var_debug_info(var_debug_info);
}
2023-02-05 12:08:42 +00:00
let ReplacementVisitor { patch, all_dead_locals, .. } = visitor;
patch.apply(body);
all_dead_locals
2022-05-23 07:27:44 +00:00
}
struct ReplacementVisitor<'tcx, 'll> {
tcx: TyCtxt<'tcx>,
/// This is only used to compute the type for `VarDebugInfoContents::Composite`.
local_decls: &'ll LocalDecls<'tcx>,
/// Work to do.
replacements: ReplacementMap<'tcx>,
/// This is used to check that we are not leaving references to replaced locals behind.
all_dead_locals: BitSet<Local>,
2023-02-04 14:39:42 +00:00
patch: MirPatch<'tcx>,
2022-05-23 07:27:44 +00:00
}
impl<'tcx, 'll> ReplacementVisitor<'tcx, 'll> {
fn replace_place(&self, place: PlaceRef<'tcx>) -> Option<Place<'tcx>> {
if let &[PlaceElem::Field(..), ref rest @ ..] = place.projection {
let pr = PlaceRef { local: place.local, projection: &place.projection[..1] };
let local = self.replacements.fields.get(&pr)?;
Some(Place { local: *local, projection: self.tcx.intern_place_elems(&rest) })
} else {
None
}
}
}
impl<'tcx, 'll> MutVisitor<'tcx> for ReplacementVisitor<'tcx, 'll> {
fn tcx(&self) -> TyCtxt<'tcx> {
self.tcx
}
#[instrument(level = "trace", skip(self))]
2022-05-23 07:27:44 +00:00
fn visit_statement(&mut self, statement: &mut Statement<'tcx>, location: Location) {
2023-02-04 14:39:42 +00:00
match statement.kind {
StatementKind::StorageLive(l) => {
if let Some(final_locals) = &self.replacements.fragments[l] {
2023-02-04 14:39:42 +00:00
for &(_, fl) in final_locals {
self.patch.add_statement(location, StatementKind::StorageLive(fl));
}
statement.make_nop();
}
return;
}
StatementKind::StorageDead(l) => {
if let Some(final_locals) = &self.replacements.fragments[l] {
2023-02-04 14:39:42 +00:00
for &(_, fl) in final_locals {
self.patch.add_statement(location, StatementKind::StorageDead(fl));
}
statement.make_nop();
}
return;
}
2023-02-05 10:40:21 +00:00
StatementKind::Deinit(box place) => {
if let Some(final_locals) = self.replacements.place_fragments(place) {
2023-02-04 14:39:42 +00:00
for &(_, fl) in final_locals {
2023-02-05 10:40:21 +00:00
self.patch
.add_statement(location, StatementKind::Deinit(Box::new(fl.into())));
2023-02-04 14:39:42 +00:00
}
statement.make_nop();
return;
}
}
2023-02-05 10:40:21 +00:00
StatementKind::Assign(box (place, Rvalue::Aggregate(_, ref operands))) => {
if let Some(final_locals) = self.replacements.place_fragments(place) {
2023-02-04 14:39:42 +00:00
for &(projection, fl) in final_locals {
let &[PlaceElem::Field(index, _)] = projection else { bug!() };
let index = index.as_usize();
let rvalue = Rvalue::Use(operands[index].clone());
self.patch.add_statement(
location,
StatementKind::Assign(Box::new((fl.into(), rvalue))),
);
}
statement.make_nop();
return;
}
}
2023-02-05 10:40:21 +00:00
StatementKind::Assign(box (place, Rvalue::Use(Operand::Constant(_)))) => {
if let Some(final_locals) = self.replacements.place_fragments(place) {
2023-02-05 09:31:27 +00:00
for &(projection, fl) in final_locals {
2023-02-05 10:40:21 +00:00
let rvalue =
Rvalue::Use(Operand::Move(place.project_deeper(projection, self.tcx)));
2023-02-05 09:31:27 +00:00
self.patch.add_statement(
location,
StatementKind::Assign(Box::new((fl.into(), rvalue))),
);
}
2023-02-05 10:40:21 +00:00
self.all_dead_locals.remove(place.local);
2023-02-05 09:31:27 +00:00
return;
}
}
2023-02-05 10:40:21 +00:00
StatementKind::Assign(box (lhs, Rvalue::Use(ref op))) => {
2023-02-05 09:31:27 +00:00
let (rplace, copy) = match op {
Operand::Copy(rplace) => (rplace, true),
Operand::Move(rplace) => (rplace, false),
Operand::Constant(_) => bug!(),
};
if let Some(final_locals) = self.replacements.place_fragments(lhs) {
2023-02-05 09:31:27 +00:00
for &(projection, fl) in final_locals {
let rplace = rplace.project_deeper(projection, self.tcx);
debug!(?rplace);
let rplace = self.replace_place(rplace.as_ref()).unwrap_or(rplace);
debug!(?rplace);
2023-02-05 09:31:27 +00:00
let rvalue = if copy {
Rvalue::Use(Operand::Copy(rplace))
} else {
Rvalue::Use(Operand::Move(rplace))
};
self.patch.add_statement(
location,
StatementKind::Assign(Box::new((fl.into(), rvalue))),
);
}
statement.make_nop();
return;
}
}
2023-02-04 14:39:42 +00:00
_ => {}
2022-05-23 07:27:44 +00:00
}
self.super_statement(statement, location)
}
fn visit_place(&mut self, place: &mut Place<'tcx>, context: PlaceContext, location: Location) {
if let Some(repl) = self.replace_place(place.as_ref()) {
*place = repl
} else {
self.super_place(place, context, location)
}
}
2023-02-05 12:08:42 +00:00
#[instrument(level = "trace", skip(self))]
2022-05-23 07:27:44 +00:00
fn visit_var_debug_info(&mut self, var_debug_info: &mut VarDebugInfo<'tcx>) {
match &mut var_debug_info.value {
VarDebugInfoContents::Place(ref mut place) => {
if let Some(repl) = self.replace_place(place.as_ref()) {
*place = repl;
} else if let Some(fragments) =
self.replacements.gather_debug_info_fragments(place.as_ref())
{
2022-05-23 07:27:44 +00:00
let ty = place.ty(self.local_decls, self.tcx).ty;
var_debug_info.value = VarDebugInfoContents::Composite { ty, fragments };
}
}
VarDebugInfoContents::Composite { ty: _, ref mut fragments } => {
let mut new_fragments = Vec::new();
2023-02-05 12:08:42 +00:00
debug!(?fragments);
2022-05-23 07:27:44 +00:00
fragments
.drain_filter(|fragment| {
if let Some(repl) = self.replace_place(fragment.contents.as_ref()) {
fragment.contents = repl;
2023-02-05 12:08:42 +00:00
false
} else if let Some(frg) = self
.replacements
.gather_debug_info_fragments(fragment.contents.as_ref())
2023-02-05 09:31:27 +00:00
{
2022-05-23 07:27:44 +00:00
new_fragments.extend(frg.into_iter().map(|mut f| {
f.projection.splice(0..0, fragment.projection.iter().copied());
f
}));
true
2023-02-05 12:08:42 +00:00
} else {
false
2022-05-23 07:27:44 +00:00
}
})
.for_each(drop);
2023-02-05 12:08:42 +00:00
debug!(?fragments);
debug!(?new_fragments);
2022-05-23 07:27:44 +00:00
fragments.extend(new_fragments);
}
VarDebugInfoContents::Const(_) => {}
}
}
fn visit_local(&mut self, local: &mut Local, _: PlaceContext, _: Location) {
assert!(!self.all_dead_locals.contains(*local));
}
}