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
|
package firrtl
package transforms
import firrtl.ir._
import firrtl.Mappers._
import firrtl.PrimOps._
import firrtl.WrappedExpression._
import scala.collection.mutable
object ReplaceTruncatingArithmetic {
/** Mapping from references to the [[Expression]]s that drive them */
type Netlist = mutable.HashMap[WrappedExpression, Expression]
private val SeqBIOne = Seq(BigInt(1))
/** Replaces truncating arithmetic in an Expression
*
* @param netlist a '''mutable''' HashMap mapping references to [[DefNode]]s to their connected
* [[Expression]]s. It is '''not''' mutated in this function
* @param expr the Expression being transformed
* @return Returns expr with truncating arithmetic replaced
*/
def onExpr(netlist: Netlist)(expr: Expression): Expression =
expr.map(onExpr(netlist)) match {
case orig @ DoPrim(Tail, Seq(e), SeqBIOne, tailtpe) =>
netlist.getOrElse(we(e), e) match {
case DoPrim(Add, args, cs, _) => DoPrim(Addw, args, cs, tailtpe)
case DoPrim(Sub, args, cs, _) => DoPrim(Subw, args, cs, tailtpe)
case _ => orig // Not a candidate
}
case other => other // Not a candidate
}
/** Replaces truncating arithmetic in a Statement
*
* @param netlist a '''mutable''' HashMap mapping references to [[DefNode]]s to their connected
* [[Expression]]s. This function '''will''' mutate it if stmt contains a [[DefNode]]
* @param stmt the Statement being searched for nodes and transformed
* @return Returns stmt with truncating arithmetic replaced
*/
def onStmt(netlist: Netlist)(stmt: Statement): Statement =
stmt.map(onStmt(netlist)).map(onExpr(netlist)) match {
case node @ DefNode(_, name, value) =>
netlist(we(WRef(name))) = value
node
case other => other
}
/** Replaces truncating arithmetic in a Module */
def onMod(mod: DefModule): DefModule = mod.map(onStmt(new Netlist))
}
/** Replaces non-expanding arithmetic
*
* In the case where the result of `add` or `sub` immediately throws away the expanded msb, this
* transform will replace the operation with a non-expanding operator `addw` or `subw`
* respectively.
*
* @note This replaces some FIRRTL primops with ops that are not actually legal FIRRTL. They are
* useful for emission to languages that support non-expanding arithmetic (like Verilog)
*/
class ReplaceTruncatingArithmetic extends Transform {
def inputForm = LowForm
def outputForm = LowForm
def execute(state: CircuitState): CircuitState = {
val modulesx = state.circuit.modules.map(ReplaceTruncatingArithmetic.onMod(_))
state.copy(circuit = state.circuit.copy(modules = modulesx))
}
}
|