Handle conflicting Before and After fixed-reg constraints with a copy. (#54)
* Extend fuzzer to generate cases like #53. Currently, the fuzz testcase generator will add at most one fixed-register constraint to an instruction per physical register. This avoids impossible situations, such as specifying that both `v0` and `v1` must be placed into the same `p0`. However, it *should* be possible to say that `v0` is in `p0` before the instruction, and `v1` is in `p0` after the instruction (i.e., at `Early` and `Late` operand positions). This in fact exposes a limitation in the current allocator design: when `v0` is live downward, with the above constraints, it will result in an impossible allocation situation because we cannot split in the middle of an instruction. A subsequent fix will rectify this by using the multi-fixed-reg fixup mechanism. * Handle conflicting Before and After fixed-reg constraints with a copy. This fixes #53. Previously, if two operands on an instruction specified *different* vregs constrained to the same physical register at the Before (Early) and After (Late) points of the instruction, and the Before was live downward as well, we would panic: we can't insert a move into the middle of an instruction, so putting the first vreg in the preg at Early implies we have an unsolveable conflict at Late. We can solve this issue by adding some new logic to insert a copy, and rewrite the constraint. This reuses the multi-fixed-reg-constraint fixup logic. While that logic handles the case where the *same* vreg has multiple *different* fixed-reg constraints, this new logic handles *different* vregs with the *same* fixed-reg constraints, but at different *program points*; so the two are complementary. This addresses the specific test case in #53, and also fuzzes cleanly with the change to the fuzz testcase generator to generate these cases (which also immediately found the bug). * Add a reservation to the PReg when rewriting constraint so it is not doubly-allocated. * Distinguish initial fixup moves from secondary moves. * Use `trace` macro, not `log::trace`, to avoid trace output when feature is disabled. * Rework operand rewriting to properly handle bundle-merging edge case. When the liverange for the defined vreg with fixed constraint at Late is *merged* with the liverange for the used vreg with fixed constraint at Early, the strategy of putting a fixed reservation on the preg at Early fails, because the whole bundle is minimal (if it spans just the instruction's Early and Late and nothing else). This could happen if e.g. the def flows into a blockparam arg that merges with a blockparam defining the used value. Instead we move the def one halfstep earlier, to the Early point, with its fixed-reg constraint still in place. This has the same effect but works when the two are merged. * Fix checker issue: make more flexible in the presence of victim-register saves.
This commit is contained in:
@@ -590,18 +590,24 @@ impl CheckerState {
|
|||||||
fn update<'a, F: Function>(&mut self, checkinst: &CheckerInst, checker: &Checker<'a, F>) {
|
fn update<'a, F: Function>(&mut self, checkinst: &CheckerInst, checker: &Checker<'a, F>) {
|
||||||
self.become_defined();
|
self.become_defined();
|
||||||
|
|
||||||
let default_val = Default::default();
|
|
||||||
match checkinst {
|
match checkinst {
|
||||||
&CheckerInst::Move { into, from } => {
|
&CheckerInst::Move { into, from } => {
|
||||||
let val = self.get_value(&from).unwrap_or(&default_val).clone();
|
// Value may not be present if this move is part of
|
||||||
trace!(
|
// the parallel move resolver's fallback sequence that
|
||||||
"checker: checkinst {:?} updating: move {:?} -> {:?} val {:?}",
|
// saves a victim register elsewhere. (In other words,
|
||||||
checkinst,
|
// that sequence saves an undefined value and restores
|
||||||
from,
|
// it, so has no effect.) The checker needs to avoid
|
||||||
into,
|
// putting Universe lattice values into the map.
|
||||||
val
|
if let Some(val) = self.get_value(&from).cloned() {
|
||||||
);
|
trace!(
|
||||||
self.set_value(into, val);
|
"checker: checkinst {:?} updating: move {:?} -> {:?} val {:?}",
|
||||||
|
checkinst,
|
||||||
|
from,
|
||||||
|
into,
|
||||||
|
val
|
||||||
|
);
|
||||||
|
self.set_value(into, val);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
&CheckerInst::ParallelMove { ref moves } => {
|
&CheckerInst::ParallelMove { ref moves } => {
|
||||||
// First, build map of actions for each vreg in an
|
// First, build map of actions for each vreg in an
|
||||||
|
|||||||
@@ -483,16 +483,37 @@ impl Func {
|
|||||||
OperandPos::Early,
|
OperandPos::Early,
|
||||||
);
|
);
|
||||||
} else if opts.fixed_regs && bool::arbitrary(u)? {
|
} else if opts.fixed_regs && bool::arbitrary(u)? {
|
||||||
let mut fixed = vec![];
|
let mut fixed_early = vec![];
|
||||||
|
let mut fixed_late = vec![];
|
||||||
for _ in 0..u.int_in_range(0..=operands.len() - 1)? {
|
for _ in 0..u.int_in_range(0..=operands.len() - 1)? {
|
||||||
// Pick an operand and make it a fixed reg.
|
// Pick an operand and make it a fixed reg.
|
||||||
let fixed_reg = PReg::new(u.int_in_range(0..=62)?, RegClass::Int);
|
|
||||||
if fixed.contains(&fixed_reg) {
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
fixed.push(fixed_reg);
|
|
||||||
let i = u.int_in_range(0..=(operands.len() - 1))?;
|
let i = u.int_in_range(0..=(operands.len() - 1))?;
|
||||||
let op = operands[i];
|
let op = operands[i];
|
||||||
|
let fixed_reg = PReg::new(u.int_in_range(0..=62)?, RegClass::Int);
|
||||||
|
let fixed_list = match op.pos() {
|
||||||
|
OperandPos::Early => &mut fixed_early,
|
||||||
|
OperandPos::Late => &mut fixed_late,
|
||||||
|
};
|
||||||
|
if fixed_list.contains(&fixed_reg) {
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
if op.kind() != OperandKind::Def && op.pos() == OperandPos::Late {
|
||||||
|
// Late-uses/mods with fixed constraints
|
||||||
|
// can't be allowed if we're allowing
|
||||||
|
// different constraints at Early and
|
||||||
|
// Late, because we can't move something
|
||||||
|
// into a location between Early and
|
||||||
|
// Late. Differing constraints only make
|
||||||
|
// sense if the instruction itself
|
||||||
|
// produces the newly-constrained values.
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
if op.kind() != OperandKind::Use && op.pos() == OperandPos::Early {
|
||||||
|
// Likewise, we can *only* allow uses for
|
||||||
|
// fixed constraints at Early.
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
fixed_list.push(fixed_reg);
|
||||||
operands[i] = Operand::new(
|
operands[i] = Operand::new(
|
||||||
op.vreg(),
|
op.vreg(),
|
||||||
OperandConstraint::FixedReg(fixed_reg),
|
OperandConstraint::FixedReg(fixed_reg),
|
||||||
|
|||||||
@@ -274,10 +274,20 @@ pub struct MultiFixedRegFixup {
|
|||||||
pub pos: ProgPoint,
|
pub pos: ProgPoint,
|
||||||
pub from_slot: u8,
|
pub from_slot: u8,
|
||||||
pub to_slot: u8,
|
pub to_slot: u8,
|
||||||
|
pub level: FixedRegFixupLevel,
|
||||||
pub to_preg: PRegIndex,
|
pub to_preg: PRegIndex,
|
||||||
pub vreg: VRegIndex,
|
pub vreg: VRegIndex,
|
||||||
}
|
}
|
||||||
|
|
||||||
|
#[derive(Clone, Debug, PartialEq, Eq)]
|
||||||
|
pub enum FixedRegFixupLevel {
|
||||||
|
/// A fixup copy for the initial fixed reg; must come first.
|
||||||
|
Initial,
|
||||||
|
/// A fixup copy from the first fixed reg to other fixed regs for
|
||||||
|
/// the same vreg; must come second.
|
||||||
|
Secondary,
|
||||||
|
}
|
||||||
|
|
||||||
/// The field order is significant: these are sorted so that a
|
/// The field order is significant: these are sorted so that a
|
||||||
/// scan over vregs, then blocks in each range, can scan in
|
/// scan over vregs, then blocks in each range, can scan in
|
||||||
/// order through this (sorted) list and add allocs to the
|
/// order through this (sorted) list and add allocs to the
|
||||||
@@ -564,7 +574,8 @@ pub enum InsertMovePrio {
|
|||||||
BlockParam,
|
BlockParam,
|
||||||
Regular,
|
Regular,
|
||||||
PostRegular,
|
PostRegular,
|
||||||
MultiFixedReg,
|
MultiFixedRegInitial,
|
||||||
|
MultiFixedRegSecondary,
|
||||||
ReusedInput,
|
ReusedInput,
|
||||||
OutEdgeMoves,
|
OutEdgeMoves,
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -18,12 +18,14 @@ use super::{
|
|||||||
SpillSetIndex, Use, VRegData, VRegIndex, SLOT_NONE,
|
SpillSetIndex, Use, VRegData, VRegIndex, SLOT_NONE,
|
||||||
};
|
};
|
||||||
use crate::indexset::IndexSet;
|
use crate::indexset::IndexSet;
|
||||||
use crate::ion::data_structures::{BlockparamIn, BlockparamOut, MultiFixedRegFixup};
|
use crate::ion::data_structures::{
|
||||||
|
BlockparamIn, BlockparamOut, FixedRegFixupLevel, MultiFixedRegFixup,
|
||||||
|
};
|
||||||
use crate::{
|
use crate::{
|
||||||
Allocation, Block, Function, Inst, InstPosition, Operand, OperandConstraint, OperandKind,
|
Allocation, Block, Function, Inst, InstPosition, Operand, OperandConstraint, OperandKind,
|
||||||
OperandPos, PReg, ProgPoint, RegAllocError, VReg,
|
OperandPos, PReg, ProgPoint, RegAllocError, VReg,
|
||||||
};
|
};
|
||||||
use fxhash::FxHashSet;
|
use fxhash::{FxHashMap, FxHashSet};
|
||||||
use slice_group_by::GroupByMut;
|
use slice_group_by::GroupByMut;
|
||||||
use smallvec::{smallvec, SmallVec};
|
use smallvec::{smallvec, SmallVec};
|
||||||
use std::collections::{HashSet, VecDeque};
|
use std::collections::{HashSet, VecDeque};
|
||||||
@@ -564,7 +566,7 @@ impl<'a, F: Function> Env<'a, F> {
|
|||||||
|
|
||||||
self.insert_move(
|
self.insert_move(
|
||||||
ProgPoint::before(inst),
|
ProgPoint::before(inst),
|
||||||
InsertMovePrio::MultiFixedReg,
|
InsertMovePrio::MultiFixedRegInitial,
|
||||||
Allocation::reg(src_preg),
|
Allocation::reg(src_preg),
|
||||||
Allocation::reg(dst_preg),
|
Allocation::reg(dst_preg),
|
||||||
Some(dst.vreg()),
|
Some(dst.vreg()),
|
||||||
@@ -712,7 +714,7 @@ impl<'a, F: Function> Env<'a, F> {
|
|||||||
);
|
);
|
||||||
self.insert_move(
|
self.insert_move(
|
||||||
ProgPoint::before(inst.next()),
|
ProgPoint::before(inst.next()),
|
||||||
InsertMovePrio::MultiFixedReg,
|
InsertMovePrio::MultiFixedRegInitial,
|
||||||
Allocation::reg(preg),
|
Allocation::reg(preg),
|
||||||
Allocation::reg(preg),
|
Allocation::reg(preg),
|
||||||
Some(src.vreg()),
|
Some(src.vreg()),
|
||||||
@@ -917,11 +919,110 @@ impl<'a, F: Function> Env<'a, F> {
|
|||||||
continue;
|
continue;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// Preprocess defs and uses. Specifically, if there
|
||||||
|
// are any fixed-reg-constrained defs at Late position
|
||||||
|
// and fixed-reg-constrained uses at Early position
|
||||||
|
// with the same preg, we need to (i) add a fixup move
|
||||||
|
// for the use, (ii) rewrite the use to have an Any
|
||||||
|
// constraint, and (ii) move the def to Early position
|
||||||
|
// to reserve the register for the whole instruction.
|
||||||
|
let mut operand_rewrites: FxHashMap<usize, Operand> = FxHashMap::default();
|
||||||
|
let mut late_def_fixed: SmallVec<[(PReg, Operand, usize); 2]> = smallvec![];
|
||||||
|
for (i, &operand) in self.func.inst_operands(inst).iter().enumerate() {
|
||||||
|
if let OperandConstraint::FixedReg(preg) = operand.constraint() {
|
||||||
|
match operand.pos() {
|
||||||
|
OperandPos::Late => {
|
||||||
|
// See note in fuzzing/func.rs: we
|
||||||
|
// can't allow this, because there
|
||||||
|
// would be no way to move a value
|
||||||
|
// into place for a late use *after*
|
||||||
|
// the early point (i.e. in the middle
|
||||||
|
// of the instruction).
|
||||||
|
assert!(
|
||||||
|
operand.kind() == OperandKind::Def,
|
||||||
|
"Invalid operand: fixed constraint on Use/Mod at Late point"
|
||||||
|
);
|
||||||
|
|
||||||
|
late_def_fixed.push((preg, operand, i));
|
||||||
|
}
|
||||||
|
_ => {}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
for (i, &operand) in self.func.inst_operands(inst).iter().enumerate() {
|
||||||
|
if let OperandConstraint::FixedReg(preg) = operand.constraint() {
|
||||||
|
match operand.pos() {
|
||||||
|
OperandPos::Early => {
|
||||||
|
assert!(operand.kind() == OperandKind::Use,
|
||||||
|
"Invalid operand: fixed constraint on Def/Mod at Early position");
|
||||||
|
|
||||||
|
// If we have a constraint at the
|
||||||
|
// Early point for a fixed preg, and
|
||||||
|
// this preg is also constrained with
|
||||||
|
// a *separate* def at Late, and *if*
|
||||||
|
// the vreg is live downward, we have
|
||||||
|
// to use the multi-fixed-reg
|
||||||
|
// mechanism for a fixup and rewrite
|
||||||
|
// here without the constraint. See
|
||||||
|
// #53.
|
||||||
|
//
|
||||||
|
// We adjust the def liverange and Use
|
||||||
|
// to an "early" position to reserve
|
||||||
|
// the register, it still must not be
|
||||||
|
// used by some other vreg at the
|
||||||
|
// use-site.
|
||||||
|
//
|
||||||
|
// Note that we handle multiple
|
||||||
|
// conflicting constraints for the
|
||||||
|
// same vreg in a separate pass (see
|
||||||
|
// `fixup_multi_fixed_vregs` below).
|
||||||
|
if let Some((_, def_op, def_slot)) = late_def_fixed
|
||||||
|
.iter()
|
||||||
|
.find(|(def_preg, _, _)| *def_preg == preg)
|
||||||
|
{
|
||||||
|
let pos = ProgPoint::before(inst);
|
||||||
|
self.multi_fixed_reg_fixups.push(MultiFixedRegFixup {
|
||||||
|
pos,
|
||||||
|
from_slot: i as u8,
|
||||||
|
to_slot: i as u8,
|
||||||
|
to_preg: PRegIndex::new(preg.index()),
|
||||||
|
vreg: VRegIndex::new(operand.vreg().vreg()),
|
||||||
|
level: FixedRegFixupLevel::Initial,
|
||||||
|
});
|
||||||
|
|
||||||
|
operand_rewrites.insert(
|
||||||
|
i,
|
||||||
|
Operand::new(
|
||||||
|
operand.vreg(),
|
||||||
|
OperandConstraint::Any,
|
||||||
|
operand.kind(),
|
||||||
|
operand.pos(),
|
||||||
|
),
|
||||||
|
);
|
||||||
|
operand_rewrites.insert(
|
||||||
|
*def_slot,
|
||||||
|
Operand::new(
|
||||||
|
def_op.vreg(),
|
||||||
|
def_op.constraint(),
|
||||||
|
def_op.kind(),
|
||||||
|
OperandPos::Early,
|
||||||
|
),
|
||||||
|
);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
_ => {}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
// Process defs and uses.
|
// Process defs and uses.
|
||||||
for &cur_pos in &[InstPosition::After, InstPosition::Before] {
|
for &cur_pos in &[InstPosition::After, InstPosition::Before] {
|
||||||
for i in 0..self.func.inst_operands(inst).len() {
|
for i in 0..self.func.inst_operands(inst).len() {
|
||||||
// don't borrow `self`
|
// don't borrow `self`
|
||||||
let operand = self.func.inst_operands(inst)[i];
|
let operand = operand_rewrites
|
||||||
|
.get(&i)
|
||||||
|
.cloned()
|
||||||
|
.unwrap_or(self.func.inst_operands(inst)[i]);
|
||||||
let pos = match (operand.kind(), operand.pos()) {
|
let pos = match (operand.kind(), operand.pos()) {
|
||||||
(OperandKind::Mod, _) => ProgPoint::before(inst),
|
(OperandKind::Mod, _) => ProgPoint::before(inst),
|
||||||
(OperandKind::Def, OperandPos::Early) => ProgPoint::before(inst),
|
(OperandKind::Def, OperandPos::Early) => ProgPoint::before(inst),
|
||||||
@@ -1286,6 +1387,7 @@ impl<'a, F: Function> Env<'a, F> {
|
|||||||
to_slot: u.slot,
|
to_slot: u.slot,
|
||||||
to_preg: preg_idx,
|
to_preg: preg_idx,
|
||||||
vreg: vreg_idx,
|
vreg: vreg_idx,
|
||||||
|
level: FixedRegFixupLevel::Secondary,
|
||||||
});
|
});
|
||||||
u.operand = Operand::new(
|
u.operand = Operand::new(
|
||||||
u.operand.vreg(),
|
u.operand.vreg(),
|
||||||
|
|||||||
@@ -17,7 +17,7 @@ use super::{
|
|||||||
VRegIndex, SLOT_NONE,
|
VRegIndex, SLOT_NONE,
|
||||||
};
|
};
|
||||||
use crate::ion::data_structures::{
|
use crate::ion::data_structures::{
|
||||||
BlockparamIn, BlockparamOut, CodeRange, LiveRangeKey, PosWithPrio,
|
BlockparamIn, BlockparamOut, CodeRange, FixedRegFixupLevel, LiveRangeKey, PosWithPrio,
|
||||||
};
|
};
|
||||||
use crate::ion::reg_traversal::RegTraversalIter;
|
use crate::ion::reg_traversal::RegTraversalIter;
|
||||||
use crate::moves::{MoveAndScratchResolver, ParallelMoves};
|
use crate::moves::{MoveAndScratchResolver, ParallelMoves};
|
||||||
@@ -749,9 +749,13 @@ impl<'a, F: Function> Env<'a, F> {
|
|||||||
to_alloc,
|
to_alloc,
|
||||||
fixup.vreg.index(),
|
fixup.vreg.index(),
|
||||||
);
|
);
|
||||||
|
let prio = match fixup.level {
|
||||||
|
FixedRegFixupLevel::Initial => InsertMovePrio::MultiFixedRegInitial,
|
||||||
|
FixedRegFixupLevel::Secondary => InsertMovePrio::MultiFixedRegSecondary,
|
||||||
|
};
|
||||||
self.insert_move(
|
self.insert_move(
|
||||||
fixup.pos,
|
fixup.pos,
|
||||||
InsertMovePrio::MultiFixedReg,
|
prio,
|
||||||
from_alloc,
|
from_alloc,
|
||||||
to_alloc,
|
to_alloc,
|
||||||
Some(self.vreg(fixup.vreg)),
|
Some(self.vreg(fixup.vreg)),
|
||||||
|
|||||||
10
src/moves.rs
10
src/moves.rs
@@ -368,17 +368,17 @@ where
|
|||||||
|
|
||||||
// Now, find a scratch allocation in order to resolve cycles.
|
// Now, find a scratch allocation in order to resolve cycles.
|
||||||
let scratch = (self.find_free_reg)().unwrap_or_else(|| (self.get_stackslot)());
|
let scratch = (self.find_free_reg)().unwrap_or_else(|| (self.get_stackslot)());
|
||||||
log::trace!("scratch resolver: scratch alloc {:?}", scratch);
|
trace!("scratch resolver: scratch alloc {:?}", scratch);
|
||||||
|
|
||||||
let moves = moves.with_scratch(scratch);
|
let moves = moves.with_scratch(scratch);
|
||||||
for &(src, dst, data) in &moves {
|
for &(src, dst, data) in &moves {
|
||||||
// Do we have a stack-to-stack move? If so, resolve.
|
// Do we have a stack-to-stack move? If so, resolve.
|
||||||
if src.is_stack() && dst.is_stack() {
|
if src.is_stack() && dst.is_stack() {
|
||||||
log::trace!("scratch resolver: stack to stack: {:?} -> {:?}", src, dst);
|
trace!("scratch resolver: stack to stack: {:?} -> {:?}", src, dst);
|
||||||
// Lazily allocate a stack-to-stack scratch.
|
// Lazily allocate a stack-to-stack scratch.
|
||||||
if self.stack_stack_scratch_reg.is_none() {
|
if self.stack_stack_scratch_reg.is_none() {
|
||||||
if let Some(reg) = (self.find_free_reg)() {
|
if let Some(reg) = (self.find_free_reg)() {
|
||||||
log::trace!(
|
trace!(
|
||||||
"scratch resolver: have free stack-to-stack scratch preg: {:?}",
|
"scratch resolver: have free stack-to-stack scratch preg: {:?}",
|
||||||
reg
|
reg
|
||||||
);
|
);
|
||||||
@@ -386,7 +386,7 @@ where
|
|||||||
} else {
|
} else {
|
||||||
self.stack_stack_scratch_reg = Some(Allocation::reg(self.victim));
|
self.stack_stack_scratch_reg = Some(Allocation::reg(self.victim));
|
||||||
self.stack_stack_scratch_reg_save = Some((self.get_stackslot)());
|
self.stack_stack_scratch_reg_save = Some((self.get_stackslot)());
|
||||||
log::trace!("scratch resolver: stack-to-stack using victim {:?} with save stackslot {:?}",
|
trace!("scratch resolver: stack-to-stack using victim {:?} with save stackslot {:?}",
|
||||||
self.stack_stack_scratch_reg,
|
self.stack_stack_scratch_reg,
|
||||||
self.stack_stack_scratch_reg_save);
|
self.stack_stack_scratch_reg_save);
|
||||||
}
|
}
|
||||||
@@ -422,7 +422,7 @@ where
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
log::trace!("scratch resolver: got {:?}", result);
|
trace!("scratch resolver: got {:?}", result);
|
||||||
result
|
result
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
Reference in New Issue
Block a user