Language guide
This guide introduces the Amaranth language in depth. It assumes familiarity with synchronous digital logic and the Python programming language, but does not require prior experience with any hardware description language. See thetutorial for a step-by-step introduction to the language, and thereference for a detailed description of the Python classes that underlie the language’s syntax.
The prelude
Because Amaranth is a regular Python library, it needs to be imported before use. The rootamaranth module, calledthe prelude, is carefully curated to export a small amount of the most essential names, useful in nearly every design. In source files dedicated to Amaranth code, it is a good practice to use aglob import for readability:
fromamaranthimport*
However, if a source file uses Amaranth together with other libraries, or if glob imports are frowned upon, it is conventional to use a short alias instead:
importamaranthasam
All of the examples below assume that a glob import is used.
Shapes
AShape describes the bit width and signedness of an Amaranth value. It can be constructed directly:
>>>Shape(width=5,signed=False)unsigned(5)>>>Shape(width=12,signed=True)signed(12)
However, in most cases, the signedness of a shape is known upfront, and the convenient aliasessigned() andunsigned() can be used:
>>>unsigned(5)==Shape(width=5,signed=False)True>>>signed(12)==Shape(width=12,signed=True)True
Shapes of values
All values have a.shape() method that computes their shape. The width of a valuev,v.shape().width, can also be retrieved withlen(v).
>>>Const(5).shape()unsigned(3)>>>len(Const(5))3
Values
The basic building block of the Amaranth language is avalue, which is a term for a binary number that is computed or stored anywhere in the design. Each value has awidth—the amount of bits used to represent the value—and asignedness—the interpretation of the value by arithmetic operations—collectively called itsshape. Signed values always usetwo’s complement representation.
Constants
The simplest Amaranth value is aconstant, representing a fixed number, and introduced usingConst(...) or its short aliasC(...):
>>>ten=Const(10)>>>minus_two=C(-2)
The code above does not specify any shape for the constants. If the shape is omitted, Amaranth uses unsigned shape for positive numbers and signed shape for negative numbers, with the width inferred from the smallest amount of bits necessary to represent the number. As a special case, in order to get the same inferred shape forTrue andFalse,0 is considered to be 1-bit unsigned.
>>>ten.shape()unsigned(4)>>>minus_two.shape()signed(2)>>>C(0).shape()unsigned(1)
The shape of the constant can be specified explicitly, in which case the number’s binary representation will be truncated or extended to fit the shape. Although rarely useful, 0-bit constants are permitted.
>>>Const(360,unsigned(8)).value104>>>Const(129,signed(8)).value-127>>>Const(1,unsigned(0)).value0
Shape casting
Shapes can becast from other objects, which are calledshape-like. Casting is a convenient way to specify a shape indirectly, for example, by a range of numbers representable by values with that shape. Shapes are shape-like objects as well.
Casting to a shape can be done explicitly withShape.cast(), but is usually implicit, since shape-like objects are accepted anywhere shapes are.
Shapes from integers
Casting a shape from an integeri is a shorthand for constructing a shape withunsigned(i):
>>>Shape.cast(5)unsigned(5)>>>C(0,3).shape()unsigned(3)
Shapes from ranges
Casting a shape from aranger produces a shape that:
has a width large enough to represent both
min(r)andmax(r), but not larger, andis signed if
rcontains any negative values, unsigned otherwise.
Specifying a shape with a range is convenient for counters, indexes, and all other values whose width is derived from a set of numbers they must be able to fit:
>>>Const(0,range(100)).shape()unsigned(7)>>>items=[1,2,3]>>>C(1,range(len(items))).shape()unsigned(2)
Note
Python ranges areexclusive orhalf-open, meaning they do not contain their.stop element. Because of this, values with shapes cast from arange(stop) wherestop is a power of 2 are not wide enough to representstop itself:
>>>fencepost=C(256,range(256))<...>:1: SyntaxWarning: Value 256 equals the non-inclusive end of the constant shape range(0, 256); this is likely an off-by-one error fencepost = C(256, range(256))>>>fencepost.shape()unsigned(8)>>>fencepost.value0
Amaranth detects uses ofConst andSignal that invoke such an off-by-one error, and emits a diagnostic message.
Note
An empty range always casts to anunsigned(0), even if both of its bounds are negative.This happens because, being empty, it does not contain any negative values.
>>>Shape.cast(range(-1,-1))unsigned(0)
Shapes from enumerations
Casting a shape from anenum.Enum subclass requires all of the enumeration members to haveconstant-castable values. The shape has a width large enough to represent the value of every member, and is signed only if there is a member with a negative value.
Specifying a shape with an enumeration is convenient for finite state machines, multiplexers, complex control signals, and all other values whose width is derived from a few distinct choices they must be able to fit:
classDirection(enum.Enum):TOP=0LEFT=1BOTTOM=2RIGHT=3
>>>Shape.cast(Direction)unsigned(2)
Theamaranth.lib.enum module extends the standard enumerations such that their shape can be specified explicitly when they are defined:
classFunct4(amaranth.lib.enum.Enum,shape=unsigned(4)):ADD=0SUB=1MUL=2
>>>Shape.cast(Funct4)unsigned(4)
Note
The enumeration does not have to subclassenum.IntEnum or haveint as one of its base classes; it only needs to have integers as values of every member. Using enumerations based onenum.Enum rather thanenum.IntEnum prevents unwanted implicit conversion of enum members to integers.
Custom shapes
Any Python value that implements theShapeCastable interface can extend the language with a custom shape-like object. For example, the standard library moduleamaranth.lib.data uses this facility to add support for aggregate data types to the language.
Value casting
Like shapes, values may becast from other objects, which are calledvalue-like. Casting to values allows objects that are not provided by Amaranth, such as integers or enumeration members, to be used in Amaranth expressions directly. Custom value-like objects can be defined by implementing theValueCastable interface. Values are value-like objects as well.
Casting to a value can be done explicitly withValue.cast(), but is usually implicit, since value-like objects are accepted anywhere values are.
Values from integers
Casting a value from an integeri is equivalent toConst(i):
>>>Value.cast(5)(const 3'd5)
Note
If a value subclassesenum.IntEnum or its class otherwise inherits from bothint andEnum, it is treated as an enumeration.
Values from enumeration members
Casting a value from an enumeration memberm is equivalent toConst(m.value,type(m)):
>>>Value.cast(Direction.LEFT)(const 2'd1)
Note
If a value subclassesenum.IntEnum or its class otherwise inherits from bothint andEnum, it is treated as an enumeration.
Constant casting
A subset ofvalues areconstant-castable. If a value is constant-castable and all of its operands are also constant-castable, it can be converted to aConst, the numeric value of which can then be read by Python code. This provides a way to perform computation on Amaranth values while constructing the design.
Constant-castable objects are accepted anywhere a constant integer is accepted. Casting to a constant can also be done explicitly withConst.cast():
>>>Const.cast(Cat(C(10,4),C(1,2)))(const 6'd26)
They may be used in enumeration members, provided the enumeration inherits fromamaranth.lib.enum.Enum:
classFunct(amaranth.lib.enum.Enum,shape=4):ADD=0...classOp(amaranth.lib.enum.Enum,shape=1):REG=0IMM=1classInstr(amaranth.lib.enum.Enum,shape=5):ADD=Cat(Funct.ADD,Op.REG)ADDI=Cat(Funct.ADD,Op.IMM)...
They may also be provided as a pattern to thematch operator and theCase block.
Note
At the moment, only the following expressions are constant-castable:
ConstCat()Slice
This list will be expanded in the future.
Signals
Asignal is a value representing a (potentially) varying number. Signals can beassigned in acombinational orsynchronous domain, in which case they are generated as wires or registers, respectively. Signals always have a well-defined value; they cannot be uninitialized or undefined.
Signal shapes
A signal can be created with an explicitly specified shape (anyshape-like object); if omitted, the shape defaults tounsigned(1). Although rarely useful, 0-bit signals are permitted.
>>>Signal().shape()unsigned(1)>>>Signal(4).shape()unsigned(4)>>>Signal(range(-8,7)).shape()signed(4)>>>Signal(Direction).shape()unsigned(2)>>>Signal(0).shape()unsigned(0)
Signal names
Each signal has aname, which is used in the waveform viewer, diagnostic messages, Verilog output, and so on. In most cases, the name is omitted and inferred from the name of the variable or attribute the signal is placed into:
>>>foo=Signal()>>>foo.name'foo'>>>self.bar=Signal()>>>self.bar.name'bar'
However, the name can also be specified explicitly with thename= parameter:
>>>foo2=Signal(name="second_foo")>>>foo2.name'second_foo'
The names do not need to be unique; if two signals with the same name end up in the same namespace while preparing for simulation or synthesis, one of them will be renamed to remove the ambiguity.
Initial signal values
Each signal has aninitial value, specified with theinit= parameter. If the initial value is not specified explicitly, zero is used by default. An initial value can be specified with an integer or an enumeration member.
Signalsassigned in acombinational domain assume their initial value when none of the assignments areactive. Signals assigned in asynchronous domain assume their initial value afterpower-on reset and, unless the signal isreset-less,explicit reset. Signals that are used but never assigned are equivalent to constants of their initial value.
>>>Signal(4).init0>>>Signal(4,init=5).init5>>>Signal(Direction,init=Direction.LEFT).init1
Reset-less signals
Signals assigned in asynchronous domain can beresettable orreset-less, specified with thereset_less= parameter. If the parameter is not specified, signals are resettable by default. Resettable signals assume theirinitial value on explicit reset, which can be asserted via theclock domain or bymodifying control flow withResetInserter. Reset-less signals are not affected by explicit reset.
Signals assigned in acombinational domain are not affected by thereset_less parameter.
>>>Signal().reset_lessFalse>>>Signal(reset_less=True).reset_lessTrue
Operators
To describe computations, Amaranth values can be combined with each other or withvalue-like objects using a rich set of arithmetic, bitwise, logical, bit sequence, and otheroperators to formexpressions, which are themselves values.
Performing or describing computations?
Code written in the Python languageperforms computations on concrete objects, like integers, with the goal of calculating a concrete result:
>>>a=5>>>a+16
In contrast, code written in the Amaranth languagedescribes computations on abstract objects, likesignals, with the goal of generating a hardwarecircuit that can be simulated, synthesized, and so on. Amaranth expressions are ordinary Python objects that represent parts of this circuit:
>>>a=Signal(8,init=5)>>>a+1(+ (sig a) (const 1'd1))
Although the syntax is similar, it is important to remember that Amaranth values exist on a higher level of abstraction than Python values. For example, expressions that include Amaranth values cannot be used in Python control flow structures:
>>>ifa==0:...print("Zero!")Traceback (most recent call last):...TypeError:Attempted to convert Amaranth value to Python boolean
Because the value ofa, and thereforea==0, is not known at the time when theif statement is executed, there is no way to decide whether the body of the statement should be executed—in fact, if the design is synthesized, by the timea has any concrete value, the Python program has long finished! To solve this problem, Amaranth provides its owncontrol flow syntax that, also, manipulates circuits.
Width extension
Many of the operations described below (for example, addition, equality, bitwise OR, and part select) extend the width of one or both operands to match the width of the expression. When this happens, unsigned values are always zero-extended and signed values are always sign-extended regardless of the operation or signedness of the result.
Arithmetic operators
Most arithmetic operations on integers provided by Python can be used on Amaranth values, too.
Although Python integers have unlimited precision and Amaranth values are represented with afinite amount of bits, arithmetics on Amaranth values never overflows because the width of the arithmetic expression is always sufficient to represent all possible results.
>>>a=Signal(8)>>>(a+1).shape()# needs to represent 1 to 256unsigned(9)
Similarly, although Python integers are always signed and Amaranth values can be eithersigned or unsigned, if any of the operands of an Amaranth arithmetic expression is signed, the expression itself is also signed, matching the behavior of Python.
>>>a=Signal(unsigned(8))>>>b=Signal(signed(8))>>>(a+b).shape()# needs to represent -128 to 382signed(10)
While arithmetic computations never result in an overflow,assigning their results to signals may truncate the most significant bits.
The following table lists the arithmetic operations provided by Amaranth:
Operation | Description |
|---|---|
| addition |
| negation |
| subtraction |
| multiplication |
| floor division |
| modulo |
| absolute value |
Comparison operators
All comparison operations on integers provided by Python can be used on Amaranth values. However, due to a limitation of Python, chained comparisons (e.g.a<b<c) cannot be used.
Similar to arithmetic operations, if any operand of a comparison expression is signed, a signed comparison is performed. The result of a comparison is a 1-bit unsigned value.
The following table lists the comparison operations provided by Amaranth:
Operation | Description |
|---|---|
| equality |
| inequality |
| less than |
| less than or equal |
| greater than |
| greater than or equal |
Bitwise, shift, and rotate operators
All bitwise and shift operations on integers provided by Python can be used on Amaranth values as well.
Similar to arithmetic operations, if any operand of a bitwise expression is signed, the expression itself is signed as well. A shift expression is signed if the shifted value is signed. A rotate expression is always unsigned.
Rotate operations with variable rotate amounts cannot be efficiently synthesized for non-power-of-2 widths of the rotated value. Because of that, the rotate operations are only provided for constant rotate amounts, specified as Pythonints.
The following table lists the bitwise and shift operations provided by Amaranth:
Operation | Description | Notes |
|---|---|---|
| bitwise NOT; complement | |
| bitwise AND | |
| bitwise OR | |
| bitwise XOR | |
| arithmetic right shift by variable amount | |
| left shift by variable amount | |
| left rotate by constant amount | |
| right rotate by constant amount | |
| left shift by constant amount | |
| right shift by constant amount |
Logical and arithmetic right shift of an unsigned value are equivalent. Logical right shift of a signed value can be expressed byconverting it to unsigned first.
[2](1,2)Shift amount must be unsigned; integer shifts in Python require the amount to be positive.
[3](1,2,3,4)Shift and rotate amounts can be negative, in which case the direction is reversed.
Note
Because Amaranth ensures that the width of a variable left shift expression is wide enough to represent any possible result, variable left shift by a wide amount produces exponentially wider intermediate values, stressing the synthesis tools:
>>>(1<<C(0,32)).shape()unsigned(4294967296)
Although Amaranth will detect and reject expressions wide enough to break other tools, it is a good practice to explicitly limit the width of a shift amount in a variable left shift.
Reduction operators
Bitwise reduction operations on integers are not provided by Python, but are very useful for hardware. They are similar to bitwise operations applied “sideways”; for example, if bitwise AND is a binary operator that applies AND to each pair of bits between its two operands, then reduction AND is an unary operator that applies AND to all of the bits in its sole operand.
The result of a reduction is a 1-bit unsigned value.
The following table lists the reduction operations provided by Amaranth:
Operation | Description | Notes |
|---|---|---|
| reduction AND; are all bits set? | |
| reduction OR; is any bit set? | |
| reduction XOR; is an odd number of bits set? | |
| conversion to boolean; is non-zero? |
Conceptually the same as applying the Pythonall() orany() function to the value viewed as a collection of bits.
Conceptually the same as applying the Pythonbool function to the value viewed as an integer.
While theValue.any() andValue.bool() operators return the same value, the use ofa.any() implies thata is semantically a bit sequence, and the use ofa.bool() implies thata is semantically a number.
Logical operators
Unlike the arithmetic or bitwise operators, it is not possible to change the behavior of the Python logical operatorsnot,and, andor. Due to that, logical expressions in Amaranth are written using bitwise operations on boolean (1-bit unsigned) values, with explicit boolean conversions added where necessary.
The following table lists the Python logical expressions and their Amaranth equivalents:
Python expression | Amaranth expression (any operands) |
|---|---|
|
|
|
|
|
|
When the operands are known to be boolean values, such as comparisons, reductions, or boolean signals, the.bool() conversion may be omitted for clarity:
Python expression | Amaranth expression (boolean operands) |
|---|---|
|
|
|
|
|
|
Warning
Because of Pythonoperator precedence, logical operators bind less tightly than comparison operators whereas bitwise operators bind more tightly than comparison operators. As a result, all logical expressions in Amaranthmust have parenthesized operands.
Omitting parentheses around operands in an Amaranth a logical expression is likely to introduce a subtle bug:
>>>en=Signal()>>>addr=Signal(8)>>>en&(addr==0)# correct(& (sig en) (== (sig addr) (const 1'd0)))>>>en&addr==0# WRONG! addr is truncated to 1 bit(== (& (sig en) (sig addr)) (const 1'd0))
Warning
When applied to Amaranth boolean values, the~ operator computes negation, and when applied to Python boolean values, thenot operator also computes negation. However, the~ operator applied to Python boolean values produces an unexpected result:
>>>~False-1>>>~True-2
Because of this, Python booleans used in Amaranth logical expressionsmust be negated with thenot operator, not the~ operator. Negating a Python boolean with the~ operator in an Amaranth logical expression is likely to introduce a subtle bug:
>>>stb=Signal()>>>use_stb=True>>>(notuse_stb)|stb# correct(| (const 1'd0) (sig stb))>>>~use_stb|stb# WRONG! MSB of 2-bit wide OR expression is always 1(| (const 2'sd-2) (sig stb))
Amaranth automatically detects some cases of misuse of~ and emits a detailed diagnostic message.
Bit sequence operators
Apart from acting as numbers, Amaranth values can also be treated as bitsequences, supporting slicing, concatenation, replication, and other sequence operations. Since some of the operators Python defines for sequences clash with the operators it defines for numbers, Amaranth gives these operators a different name. Except for the names, Amaranth values follow Python sequence semantics, with the least significant bit at index 0.
Because every Amaranth value has a single fixed width, bit slicing and replication operations require the subscripts and count to be constant, specified as Pythonints. It is often useful to slice a value with a constant width and variable offset, but this cannot be expressed with the Python slice notation. To solve this problem, Amaranth provides additionalpart select operations with the necessary semantics.
The result of any bit sequence operation is an unsigned value.
The following table lists the bit sequence operations provided by Amaranth:
Operation | Description | Notes |
|---|---|---|
| bit length; value width | |
| bit slicing by constant subscripts | |
| bit iteration | |
| overlapping part select with variable offset | |
| non-overlapping part select with variable offset | |
| concatenation | |
| replication |
Words “length” and “width” have the same meaning when talking about Amaranth values. Conventionally, “width” is used.
[8]All variations of the Python slice notation are supported, including “extended slicing”. E.g. all ofa[0],a[1:9],a[2:],a[:-2],a[::-1],a[0:8:2] select bits in the same way as other Python sequence types select their elements.
In the concatenated value,a occupies the least significant bits, andb the most significant bits. Any number of arguments (zero, one, two, or more) are supported.
For the operators introduced by Amaranth, the following table explains them in terms of Python code operating on tuples of bits rather than Amaranth values:
Amaranth operation | Equivalent Python code |
|---|---|
|
|
|
|
|
|
|
|
Warning
In Python, the digits of a number are written right-to-left (0th exponent at the right), and the elements of a sequence are written left-to-right (0th element at the left). This mismatch can cause confusion when numeric operations (like shifts) are mixed with bit sequence operations (like concatenations). For example,Cat(C(0b1001),C(0b1010)) has the same value asC(0b1010_1001),val[4:] is equivalent toval>>4, andval[-1] refers to the most significant bit.
Such confusion can often be avoided by not using numeric and bit sequence operations in the same expression. For example, although it may seem natural to describe a shift register with a numeric shift and a sequence slice operations, using sequence operations alone would make it easier to understand.
Note
Could Amaranth have used a different indexing or iteration order for values? Yes, but it would be necessary to either place the most significant bit at index 0, or deliberately break the Python sequence type interface. Both of these options would cause more issues than using different iteration orders for numeric and sequence operations.
Match operator
Theval.matches(*patterns) operator examines a value against a set of patterns. It evaluates toConst(1) if the valuematches any of the patterns, and toConst(0) otherwise. What it means for a value to match a pattern depends on the type of the pattern.
If the pattern is astr, it is treated as a bit mask with “don’t care” bits. After removing whitespace, each character of the pattern is compared to the corresponding bit of the value, where the leftmost character of the pattern (with the lowest index) corresponds to the most significant bit of the value. If the pattern character is'0' or'1', the comparison succeeds if the bit equals0 or1 correspondingly. If the pattern character is'-', the comparison always succeeds. Aside from spaces and tabs, which are ignored, no other characters are accepted.
Otherwise, the pattern iscast to a constant and compared toval using theequality operator.
For example, given a 8-bit valueval,val.matches(1,'---- -01-') is equivalent to(val==1)|((val&0b0000_0110)==0b0000_0010). Bit patterns in this operator are treated similarly tobit sequence operators.
TheCase control flow block accepts the same patterns, with the same meaning, as the match operator.
Conversion operators
The.as_signed() and.as_unsigned() conversion operators reinterpret the bits of a value with the requested signedness. This is useful when the same value is sometimes treated as signed and sometimes as unsigned, or when a signed value is constructed using slices or concatenations.
For example,(pc+imm[:7].as_signed()).as_unsigned() sign-extends the 7 least significant bits ofimm to the width ofpc, performs the addition, and produces an unsigned result.
Choice operator
TheMux(sel,val1,val0) choice expression (similar to theconditional expression in Python) is equal to the operandval1 ifsel is non-zero, and to the other operandval0 otherwise. If any ofval1 orval0 are signed, the expression itself is signed as well.
Arrays
Anarray is a mutable collection that can be indexed with anint or with avalue-like object. When indexed with anint, it behaves like alist. When indexed with a value-like object, it returns a proxy object containing the elements of the array that has three useful properties:
The result of accessing an attribute of the proxy object or indexing it is another proxy object that contains the elements transformed in the same way.
When the proxy object iscast to a value, all of its elements are also cast to a value, and an element is selected using the index originally used with the array.
The proxy object can be used both in an expression andas the target of an assignment.
Crucially, this means that any Python object can be added to an array; the only requirement is that the final result of any computation involving it is a value-like object. For example:
pixels=Array([{"r":180,"g":92,"b":230},{"r":74,"g":130,"b":128},{"r":115,"g":58,"b":31},])
>>>index=Signal(range(len(pixels)))>>>pixels[index]["r"](proxy (array [180, 74, 115]) (sig index))
Note
An array becomes immutable after it is indexed for the first time. The elements of the array do not themselves become immutable, but it is not recommended to mutate them as the behavior can become unpredictable.
Note
Arrays,amaranth.hdl.Array, are distinct from and serve a different function thanamaranth.lib.data.ArrayLayout.
Data structures
Amaranth provides aggregate data structures in the standard library moduleamaranth.lib.data.
Modules
Amodule is a unit of the Amaranth design hierarchy: the smallest collection of logic that can be independently simulated, synthesized, or otherwise processed. Modules associate signals withcontrol domains, providecontrol flow syntax, manageclock domains, and aggregatesubmodules.
Every Amaranth design starts with a fresh module:
>>>m=Module()
Control domains
Acontrol domain is a named group ofsignals that change their value in identical conditions.
All designs have a single predefinedcombinational domain, containing all signals that change immediately when any value used to compute them changes. The namecomb is reserved for the combinational domain, and refers to the same domain in all modules.
A design can also have any amount of user-definedsynchronous domains, also calledclock domains, containing signals that change when a specific edge occurs on the domain’s clock signal or, for domains with asynchronous reset, on the domain’s reset signal. Most modules only use a single synchronous domain, conventionally calledsync, but the namesync does not have to be used, and lacks any special meaning beyond being the default.
The behavior of assignments differs for signals incombinational andsynchronous domains. Collectively, signals in synchronous domains contain the state of a design, whereas signals in the combinational domain cannot form feedback loops or hold state.
Assigning to signals
Assignments are used to change the values of signals. An assignment statement can be introduced with the.eq(...) syntax:
>>>s=Signal()>>>s.eq(1)(eq (sig s) (const 1'd1))
Similar tohow Amaranth operators work, an Amaranth assignment is an ordinary Python object used to describe a part of a circuit. An assignment does not have any effect on the signal it changes until it is added to a control domain in a module. Once added, it introduces logic into the circuit generated from that module.
Assignable values
An assignment can affect a value that is more complex than just a signal. It is possible to assign to any combination ofsignals,bit slices,concatenations,part selects, andarray proxy objects as long as it includes no other values:
>>>a=Signal(8)>>>b=Signal(4)>>>Cat(a,b).eq(0)(eq (cat (sig a) (sig b)) (const 1'd0))>>>a[:4].eq(b)(eq (slice (sig a) 0:4) (sig b))>>>Cat(a,a).bit_select(b,2).eq(0b11)(eq (part (cat (sig a) (sig a)) (sig b) 2 1) (const 2'd3))
Assignment domains
Them.d.<domain>+=... syntax is used to add assignments to a specific control domain in a module. It can add just a single assignment, or an entire sequence of them:
a=Signal()b=Signal()c=Signal()m.d.comb+=a.eq(1)m.d.sync+=[b.eq(c),c.eq(b),]
If the name of a domain is not known upfront, them.d["<domain>"]+=... syntax can be used instead:
defadd_toggle(num):t=Signal()m.d[f"sync_{num}"]+=t.eq(~t)add_toggle(2)
Every signal bit included in the target of an assignment becomes a part of the domain, or equivalently,driven by that domain. A signal bit can be either undriven or driven by exactly one domain; it is an error to add two assignments to the same signal bit to two different domains:
>>>d=Signal()>>>m.d.comb+=d.eq(1)>>>m.d.sync+=d.eq(0)Traceback (most recent call last):...amaranth.hdl.dsl.SyntaxError:Driver-driver conflict: trying to drive (sig d) bit 0 from d.sync, but it is already driven from d.comb
However, two different bits of a signal can be driven from two different domains without an issue:
e=Signal(2)m.d.comb+=e[0].eq(1)m.d.sync+=e[1].eq(0)
In addition to assignments,assertions anddebug prints can be added using the same syntax.
Assignment order
Unlike with two different domains, adding multiple assignments to the same signal to the same domain is well-defined.
Assignments to different signal bits apply independently. For example, the following two snippets are equivalent:
a=Signal(8)m.d.comb+=[a[0:4].eq(C(1,4)),a[4:8].eq(C(2,4)),]
a=Signal(8)m.d.comb+=a.eq(Cat(C(1,4),C(2,4)))
If multiple assignments change the value of the same signal bits, the assignment that is added last determines the final value. For example, the following two snippets are equivalent:
b=Signal(9)m.d.comb+=[b[0:9].eq(Cat(C(1,3),C(2,3),C(3,3))),b[0:6].eq(Cat(C(4,3),C(5,3))),b[3:6].eq(C(6,3)),]
b=Signal(9)m.d.comb+=b.eq(Cat(C(4,3),C(6,3),C(3,3)))
Multiple assignments to the same signal bits are more useful when combined with control structures, which can make some of the assignmentsactive or inactive. If all assignments to some signal bits areinactive, their final values are determined by the signal’s domain,combinational orsynchronous.
Control flow
Although it is possible to write any decision tree as a combination ofassignments andchoice expressions, Amaranth providescontrol flow syntax tailored for this task:If/Elif/Else,Switch/Case, andFSM/State. The control flow syntax useswith blocks (it is implemented usingcontext managers), for example:
timer=Signal(8)withm.If(timer==0):m.d.sync+=timer.eq(10)withm.Else():m.d.sync+=timer.eq(timer-1)
While some Amaranth control structures are superficially similar to imperative control flow statements (such as Python’sif), their function—together withexpressions andassignments—is to describe circuits. The code above is equivalent to:
timer=Signal(8)m.d.sync+=timer.eq(Mux(timer==0,10,timer-1))
Because all branches of a decision tree affect the generated circuit, all of the Python code inside Amaranth control structures is always evaluated in the order in which it appears in the program. This can be observed through Python code with side effects, such asprint():
timer=Signal(8)withm.If(timer==0):print("inside `If`")m.d.sync+=timer.eq(10)withm.Else():print("inside `Else`")m.d.sync+=timer.eq(timer-1)
inside `If`inside `Else`
Active and inactive assignments
An assignment added inside an Amaranth control structure, i.e.withm.<...>: block, isactive if the condition of the control structure is satisfied, andinactive otherwise. For any given set of conditions, the final value of every signal assigned in a module is the same as if the inactive assignments were removed and the active assignments were performed unconditionally, taking into account theassignment order.
For example, there are two possible cases in the circuit generated from the following code:
timer=Signal(8)m.d.sync+=timer.eq(timer-1)withm.If(timer==0):m.d.sync+=timer.eq(10)
Whentimer==0 is true, the code reduces to:
m.d.sync+=timer.eq(timer-1)m.d.sync+=timer.eq(10)
Due to theassignment order, it further reduces to:
m.d.sync+=timer.eq(10)
Whentimer==0 is false, the code reduces to:
m.d.sync+=timer.eq(timer-1)
Combining these cases together, the code above is equivalent to:
timer=Signal(8)m.d.sync+=timer.eq(Mux(timer==0,10,timer-1))
If/Elif/Else control blocks
Conditional control flow is described using awithm.If(cond1): block, which may be followed by one or morewithm.Elif(cond2): blocks, and optionally a finalwithm.Else(): block. This structure parallels Python’s ownif/elif/else control flow syntax. For example:
withm.If(x_coord<4):m.d.comb+=is_bporch.eq(1)m.d.sync+=x_coord.eq(x_coord+1)withm.Elif((x_coord>=4)&(x_coord<364)):m.d.comb+=is_active.eq(1)m.d.sync+=x_coord.eq(x_coord+1)withm.Elif((x_coord>=364)&(x_coord<374)):m.d.comb+=is_fporch.eq(1)m.d.sync+=x_coord.eq(x_coord+1)withm.Else():m.d.sync+=x_coord.eq(0)
Within a singleIf/Elif/Else sequence of blocks, the statements within at most one block will be active at any time. This will be the first block in the order of definition whose condition,converted to boolean, is true.
If anElse block is present, then the statements within exactly one block will be active at any time, and the sequence as a whole is called afull condition.
Switch/Case control blocks
Case comparison, where a single value is examined against several differentpatterns, is described using awithm.Switch(value): block. This block can contain any amount ofwithm.Case(*patterns) andwithm.Default(): blocks. This structure parallels Python’s ownmatch/case control flow syntax. For example:
value=Signal(4)withm.Switch(value):withm.Case(0,2,4):m.d.comb+=is_even.eq(1)withm.Case(1,3,5):m.d.comb+=is_odd.eq(1)withm.Default():m.d.comb+=too_big.eq(1)
Within a singleSwitch block, the statements within at most one block will be active at any time. This will be the firstCase block in the order of definition whose patternmatches the value, or the firstDefault block, whichever is earlier.
If aDefault block is present, or the patterns in theCase blocks cover every possibleSwitch value, then the statements within exactly one block will be active at any time, and the sequence as a whole is called afull condition.
Tip
While all Amaranth control flow syntax can be generated programmatically, theSwitch control block is particularly easy to use in this way:
length=Signal(4)squared=Signal.like(length*length)withm.Switch(length):forvalueinrange(length.shape().width):withm.Case(value):m.d.comb+=squared.eq(value*value)
FSM/State control blocks
Simplefinite state machines are described using awithm.FSM(): block. This block can contain one or morewithm.State("Name") blocks. In addition to these blocks, them.next="Name" syntax chooses which state the FSM enters on the next clock cycle. For example, this FSM performs a bus read transaction once after reset:
bus_addr=Signal(16)r_data=Signal(8)r_en=Signal()latched=Signal.like(r_data)withm.FSM():withm.State("Set Address"):m.d.sync+=addr.eq(0x1234)m.next="Strobe Read Enable"withm.State("Strobe Read Enable"):m.d.comb+=r_en.eq(1)m.next="Sample Data"withm.State("Sample Data"):m.d.sync+=latched.eq(r_data)withm.If(r_data==0):m.next="Set Address"# try again
The initial (and reset) state of the FSM can be provided when defining it using thewithm.FSM(init="Name"): argument. If not provided, it is the first state in the order of definition. For example, this definition is equivalent to the one at the beginning of this section:
withm.FSM(init="Set Address"):...
The FSM belongs to aclock domain, which is specified using thewithm.FSM(domain="dom") argument. If not specified, it is thesync domain. For example, this definition is equivalent to the one at the beginning of this section:
withm.FSM(domain="sync"):...
To determine (from code that is outside the FSM definition) whether it is currently in a particular state, the FSM can be captured; its.ongoing("Name") method returns a value that is true whenever the FSM is in the corresponding state. For example:
withm.FSM()asfsm:...withm.If(fsm.ongoing("Set Address")):...
Note that in Python, assignments made usingwithx()asy: syntax persist past the end of the block.
Warning
If you make a typo in the state name provided tom.next=... orfsm.ongoing(...), an empty and unreachable state with that name will be created with no diagnostic message.
This hazard will be eliminated in the future.
Warning
If a non-string object is provided as a state name towithm.State(...):, it is cast to a string first, which may lead to surprising behavior.withm.State(...):does not treat an enumeration value specially; if one is provided, it is cast to a string, and its numeric value will have no correspondence to the numeric value of the generated state signal.
This hazard will be eliminated in the future.
Note
If you are nesting two state machines within each other, them.next=... syntax always refers to the innermost one. To change the state of the outer state machine from within the inner one, use an intermediate signal.
Combinational evaluation
Signals in the combinationalcontrol domain change whenever any value used to compute them changes. The final value of a combinational signal is equal to itsinitial value updated by theactive assignments in theassignment order. Combinational signals cannot hold any state.
Consider the following code:
a=Signal(8,init=1)withm.If(en):m.d.comb+=a.eq(b+1)
Whenever the signalsen orb change, the signala changes as well. Ifen is false, the final value ofa is its initial value,1. Ifen is true, the final value ofa is equal tob+1.
A combinational signal that is computed directly or indirectly based on its own value is a part of acombinational feedback loop, sometimes shortened to justfeedback loop. Combinational feedback loops can be stable (e.g. implement a constant driver or a transparent latch), or unstable (e.g. implement a ring oscillator). Amaranth prohibits using assignments to describe any kind of a combinational feedback loop, including transparent latches.
Note
In the exceedingly rare case when a combinational feedback loop is desirable, it is possible to implement it by directly instantiating technology primitives (e.g. device-specific LUTs or latches). This is also the only way to introduce a combinational feedback loop with well-defined behavior in simulation and synthesis, regardless of the HDL being used.
Synchronous evaluation
Signals in synchronouscontrol domains change whenever theactive edge (a 0-to-1 or 1-to-0 transition, configured whencreating the domain) occurs on the clock of the synchronous domain. In addition, the signals inclock domains with an asynchronous reset change when such a reset is asserted. The final value of a synchronous signal is equal to itsinitial value if the reset (of any type) is asserted, or to its current value updated by theactive assignments in theassignment order otherwise. Synchronous signals always hold state.
Consider the following code:
timer=Signal(8)withm.If(up):m.d.sync+=timer.eq(timer+1)withm.Elif(down):m.d.sync+=timer.eq(timer-1)
Whenever there is a transition on the clock of thesync domain, thetimer signal is incremented by one ifup is true, decremented by one ifdown is true, and retains its value otherwise.
Assertions
Some properties are so important that if they are violated, the computations described by the design become meaningless. These properties should be guarded with anAssert statement that immediately terminates the simulation if its condition is false. Assertions should generally be added to asynchronous domain, and may have an optional message printed when it is violated:
ip=Signal(16)m.d.sync+=Assert(ip<128,"instruction pointer past the end of program code!")
Assertions may be nested within acontrol block:
withm.If(~booting):m.d.sync+=Assert(ip<128)
Warning
While is is also possible to add assertions to thecombinational domain, simulations of combinational circuits may haveglitches: instantaneous, transient changes in the values of expressions that are being computed which do not affect the result of the computation (and are not visible in most waveform viewers for that reason). Depending on the tools used for simulation, a glitch in the condition of an assertion or of acontrol block that contains it may cause the simulation to be terminated, even if the glitch would have been instantaneously resolved afterwards.
If the condition of an assertion is assigned in a synchronous domain, then it is safe to add that assertion in the combinational domain. For example, neither of the assertions in the example below will be violated due to glitches, regardless of which domain theip andbooting signals are driven by:
ip_sync=Signal.like(ip)m.d.sync+=ip_sync.eq(ip)m.d.comb+=Assert(ip_sync<128)withm.If(booting):m.d.comb+=Assert(ip_sync<128)
Assertions should be added in asynchronous domain when possible. In cases where it is not, such as if the condition is a signal that is assigned in a synchronous domain elsewhere, care should be taken while adding the assertion to the combinational domain.
Debug printing
The value of any expression, or of several of them, can be printed to the terminal during simulation using thePrint statement. When added to thecombinational domain, the value of an expression is printed whenever it changes:
state=Signal()m.d.comb+=Print(state)
When added to asynchronous domain, the value of an expression is printed whenever the active edge occurs on the clock of that domain:
m.d.sync+=Print("on tick: ",state)
ThePrint statement, regardless of the domain, may be nested within acontrol block:
old_state=Signal.like(state)m.d.sync+=old_state.eq(state)withm.If(state!=old_state):m.d.sync+=Print("was: ",old_state,"now: ",state)
The arguments to thePrint statement have the same meaning as the arguments to the Pythonprint() function, with the exception that onlysep andend keyword arguments are supported. In addition, theFormat helper can be used to apply formatting to the values, similar to the Pythonstr.format() method:
addr=Signal(32)m.d.sync+=Print(Format("address:{:08x}",addr))
In bothPrint andFormat, arguments that are not Amaranthvalues are formatted using the usual Python rules. The optional secondmessage argument toAssert (describedabove) also accepts a string or theFormat helper:
m.d.sync+=Assert((addr&0b111)==0,message=Format("unaligned address{:08x}!",addr))
Clock domains
A new synchronouscontrol domain, which is more often called aclock domain, can be defined in a design by creating aClockDomain object and adding it to them.domains collection:
m.domains.video=cd_video=ClockDomain()
If the name of the domain is not known upfront, another, less concise, syntax can be used instead:
defadd_video_domain(n):cd=ClockDomain(f"video_{n}")m.domains+=cdreturncdadd_video_domain(2)
Note
Whenever the createdClockDomain object is immediately assigned using thedomain_name=ClockDomain(...) orm.domains.domain_name=ClockDomain(...) syntax, the name of the domain may be omitted from theClockDomain() invocation. In other cases, it must be provided as the first argument.
A clock domain always has a clock signal, which can be accessed through thecd.clk attribute. By default, theactive edge of the clock domain is positive; this means that the signals in the domain change when the clock signal transitions from 0 to 1. A clock domain can be configured to have a negative active edge so that signals in it change when the clock signal transitions from 1 to 0:
m.domains.jtag=ClockDomain(clk_edge="neg")
A clock domain also has a reset signal, which can be accessed through thecd.rst attribute. The reset signal is always active-high: the signals in the clock domain are reset if the value of the reset signal is 1. Theinitial value of this signal is 0, so if the reset signal is never assigned, the signals in the clock domain are never explicitly reset (they are stillreset at power-on). Nevertheless, if its existence is undesirable, the clock domain can be configured to omit it:
m.domains.startup=ClockDomain(reset_less=True)
Signals in a reset-less clock domain can still be explicitly reset using theResetInsertercontrol flow modifier.
If a clock domain is defined in a module, all of itssubmodules can refer to that domain under the same name.
Warning
Clock domains use synchronous reset unless otherwise specified. Clock domains with asynchronous reset are implemented, but their behavior is subject to change in near future, and is intentionally left undocumented.
Tip
Unless you need to introduce a new asynchronous control set in the design, considerusing ResetInserter or EnableInserter instead of defining a new clock domain. Designs with fewer clock domains are easier to reason about.
A new asynchronous control set is necessary when some signals must change on a different active edge of a clock, at a different frequency, with a different phase, or when a different asynchronous reset signal is asserted.
Late binding of clock and reset signals
Clock domains arelate bound, which means that their signals and properties can be referred to using the domain’s name before theClockDomain object with that name is created and added to the design. This happens wheneveran assignment is added to a domain. In some cases, it is necessary to refer to the domain’s clock or reset signal using only the domain’s name. TheClockSignal andResetSignal values make this possible:
m.d.comb+=[ClockSignal().eq(bus_clk),ResetSignal().eq(~bus_rstn),]
In this example, once the design is processed, the clock signal of the clock domainsync found in this module or one of its containing modules will be equal tobus_clk. The reset signal of the same clock domain will be equal to the negatedbus_rstn. With thesync domain created in the same module, these statements become equivalent to:
m.domains.sync=cd_sync=ClockDomain()m.d.comb+=[cd_sync.clk.eq(bus_clk),cd_sync.rst.eq(~bus_rstn),]
TheClockSignal andResetSignal values may also be assigned to other signals and used in expressions. They take a single argument, which is the name of the domain; if not specified, it defaults to"sync".
Warning
Be especially careful when usingClockSignal orcd.clk in expressions. Assigning to and from a clock signal is usually safe; any other operations may have unpredictable results. Consult the documentation for your synthesis toolchain and platform to understand which operations with a clock signal are permitted.
FPGAs usually have dedicated clocking facilities that can be used to disable, divide, or multiplex clock signals. When targeting an FPGA, these facilities should be used if at all possible, and expressions likeClockSignal()&en orMux(sel,ClockSignal("a"),ClockSignal("b")) should be avoided.
Elaboration
Amaranth designs are built from a hierarchy of smaller subdivisions, which are calledelaboratables. The process of creating a data structure representing the behavior of a complete design by composing such subdivisions together is calledelaboration.
An elaboratable is any Python object that inherits from theElaboratable base class and implements theelaborate() method:
classCounter(Elaboratable):defelaborate(self,platform):m=Module()...returnm
Theelaborate() method must either return an instance ofModule orInstance to describe the behavior of the elaboratable, or delegate it by returning another elaboratable object.
Note
Instances ofModule also implement theelaborate() method, which returns a special object that represents a fragment of a netlist. Such an object cannot be constructed without usingModule.
Theplatform argument received by theelaborate() method can beNone, an instance ofa built-in platform, or a custom object. It is used fordependency injection and to contain the state of a design while it is being elaborated.
Warning
Theelaborate() method should not modify theself object it receives other than for debugging and experimentation. Elaborating the same design twice with two identical platform objects should produce two identical netlists. If the design needs to be modified after construction, this should happen before elaboration.
It is not possible to ensure that a design which modifies itself during elaboration is correctly converted to a netlist because the relative order in which theelaborate() methods are called within a single design is not guaranteed.
The Amaranth standard library providescomponents: elaboratable objects that also include a description of their interface. Unless otherwise necessary, an elaboratable should inherit fromamaranth.lib.wiring.Component rather than plainElaboratable. See theintroduction to interfaces and components for details.
Submodules
An elaboratable can be included within another elaboratable, which is called itscontaining elaboratable, by adding it as a submodule:
m.submodules.counter=counter=Counter()
If the name of a submodule is not known upfront, a different syntax should be used:
forninrange(3):m.submodules[f"counter_{n}"]=Counter()
A submodule can also be added without specifying a name:
counter=Counter()m.submodules+=counter
Tip
If a name is not explicitly specified for a submodule, one will be generated and assigned automatically. Designs with many autogenerated names can be difficult to debug, so a name should usually be supplied.
A non-Amaranth design unit can be added as a submodule using aninstance.
Modifying control flow
Control flow within an elaboratable can be altered without introducing a new clock domain by usingcontrol flow modifiers that affectsynchronous evaluation of signals in a specified domain (or domains). They never affectcombinational evaluation. There are two control flow modifiers:
ResetInserterintroduces a synchronous reset input (or inputs), updating all of the signals in the specified domains to theirinitial value whenever the active edge occurs on the clock of the domainif the synchronous reset input is asserted.EnableInserterintroduces a synchronous enable input (or inputs), preventing any of the signals in the specified domains from changing value whenever the active edge occurs on the clock of the domainunless the synchronous enable input is asserted.
Control flow modifiers use the syntaxModifier(controls)(elaboratable), wherecontrols is a mapping fromclock domain names to 1-widevalues andelaboratable is anyelaboratable object. When only thesync domain is involved, instead of writingModifier({"sync":input})(elaboratable), the equivalent but shorterModifier(input)(elaboratable) syntax can be used.
The result of applying a control flow modifier to an elaboratable is, itself, an elaboratable object. A common way to use a control flow modifier is to apply it to another elaboratable while adding it as a submodule:
rst=Signal()m.submodules.counter=counter=ResetInserter(rst)(Counter())
A control flow modifier affects all logic within a given elaboratable and clock domain, which includes the submodules of that elaboratable.
Note
Applying a control flow modifier to an elaboratable does not mutate it; a new proxy object is returned that forwards attribute accesses and method calls to the original elaboratable. Whenever this proxy object is elaborated, it manipulates the circuit defined by the original elaboratable to include the requested control inputs.
Note
It is possible to apply several control flow modifiers to the same elaboratable, even if the same domain is used. ForResetInserter, the signals in a domain are held at their initial value whenever any of the reset inputs for that domain are asserted (logical OR), and forEnableInserter, the signals in a domain are allowed to update whenever all of the enable signals for that domain are asserted (logical AND).
Consider the following code:
m=Module()m.d.sync+=n.eq(n+1)m.d.comb+=z.eq(n==0)m=ResetInserter({"sync":rst})(m)m=EnableInserter({"sync":en})(m)
The application of control flow modifiers in it causes the behavior of the finalm to be identical to that of this module:
m=Module()withm.If(en):m.d.sync+=n.eq(n+1)withm.If(rst):m.d.sync+=n.eq(n.init)m.d.comb+=z.eq(n==0)
Tip
The control input provided toResetInserter must be synchronous to the domain that is being reset by it. If you need to reset another domain, useamaranth.lib.cdc.ResetSynchronizer instead.
Renaming domains
A reusableelaboratable usually specifies the use of one or moreclock domains while leaving the details of clocking and initialization to a later phase in the design process.DomainRenamer can be used to alter a reusable elaboratable for integration in a specific design. Most elaboratables use a single clock domain namedsync, andDomainRenamer makes it easy to place such elaboratables in any clock domain of a design.
Clock domains can be renamed using the syntaxDomainRenamer(domains)(elaboratable), wheredomains is a mapping from clock domain names to clock domain names andelaboratable is anyelaboratable object. The keys ofdomains correspond to existing clock domain names specified byelaboratable, and the values ofdomains correspond to the clock domain names from the containing elaboratable that will be used instead. When only thesync domain is being renamed, instead of writingDomainRenamer({"sync":name})(elaboratable), the equivalent but shorterDomainRenamer(name)(elaboratable) syntax can be used.
The result of renaming clock domains in an elaboratable is, itself, an elaboratable object. A common way to rename domains is to applyDomainRenamer to another elaboratable while adding it as a submodule:
m.submodules.counter=counter=DomainRenamer("video")(counter)
Renaming a clock domain affects all logic within a given elaboratable and clock domain, which includes the submodules of that elaboratable. It does not affect any logic outside of that elaboratable.
Note
Renaming domains in an elaboratable does not mutate it; a new proxy object is returned that forwards attribute accesses and method calls to the original elaboratable. Whenever this proxy object is elaborated, it manipulates the circuit defined by the original elaboratable to use the requested clock domain.
Note
It is possible to rename domains in an elaboratable and also applycontrol flow modifiers.
Consider the following code:
m=Module()m.d.sync+=count.eq(count+1)m.d.comb+=zero.eq(count==0)m=DomainRenamer({"sync":"video"})(m)
The renaming of thesync clock domain in it causes the behavior of the finalm to be identical to that of this module:
m=Module()m.d.video+=count.eq(count+1)m.d.comb+=zero.eq(count==0)
Warning
A combinational signal can change synchronously to a clock domain, as in the example above, in which case it may only be sampled from the same clock domain unless explicitly synchronized. Renaming a clock domain must be assumed to potentially affect any output of an elaboratable.
Memories
Amaranth provides support for memories in the standard library moduleamaranth.lib.memory.
I/O values
To interoperate with external circuitry, Amaranth providescore I/O values, which represent bundles of wires carrying uninterpreted signals. Unlike regularvalues, which represent binary numbers and can beassigned to create a unidirectional connection or used in computations, core I/O values represent electrical signals that may be digital or analog and have noshape, cannot be assigned, used in computations, or simulated.
Core I/O values are only used to define connections between non-Amaranth building blocks that traverse an Amaranth design, includinginstances andI/O buffer instances.
I/O ports
Acore I/O port is a core I/O value representing a connection to a port of the topmost module in thedesign hierarchy. It can be created with an explicitly specified width.
fromamaranth.hdlimportIOPort
>>>port=IOPort(4)>>>port.width4
Core I/O ports can be named in the same way assignals:
>>>clk_port=IOPort(1,name="clk")>>>clk_port.name'clk'
If two core I/O ports with the same name exist in a design, one of them will be renamed to remove the ambiguity. Because the name of a core I/O port is significant, they should be named unambiguously.
I/O operators
Core I/O values support only a limited set ofsequence operators, all of which return another core I/O value. The following table lists the operators provided by Amaranth for core I/O values:
Operation | Description | Notes |
|---|---|---|
| length; width | |
| slicing by constant subscripts | |
| iteration | |
| concatenation |
Words “length” and “width” have the same meaning when talking about Amaranth I/O values. Conventionally, “width” is used.
[11]All variations of the Python slice notation are supported, including “extended slicing”. E.g. all ofa[0],a[1:9],a[2:],a[:-2],a[::-1],a[0:8:2] select wires in the same way as other Python sequence types select their elements.
In the concatenated value,a occupies the lower indices andb the higher indices. Any number of arguments (zero, one, two, or more) are supported.
Concatenation of zero arguments,Cat(), returns a 0-bit regular value, however any such value is accepted (and ignored) anywhere an I/O value is expected.
Instances
A submodule written in a non-Amaranth language is called aninstance. An instance can be written in any language supported by the synthesis toolchain; usually, that is (System)Verilog, VHDL, or a language that is translated to one of those two. Adding an instance as a submodule corresponds to “module instantiation” in (System)Verilog and “component instantiation” in VHDL, and is done by specifying the following:
Thetype of an instance is the name of a (System)Verilog module, VHDL entity or component, or another HDL design unit that is being instantiated.
Thename of an instance is the name of the submodule within the containing elaboratable.
Theattributes of an instance correspond to attributes of a (System)Verilog module instance, or a custom attribute of a VHDL entity or component instance. Attributes applied to instances are interpreted by the synthesis toolchain rather than the HDL.
Theparameters of an instance correspond to parameters of a (System)Verilog module instance, or a generic constant of a VHDL entity or component instance. Not all HDLs allow their design units to be parameterized during instantiation.
Theinputs,outputs, andinouts of an instance correspond to input ports, output ports, and bidirectional ports of the external design unit.
An instance can be added as a submodule using them.submodules.name=Instance("type",...) syntax, where"type" is the type of the instance as a string (which is passed to the synthesis toolchain uninterpreted), and... is a list of parameters, inputs, and outputs. Depending on whether the name of an attribute, parameter, input, or output can be written as a part of a Python identifier or not, one of two possible syntaxes is used to specify them:
An attribute is specified using the
a_ANAME=attror("a","ANAME",attr)syntaxes. Theattrmust be anint, astr, or aConst.A parameter is specified using the
p_PNAME=paramor("p","PNAME",param)syntaxes. Theparammust be anint, astr, or aConst.An input is specified using the
i_INAME=in_valor("i","INAME",in_val)syntaxes. Thein_valmust be acore I/O value or avalue-like object.An output is specified using the
o_ONAME=out_valor("o","ONAME",out_val)syntaxes. Theout_valmust be acore I/O value or avalue-like object that casts to asignal, a concatenation of signals, or a slice of a signal.An inout is specified using the
io_IONAME=inout_valor("io","IONAME",inout_val)syntaxes. Theinout_valmust be acore I/O value.
The two following examples use both syntaxes to add the same instance of typeexternal as a submodule namedprocessor:
m.submodules.processor=Instance("external",p_width=8,i_clk=ClockSignal(),i_rst=ResetSignal(),i_en=1,i_mode=Const(3,unsigned(4)),i_data_in=i_data,o_data_out=o_data,io_pin=io_pin,)
m.submodules.processor=Instance("external",("p","width",8),("i","clk",ClockSignal()),("i","rst",ResetSignal()),("i","en",1),("i","mode",Const(3,unsigned(4))),("i","data_in",i_data),("o","data_out",o_data),("io","pin",io_pin),)
Like a regular submodule, an instance can also be added without specifying a name:
m.submodules+=Instance("external",# ...)
Tip
If a name is not explicitly specified for a submodule, one will be generated and assigned automatically. Designs with many autogenerated names can be difficult to debug, so a name should usually be supplied.
Although anInstance is not an elaboratable, as a special case, it can be returned from theelaborate() method. This is convenient for implementing an elaboratable that adorns an instance with an Amaranth interface:
fromamaranthimportvendorclassFlipFlop(Elaboratable):def__init__(self):self.d=Signal()self.q=Signal()defelaborate(self,platform):# Decide on the instance to use based on the platform we are elaborating for.ifisinstance(platform,vendor.LatticeICE40Platform):returnInstance("SB_DFF",i_C=ClockSignal(),i_D=self.d,o_Q=self.q)else:raiseNotImplementedError
I/O buffer instances
Note
I/O buffer instances are a low-level primitive which is documented to ensure that the standard library does not rely on private interfaces in the core language. Most designers should use theamaranth.lib.io module instead.
AnI/O buffer instance is a submodule that allows connectingcore I/O values and regularvalues without the use of an external, toolchain- and technology-dependentinstance. It can be created in four configurations: input, output, tristatable output, and bidirectional (input/output).
fromamaranth.hdlimportIOBufferInstancem=Module()
In the input configuration, the buffer instance combinationally drives a signali by the port:
port=IOPort(4)port_i=Signal(4)m.submodules+=IOBufferInstance(port,i=port_i)
In the output configuration, the buffer instance combinationally drives the port by a valueo:
port=IOPort(4)port_o=Signal(4)m.submodules+=IOBufferInstance(port,o=port_o)
In the tristatable output configuration, the buffer instance combinationally drives the port by a valueo ifoe is asserted, and does not drive (leaves in a high-impedance state, or tristates) the port otherwise:
port=IOPort(4)port_o=Signal(4)port_oe=Signal()m.submodules+=IOBufferInstance(port,o=port_o,oe=port_oe)
In the bidirectional (input/output) configuration, the buffer instance combinationally drives a signali by the port, combinationally drives the port by a valueo ifoe is asserted, and does not drive (leaves in a high-impedance state, or tristates) the port otherwise:
port=IOPort(4)port_i=Signal(4)port_o=Signal(4)port_oe=Signal()m.submodules+=IOBufferInstance(port,i=port_i,o=port_o,oe=port_oe)
The width of thei ando values (when present) must be the same as the width of the port, and the width of theoe value must be 1.