calyx_opt/passes/compile_invoke.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549
use crate::traversal::{
self, Action, ConstructVisitor, Named, VisResult, Visitor,
};
use calyx_ir::structure;
use calyx_ir::{self as ir, Attributes, LibrarySignatures};
use calyx_utils::{CalyxResult, Error};
use ir::{Assignment, RRC, WRC};
use itertools::Itertools;
use linked_hash_map::LinkedHashMap;
use std::collections::{HashMap, HashSet};
use std::rc::Rc;
use super::dump_ports;
// given `cell_ref` returns the `go` port of the cell (if it only has one `go` port),
// or an error otherwise
fn get_go_port(cell_ref: ir::RRC<ir::Cell>) -> CalyxResult<ir::RRC<ir::Port>> {
let cell = cell_ref.borrow();
let name = cell.name();
// Get the go port
match cell.find_unique_with_attr(ir::NumAttr::Go) {
Ok(Some(p)) => Ok(p),
Ok(None) => Err(Error::malformed_control(format!(
"Invoked component `{name}` does not define a @go signal. Cannot compile the invoke",
))),
Err(_) => Err(Error::malformed_control(format!(
"Invoked component `{name}` defines multiple @go signals. Cannot compile the invoke",
))),
}
}
// given inputs and outputs (of the invoke), and the `enable_assignments` (e.g., invoked_component.go = 1'd1)
// and a cell, builds the assignments for the corresponding group
fn build_assignments<T>(
inputs: &mut Vec<(ir::Id, ir::RRC<ir::Port>)>,
outputs: &mut Vec<(ir::Id, ir::RRC<ir::Port>)>,
builder: &mut ir::Builder,
cell: &ir::Cell,
) -> Vec<ir::Assignment<T>> {
inputs
.drain(..)
.map(|(inp, p)| {
builder.build_assignment(cell.get(inp), p, ir::Guard::True)
})
.chain(outputs.drain(..).map(|(out, p)| {
builder.build_assignment(p, cell.get(out), ir::Guard::True)
}))
.collect()
}
#[derive(Default)]
/// Map for storing added ports for each ref cell
/// level of Hashmap represents:
/// HashMap<-component name-, Hashmap<(-ref cell name-,-port name-), port>>;
struct RefPortMap(HashMap<ir::Id, LinkedHashMap<ir::Canonical, RRC<ir::Port>>>);
impl RefPortMap {
fn insert(
&mut self,
comp_name: ir::Id,
ports: LinkedHashMap<ir::Canonical, RRC<ir::Port>>,
) {
self.0.insert(comp_name, ports);
}
fn get(
&self,
comp_name: &ir::Id,
) -> Option<&LinkedHashMap<ir::Canonical, RRC<ir::Port>>> {
self.0.get(comp_name)
}
/// Get all of the newly added ports associated with a component that had
/// ref cells
fn get_ports(&self, comp_name: &ir::Id) -> Option<Vec<RRC<ir::Port>>> {
self.0.get(comp_name).map(|map| {
map.values()
.cloned()
.sorted_by(|a, b| a.borrow().name.cmp(&b.borrow().name))
.collect()
})
}
}
/// Compiles [`ir::Invoke`] statements into an [`ir::Enable`] that runs the
/// invoked component.
pub struct CompileInvoke {
/// Mapping from component to the canonical port name of ref cell o
port_names: RefPortMap,
/// Mapping from the ports of cells that were removed to the new port on the
/// component signature.
removed: LinkedHashMap<ir::Canonical, ir::RRC<ir::Port>>,
/// Ref cells in the component. We hold onto these so that our references don't get invalidated
ref_cells: Vec<ir::RRC<ir::Cell>>,
}
impl ConstructVisitor for CompileInvoke {
fn from(_ctx: &ir::Context) -> CalyxResult<Self>
where
Self: Sized,
{
Ok(CompileInvoke {
port_names: RefPortMap::default(),
removed: LinkedHashMap::new(),
ref_cells: Vec::new(),
})
}
fn clear_data(&mut self) {
self.removed.clear();
self.ref_cells.clear()
}
}
impl Named for CompileInvoke {
fn name() -> &'static str {
"compile-invoke"
}
fn description() -> &'static str {
"Rewrites invoke statements to group enables"
}
}
impl CompileInvoke {
/// Given `ref_cells` of an invoke, returns `(inputs, outputs)` where
/// inputs are the corresponding inputs to the `invoke` and
/// outputs are the corresponding outputs to the `invoke` that are used
/// in the component the ref_cell is.
/// (i.e. If a component only reads from a register,
/// only assignments for `reg.out` will be returned.)
///
/// Since this pass eliminates all ref cells in post order, we expect that
/// invoked component already had all of its ref cells removed.
fn ref_cells_to_ports_assignments<T>(
&mut self,
inv_cell: RRC<ir::Cell>,
ref_cells: impl Iterator<Item = (ir::Id, ir::RRC<ir::Cell>)>,
invoked_comp: Option<&ir::Component>, //i.e. in invoke reader[]()(); this is `reader`
) -> Vec<ir::Assignment<T>> {
let inv_comp_id = inv_cell.borrow().type_name().unwrap();
let mut assigns = Vec::new();
for (ref_cell_name, concrete_cell) in ref_cells {
log::debug!(
"Removing ref cell `{}` with {} ports",
ref_cell_name,
concrete_cell.borrow().ports.len()
);
// comp_ports is mapping from canonical names of the ports of the ref cell to the
// new port defined on the signature of the higher level component.
// i.e. ref_reg.in -> ref_reg_in
// These have name of ref cell, not the cell passed in as an arugment
let Some(comp_ports) = self.port_names.get(&inv_comp_id) else {
unreachable!(
"component `{}` invoked but not already visited by the pass",
inv_comp_id
)
};
// tracks ports used in assigments of the invoked component
let mut used_ports: HashSet<ir::Id> = HashSet::new();
if let Some(invoked_comp) = invoked_comp {
invoked_comp.iter_assignments(|a| {
for port in a.iter_ports() {
used_ports.insert(port.borrow().name);
}
});
invoked_comp.iter_static_assignments(|a| {
for port in a.iter_ports() {
used_ports.insert(port.borrow().name);
}
});
// If the `invoked_comp` passed to the function is `None`,
// then the component being invoked is a primitive.
} else {
unreachable!(
"Primitives should not have ref cells passed into them at invocation. However ref cells were found at the invocation of {}.",
inv_comp_id
);
}
//contains the newly added ports that result from ref cells removal/dump_ports
let new_comp_ports = comp_ports
.values()
.map(|p| p.borrow().name)
.collect::<HashSet<_>>();
let to_assign: HashSet<&ir::Id> =
new_comp_ports.intersection(&used_ports).collect();
// We expect each canonical port in `comp_ports` to exactly match with a port in
//`concrete_cell` based on well-formedness subtype checks.
// `canon` is `ref_reg.in`, for example.
for (ref_cell_canon, new_sig_port) in comp_ports.iter() {
//only interested in ports attached to the ref cell
if ref_cell_canon.cell != ref_cell_name {
continue;
}
// For example, if we have a reader component that only reads from a ref_reg,
// we will not have `ref_reg.in = ...` in the invoke* group because the
// reader component does not access `ref_reg.in`.
if !to_assign.contains(&new_sig_port.borrow().name) {
continue;
}
// The given port of the actual, concrete cell passed in
let concrete_port = Self::get_concrete_port(
concrete_cell.clone(),
&ref_cell_canon.port,
);
if concrete_port.borrow().has_attribute(ir::BoolAttr::Clk)
|| concrete_port.borrow().has_attribute(ir::BoolAttr::Reset)
{
continue;
}
let Some(comp_port) = comp_ports.get(ref_cell_canon) else {
unreachable!(
"port `{}` not found in the signature of {}. Known ports are: {}",
ref_cell_canon,
inv_comp_id,
comp_ports
.keys()
.map(|c| c.port.as_ref())
.collect_vec()
.join(", ")
)
};
// Get the port on the new cell with the same name as ref_port
let ref_port = inv_cell.borrow().get(comp_port.borrow().name);
log::debug!(
"Port `{}` -> `{}`",
ref_cell_canon,
ref_port.borrow().name
);
let old_port = concrete_port.borrow().canonical();
// If the port has been removed already, get the new port from the component's signature
let arg_port = if let Some(sig_pr) = self.removed.get(&old_port)
{
log::debug!(
"Port `{}` has been removed. Using `{}`",
old_port,
sig_pr.borrow().name
);
Rc::clone(sig_pr)
} else {
Rc::clone(&concrete_port)
};
//Create assignments from dst to src
let dst: RRC<ir::Port>;
let src: RRC<ir::Port>;
match concrete_port.borrow().direction {
ir::Direction::Output => {
dst = ref_port.clone();
src = arg_port;
}
ir::Direction::Input => {
dst = arg_port;
src = ref_port.clone();
}
_ => {
unreachable!("Cell should have inout ports");
}
};
log::debug!(
"constructing: {} = {}",
dst.borrow().canonical(),
src.borrow().canonical(),
);
assigns.push(ir::Assignment::new(dst, src));
}
}
assigns
}
/// Takes in a concrete cell (aka an in_cell/what is passed in to a ref cell at invocation)
/// and returns the concrete port based on just the port of a canonical id.
fn get_concrete_port(
concrete_cell: RRC<ir::Cell>,
canonical_port: &ir::Id,
) -> RRC<ir::Port> {
let concrete_cell = concrete_cell.borrow();
concrete_cell
.ports
.iter()
.find(|&concrete_cell_port| {
concrete_cell_port.borrow().name == canonical_port
})
.unwrap_or_else(|| {
unreachable!(
"port `{}` not found in the cell `{}`",
canonical_port,
concrete_cell.name()
)
})
.clone()
}
}
impl Visitor for CompileInvoke {
fn iteration_order() -> crate::traversal::Order
where
Self: Sized,
{
traversal::Order::Post
}
fn start(
&mut self,
comp: &mut ir::Component,
_sigs: &LibrarySignatures,
_comps: &[ir::Component],
) -> VisResult {
log::debug!("Visiting `{}`", comp.name);
// For all subcomponents that had a `ref` cell in them, we need to
// update their cell to have the new ports added from inlining the
// signatures of all the ref cells.
for cell in comp.cells.iter() {
let mut new_ports: Vec<RRC<ir::Port>> = Vec::new();
if let Some(name) = cell.borrow().type_name() {
if let Some(ports) = self.port_names.get_ports(&name) {
log::debug!(
"Updating ports of cell `{}' (type `{name}')",
cell.borrow().name()
);
for p in ports.iter() {
let new_port = ir::rrc(ir::Port {
name: p.borrow().name,
width: p.borrow().width,
direction: p.borrow().direction.reverse(),
parent: ir::PortParent::Cell(WRC::from(cell)),
attributes: Attributes::default(),
});
new_ports.push(new_port);
}
}
}
cell.borrow_mut().ports.extend(new_ports);
}
let dump_ports::DumpResults { cells, rewrites } =
dump_ports::dump_ports_to_signature(
comp,
|cell| cell.borrow().is_reference(),
true,
);
// Hold onto the cells so they don't get dropped.
self.ref_cells = cells;
self.removed = rewrites;
Ok(Action::Continue)
}
fn invoke(
&mut self,
s: &mut ir::Invoke,
comp: &mut ir::Component,
ctx: &LibrarySignatures,
comps: &[ir::Component],
) -> VisResult {
let mut builder = ir::Builder::new(comp, ctx);
let invoke_group = builder.add_group("invoke");
//get iterator of comps of ref_cells used in the invoke
let invoked_comp: Option<&ir::Component> = comps
.iter()
.find(|&c| s.comp.borrow().prototype.get_name().unwrap() == c.name);
// Assigns representing the ref cell connections
invoke_group.borrow_mut().assignments.extend(
self.ref_cells_to_ports_assignments(
Rc::clone(&s.comp),
s.ref_cells.drain(..),
invoked_comp,
),
//the clone here is questionable? but lets things type check? Maybe change ref_cells_to_ports to expect a reference?
);
// comp.go = 1'd1;
// invoke[done] = comp.done;
structure!(builder;
let one = constant(1, 1);
);
let cell = s.comp.borrow();
let go_port = get_go_port(Rc::clone(&s.comp))?;
let done_port = cell.find_unique_with_attr(ir::NumAttr::Done)?.unwrap();
// Build assignemnts
let go_assign = builder.build_assignment(
go_port,
one.borrow().get("out"),
ir::Guard::True,
);
let done_assign = builder.build_assignment(
invoke_group.borrow().get("done"),
done_port,
ir::Guard::True,
);
invoke_group
.borrow_mut()
.assignments
.extend(vec![go_assign, done_assign]);
// Generate argument assignments
let cell = &*s.comp.borrow();
let assigns = build_assignments(
&mut s.inputs,
&mut s.outputs,
&mut builder,
cell,
);
invoke_group.borrow_mut().assignments.extend(assigns);
// Add assignments from the attached combinational group
if let Some(cgr) = &s.comb_group {
let cg = &*cgr.borrow();
invoke_group
.borrow_mut()
.assignments
.extend(cg.assignments.iter().cloned())
}
// Copy "promotable" annotation from the `invoke` statement if present
if let Some(time) = s.attributes.get(ir::NumAttr::Promotable) {
invoke_group
.borrow_mut()
.attributes
.insert(ir::NumAttr::Promotable, time);
}
let mut en = ir::Enable {
group: invoke_group,
attributes: std::mem::take(&mut s.attributes),
};
if let Some(time) = s.attributes.get(ir::NumAttr::Promotable) {
en.attributes.insert(ir::NumAttr::Promotable, time);
}
Ok(Action::change(ir::Control::Enable(en)))
}
fn static_invoke(
&mut self,
s: &mut ir::StaticInvoke,
comp: &mut ir::Component,
ctx: &LibrarySignatures,
comps: &[ir::Component],
) -> VisResult {
let mut builder = ir::Builder::new(comp, ctx);
let invoke_group = builder.add_static_group("static_invoke", s.latency);
//If the component is not a primitive, pass along the component to `ref_cells_to_ports``
let invoked_comp: Option<&ir::Component> = comps
.iter()
.find(|&c| s.comp.borrow().prototype.get_name().unwrap() == c.name);
invoke_group.borrow_mut().assignments.extend(
self.ref_cells_to_ports_assignments(
Rc::clone(&s.comp),
s.ref_cells.drain(..),
invoked_comp,
),
);
// comp.go = 1'd1;
structure!(builder;
let one = constant(1, 1);
);
// Get the go port
let go_port = get_go_port(Rc::clone(&s.comp))?;
// Checks whether compe is a static<n> component or an @interval(n) component.
let go_guard = if s
.comp
.borrow()
.ports
.iter()
.any(|port| port.borrow().attributes.has(ir::NumAttr::Interval))
{
// For @interval(n) components, we do not guard the comp.go
// We trigger the go signal for the entire interval.
ir::Guard::True
} else {
// For static<n> components, we guard the comp.go with %[0:1]
ir::Guard::Info(ir::StaticTiming::new((0, 1)))
};
// Build assignemnts
let go_assign: ir::Assignment<ir::StaticTiming> = builder
.build_assignment(go_port, one.borrow().get("out"), go_guard);
invoke_group.borrow_mut().assignments.push(go_assign);
// Generate argument assignments
let cell = &*s.comp.borrow();
let assigns = build_assignments(
&mut s.inputs,
&mut s.outputs,
&mut builder,
cell,
);
invoke_group.borrow_mut().assignments.extend(assigns);
if let Some(cgr) = &s.comb_group {
let cg = &*cgr.borrow();
invoke_group.borrow_mut().assignments.extend(
cg.assignments
.iter()
.cloned()
.map(Assignment::from)
.collect_vec(),
);
}
let en = ir::StaticEnable {
group: invoke_group,
attributes: std::mem::take(&mut s.attributes),
};
Ok(Action::StaticChange(Box::new(ir::StaticControl::Enable(
en,
))))
}
fn finish(
&mut self,
comp: &mut ir::Component,
_sigs: &LibrarySignatures,
_comps: &[ir::Component],
) -> VisResult {
let port_map = std::mem::take(&mut self.removed);
// Add the newly added port to the global port map
// Rewrite all of the ref cell ports
let rw = ir::Rewriter {
port_map,
..Default::default()
};
rw.rewrite(comp);
self.port_names.insert(comp.name, rw.port_map);
Ok(Action::Continue)
}
}