waffle/src/cfg/postorder.rs

55 lines
1.4 KiB
Rust
Raw Normal View History

2021-11-15 07:56:56 +00:00
//! Fast postorder computation.
// Borrowed from regalloc2's postorder.rs, which is also Apache-2.0
// with LLVM-exception.
use crate::ir::BlockId;
use smallvec::{smallvec, SmallVec};
pub fn calculate<'a, SuccFn: Fn(BlockId) -> &'a [BlockId]>(
num_blocks: usize,
entry: BlockId,
succ_blocks: SuccFn,
) -> Vec<BlockId> {
let mut ret = vec![];
// State: visited-block map, and explicit DFS stack.
let mut visited = vec![];
visited.resize(num_blocks, false);
struct State<'a> {
block: BlockId,
succs: &'a [BlockId],
next_succ: usize,
}
let mut stack: SmallVec<[State; 64]> = smallvec![];
visited[entry] = true;
stack.push(State {
block: entry,
succs: succ_blocks(entry),
next_succ: 0,
});
while let Some(ref mut state) = stack.last_mut() {
// Perform one action: push to new succ, skip an already-visited succ, or pop.
if state.next_succ < state.succs.len() {
let succ = state.succs[state.next_succ];
state.next_succ += 1;
if !visited[succ] {
visited[succ] = true;
stack.push(State {
block: succ,
succs: succ_blocks(succ),
next_succ: 0,
});
}
} else {
ret.push(state.block);
stack.pop();
}
}
ret
}