-
Notifications
You must be signed in to change notification settings - Fork 174
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
[WIP] Implement RFC 41: Fixed point types. #1005
Draft
zyp
wants to merge
1
commit into
amaranth-lang:main
Choose a base branch
from
zyp:fixed-point-types
base: main
Could not load branches
Branch not found: {{ refName }}
Loading
Could not load tags
Nothing to show
Loading
Are you sure you want to change the base?
Some commits from the old base branch may be removed from the timeline,
and old review comments may become outdated.
Draft
Changes from all commits
Commits
File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,251 @@ | ||
from ..hdl import ast | ||
from .._utils import bits_for | ||
|
||
|
||
__all__ = ["Shape", "SQ", "UQ", "Value", "Const"] | ||
|
||
|
||
class Shape(ast.ShapeCastable): | ||
def __init__(self, i_or_f_width, f_width = None, /, *, signed): | ||
if f_width is None: | ||
self.i_width, self.f_width = 0, i_or_f_width | ||
else: | ||
self.i_width, self.f_width = i_or_f_width, f_width | ||
|
||
self.signed = bool(signed) | ||
|
||
@staticmethod | ||
def cast(shape, f_width=0): | ||
if not isinstance(shape, ast.Shape): | ||
raise TypeError(f"Object {shape!r} cannot be converted to a fixed.Shape") | ||
|
||
# i_width is what's left after subtracting f_width and sign bit, but can't be negative. | ||
i_width = max(0, shape.width - shape.signed - f_width) | ||
|
||
return Shape(i_width, f_width, signed = shape.signed) | ||
|
||
def as_shape(self): | ||
return ast.Shape(self.signed + self.i_width + self.f_width, self.signed) | ||
|
||
def __call__(self, target): | ||
return Value(self, target) | ||
|
||
def const(self, value): | ||
if value is None: | ||
value = 0 | ||
|
||
return Const(value, self) | ||
|
||
def __repr__(self): | ||
return f"fixed.Shape({self.i_width}, {self.f_width}, signed={self.signed})" | ||
|
||
|
||
class SQ(Shape): | ||
def __init__(self, *args): | ||
super().__init__(*args, signed = True) | ||
|
||
|
||
class UQ(Shape): | ||
def __init__(self, *args): | ||
super().__init__(*args, signed = False) | ||
|
||
|
||
class Value(ast.ValueCastable): | ||
def __init__(self, shape, target): | ||
self._shape = shape | ||
self._target = target | ||
|
||
@staticmethod | ||
def cast(value, f_width=0): | ||
return Shape.cast(value.shape(), f_width)(value) | ||
|
||
def round(self, f_width=0): | ||
# If we're increasing precision, extend with more fractional bits. | ||
if f_width > self.f_width: | ||
return Shape(self.i_width, f_width, signed = self.signed)(ast.Cat(ast.Const(0, f_width - self.f_width), self.as_value())) | ||
|
||
# If we're reducing precision, truncate bits and add the top truncated bits for rounding. | ||
elif f_width < self.f_width: | ||
return Shape(self.i_width, f_width, signed = self.signed)(self.as_value()[self.f_width - f_width:] + self.as_value()[self.f_width - f_width - 1]) | ||
|
||
return self | ||
|
||
@property | ||
def i_width(self): | ||
return self._shape.i_width | ||
|
||
@property | ||
def f_width(self): | ||
return self._shape.f_width | ||
|
||
@property | ||
def signed(self): | ||
return self._shape.signed | ||
|
||
@ast.ValueCastable.lowermethod | ||
def as_value(self): | ||
return self._target | ||
|
||
def shape(self): | ||
return self._shape | ||
|
||
def eq(self, other): | ||
# Regular values are assigned directly to the underlying value. | ||
if isinstance(other, ast.Value): | ||
return self.as_value().eq(other) | ||
|
||
# int and float are cast to fixed.Const. | ||
elif isinstance(other, int) or isinstance(other, float): | ||
other = Const(other, self.shape()) | ||
|
||
# Other value types are unsupported. | ||
elif not isinstance(other, Value): | ||
raise TypeError(f"Object {other!r} cannot be converted to a fixed.Value") | ||
|
||
# Match precision. | ||
other = other.round(self.f_width) | ||
|
||
return self.as_value().eq(other.as_value()) | ||
|
||
def __mul__(self, other): | ||
# Regular values are cast to fixed.Value | ||
if isinstance(other, ast.Value): | ||
other = Value.cast(other) | ||
|
||
# int are cast to fixed.Const | ||
elif isinstance(other, int): | ||
other = Const(other) | ||
|
||
# Other value types are unsupported. | ||
elif not isinstance(other, Value): | ||
raise TypeError(f"Object {other!r} cannot be converted to a fixed.Value") | ||
|
||
return Value.cast(self.as_value() * other.as_value(), self.f_width + other.f_width) | ||
|
||
def __rmul__(self, other): | ||
return self.__mul__(other) | ||
|
||
def __add__(self, other): | ||
# Regular values are cast to fixed.Value | ||
if isinstance(other, ast.Value): | ||
other = Value.cast(other) | ||
|
||
# int are cast to fixed.Const | ||
elif isinstance(other, int): | ||
other = Const(other) | ||
|
||
# Other value types are unsupported. | ||
elif not isinstance(other, Value): | ||
raise TypeError(f"Object {other!r} cannot be converted to a fixed.Value") | ||
|
||
f_width = max(self.f_width, other.f_width) | ||
|
||
return Value.cast(self.round(f_width).as_value() + other.round(f_width).as_value(), f_width) | ||
|
||
def __radd__(self, other): | ||
return self.__add__(other) | ||
|
||
def __sub__(self, other): | ||
# Regular values are cast to fixed.Value | ||
if isinstance(other, ast.Value): | ||
other = Value.cast(other) | ||
|
||
# int are cast to fixed.Const | ||
elif isinstance(other, int): | ||
other = Const(other) | ||
|
||
# Other value types are unsupported. | ||
elif not isinstance(other, Value): | ||
raise TypeError(f"Object {other!r} cannot be converted to a fixed.Value") | ||
|
||
f_width = max(self.f_width, other.f_width) | ||
|
||
return Value.cast(self.round(f_width).as_value() - other.round(f_width).as_value(), f_width) | ||
|
||
def __rsub__(self, other): | ||
return -self.__sub__(other) | ||
|
||
def __pos__(self): | ||
return self | ||
|
||
def __neg__(self): | ||
return Value.cast(-self.as_value(), self.f_width) | ||
|
||
def __abs__(self): | ||
return Value.cast(abs(self.as_value()), self.f_width) | ||
|
||
def __lshift__(self, other): | ||
if isinstance(other, int): | ||
if other < 0: | ||
raise ValueError("Shift amount cannot be negative") | ||
|
||
if other > self.f_width: | ||
return Value.cast(ast.Cat(ast.Const(0, other - self.f_width), self.as_value())) | ||
else: | ||
return Value.cast(self.as_value(), self.f_width - other) | ||
|
||
elif not isinstance(other, ast.Value): | ||
raise TypeError("Shift amount must be an integer value") | ||
|
||
if other.signed: | ||
raise TypeError("Shift amount must be unsigned") | ||
|
||
return Value.cast(self.as_value() << other, self.f_width) | ||
|
||
def __rshift__(self, other): | ||
if isinstance(other, int): | ||
if other < 0: | ||
raise ValueError("Shift amount cannot be negative") | ||
|
||
return Value.cast(self.as_value(), self.f_width + other) | ||
|
||
elif not isinstance(other, ast.Value): | ||
raise TypeError("Shift amount must be an integer value") | ||
|
||
if other.signed: | ||
raise TypeError("Shift amount must be unsigned") | ||
|
||
# Extend f_width by maximal shift amount. | ||
f_width = self.f_width + 2**other.width - 1 | ||
|
||
return Value.cast(self.round(f_width).as_value() >> other, f_width) | ||
|
||
def __repr__(self): | ||
return f"(fixedpoint {'SQ' if self.signed else 'UQ'}{self.i_width}.{self.f_width} {self._target!r})" | ||
|
||
|
||
class Const(Value): | ||
def __init__(self, value, shape=None): | ||
if isinstance(value, float) or isinstance(value, int): | ||
num, den = value.as_integer_ratio() | ||
|
||
else: | ||
raise TypeError(f"Object {value!r} cannot be converted to a fixed.Const") | ||
|
||
# Determine smallest possible shape if not already selected. | ||
if shape is None: | ||
f_width = bits_for(den) - 1 | ||
i_width = max(0, bits_for(abs(num)) - f_width) | ||
shape = Shape(i_width, f_width, signed = num < 0) | ||
|
||
# Scale value to given precision. | ||
if 2**shape.f_width > den: | ||
num *= 2**shape.f_width // den | ||
elif 2**shape.f_width < den: | ||
num = round(num / (den // 2**shape.f_width)) | ||
value = num | ||
|
||
self._shape = shape | ||
self._value = value | ||
|
||
@property | ||
def _target(self): | ||
return ast.Const(self._value, self._shape.as_shape()) | ||
|
||
def as_integer_ratio(self): | ||
return self._value, 2**self.f_width | ||
|
||
def as_float(self): | ||
return self._value / 2**self.f_width | ||
|
||
# TODO: Operators |
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I think this should be:
or similar, otherwise multiplying two signed fixed point numbers results in an unsigned fixed point number
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
This approach does not work, it seems to break initialization of
lib.wiring
wires but I'm not quite sure howThere was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Why would that be the case?
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I dug into this a bit more; I believe (with my limited understanding of the type system here), is that the signdedness of _target is given by the signdedness of the underlying raw value that the number was constructed with which is not necessarily the same as the signdedness of the fixed point type itself.
__mul__
uses .as_value and then constructs the new fixed point type based on the signdedness of the result of the multiplication when it is cast back to a fixed point type:several of the other arithmetic operators do the same thing and this seems to break proper sign handling.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
You're not really supposed to be able to make a
fixed.Value
that differs in width/signedness from the underlyingValue
. Expect your first line to raise an error.There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Ok I've checked my notes, one place where I had a conversion to unsigned from signed was because of doing what you describe intentionally (a hacky attempt at implementing complex numbers in a struct and slicing the underlying unsigned value).
The other two I believe come from here, and here (because
Cat
appears to be treated as unsigned?), eg:There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
The signedness rules are available for all of the operations.