jan 1 year ago
parent 7efc5a39d4
commit 3016aec3df

@ -11,7 +11,8 @@ import io
import warnings import warnings
try: try:
import numpy # type: ignore import numpy
from numpy.typing import NDArray
_USE_NUMPY = True _USE_NUMPY = True
except ImportError: except ImportError:
_USE_NUMPY = False _USE_NUMPY = False
@ -161,7 +162,7 @@ def _py_write_bool_byte(stream: io.BufferedIOBase, bits: Tuple[Union[bool, int],
InvalidDataError if didn't receive 8 bits. InvalidDataError if didn't receive 8 bits.
""" """
if len(bits) != 8: if len(bits) != 8:
raise InvalidDataError('write_bool_byte received {} bits, requires 8'.format(len(bits))) raise InvalidDataError(f'write_bool_byte received {len(bits)} bits, requires 8')
byte = 0 byte = 0
for i, bit in enumerate(reversed(bits)): for i, bit in enumerate(reversed(bits)):
byte |= bit << i byte |= bit << i
@ -169,7 +170,7 @@ def _py_write_bool_byte(stream: io.BufferedIOBase, bits: Tuple[Union[bool, int],
if _USE_NUMPY: if _USE_NUMPY:
def _np_read_bool_byte(stream: io.BufferedIOBase) -> List[bool]: def _np_read_bool_byte(stream: io.BufferedIOBase) -> NDArray[numpy.uint8]:
""" """
Read a single byte from the stream, and interpret its bits as Read a single byte from the stream, and interpret its bits as
a list of 8 booleans. a list of 8 booleans.
@ -198,13 +199,13 @@ if _USE_NUMPY:
InvalidDataError if didn't receive 8 bits. InvalidDataError if didn't receive 8 bits.
""" """
if len(bits) != 8: if len(bits) != 8:
raise InvalidDataError('write_bool_byte received {} bits, requires 8'.format(len(bits))) raise InvalidDataError(f'write_bool_byte received {len(bits)} bits, requires 8')
return stream.write(numpy.packbits(bits)[0]) return stream.write(numpy.packbits(bits)[0])
read_bool_byte = _np_read_bool_byte read_bool_byte = _np_read_bool_byte # type: ignore
write_bool_byte = _np_write_bool_byte write_bool_byte = _np_write_bool_byte
else: else:
read_bool_byte = _py_read_bool_byte read_bool_byte = _py_read_bool_byte # type: ignore
write_bool_byte = _py_write_bool_byte write_bool_byte = _py_write_bool_byte
def read_uint(stream: io.BufferedIOBase) -> int: def read_uint(stream: io.BufferedIOBase) -> int:
@ -249,7 +250,7 @@ def write_uint(stream: io.BufferedIOBase, n: int) -> int:
SignedError: if `n` is negative. SignedError: if `n` is negative.
""" """
if n < 0: if n < 0:
raise SignedError('uint must be positive: {}'.format(n)) raise SignedError(f'uint must be positive: {n}')
current = n current = n
byte_list = [] byte_list = []
@ -392,7 +393,7 @@ def write_ratio(stream: io.BufferedIOBase, r: Fraction) -> int:
SignedError: if r is negative. SignedError: if r is negative.
""" """
if r < 0: if r < 0:
raise SignedError('Ratio must be unsigned: {}'.format(r)) raise SignedError(f'Ratio must be unsigned: {r}')
size = write_uint(stream, r.numerator) size = write_uint(stream, r.numerator)
size += write_uint(stream, r.denominator) size += write_uint(stream, r.denominator)
return size return size
@ -456,7 +457,7 @@ def write_float64(stream: io.BufferedIOBase, f: float) -> int:
return stream.write(b) return stream.write(b)
def read_real(stream: io.BufferedIOBase, real_type: int = None) -> real_t: def read_real(stream: io.BufferedIOBase, real_type: Optional[int] = None) -> real_t:
""" """
Read a real number from the stream. Read a real number from the stream.
@ -503,13 +504,14 @@ def read_real(stream: io.BufferedIOBase, real_type: int = None) -> real_t:
return read_float32(stream) return read_float32(stream)
if real_type == 7: if real_type == 7:
return read_float64(stream) return read_float64(stream)
raise InvalidDataError('Invalid real type: {}'.format(real_type)) raise InvalidDataError(f'Invalid real type: {real_type}')
def write_real(stream: io.BufferedIOBase, def write_real(
r: real_t, stream: io.BufferedIOBase,
force_float32: bool = False r: real_t,
) -> int: force_float32: bool = False
) -> int:
""" """
Write a real number to the stream. Write a real number to the stream.
See read_real() for format details. See read_real() for format details.
@ -561,7 +563,7 @@ class NString:
""" """
_string: str _string: str
def __init__(self, string_or_bytes: Union[bytes, str]): def __init__(self, string_or_bytes: Union[bytes, str]) -> None:
""" """
Args: Args:
string_or_bytes: Content of the `NString`. string_or_bytes: Content of the `NString`.
@ -576,9 +578,9 @@ class NString:
return self._string return self._string
@string.setter @string.setter
def string(self, string: str): def string(self, string: str) -> None:
if len(string) == 0 or not all(0x21 <= ord(c) <= 0x7e for c in string): if len(string) == 0 or not all(0x21 <= ord(c) <= 0x7e for c in string):
raise InvalidDataError('Invalid n-string {}'.format(string)) raise InvalidDataError(f'Invalid n-string {string}')
self._string = string self._string = string
@property @property
@ -586,9 +588,9 @@ class NString:
return self._string.encode('ascii') return self._string.encode('ascii')
@bytes.setter @bytes.setter
def bytes(self, bstring: bytes): def bytes(self, bstring: bytes) -> None:
if len(bstring) == 0 or not all(0x21 <= c <= 0x7e for c in bstring): if len(bstring) == 0 or not all(0x21 <= c <= 0x7e for c in bstring):
raise InvalidDataError('Invalid n-string {!r}'.format(bstring)) raise InvalidDataError(f'Invalid n-string {bstring!r}')
self._string = bstring.decode('ascii') self._string = bstring.decode('ascii')
@staticmethod @staticmethod
@ -675,7 +677,7 @@ class AString:
""" """
_string: str _string: str
def __init__(self, string_or_bytes: Union[bytes, str]): def __init__(self, string_or_bytes: Union[bytes, str]) -> None:
""" """
Args: Args:
string_or_bytes: Content of the AString. string_or_bytes: Content of the AString.
@ -690,9 +692,9 @@ class AString:
return self._string return self._string
@string.setter @string.setter
def string(self, string: str): def string(self, string: str) -> None:
if not all(0x20 <= ord(c) <= 0x7e for c in string): if not all(0x20 <= ord(c) <= 0x7e for c in string):
raise InvalidDataError('Invalid a-string {}'.format(string)) raise InvalidDataError(f'Invalid a-string "{string}"')
self._string = string self._string = string
@property @property
@ -700,9 +702,9 @@ class AString:
return self._string.encode('ascii') return self._string.encode('ascii')
@bytes.setter @bytes.setter
def bytes(self, bstring: bytes): def bytes(self, bstring: bytes) -> None:
if not all(0x20 <= c <= 0x7e for c in bstring): if not all(0x20 <= c <= 0x7e for c in bstring):
raise InvalidDataError('Invalid a-string {!r}'.format(bstring)) raise InvalidDataError(f'Invalid a-string "{bstring!r}"')
self._string = bstring.decode('ascii') self._string = bstring.decode('ascii')
@staticmethod @staticmethod
@ -786,10 +788,10 @@ class ManhattanDelta:
vertical (bool): `True` if aligned along y-axis vertical (bool): `True` if aligned along y-axis
value (int): signed length of the vector value (int): signed length of the vector
""" """
vertical = None # type: bool vertical: bool
value = None # type: int value: int
def __init__(self, x: int, y: int): def __init__(self, x: int, y: int) -> None:
""" """
One of `x` or `y` _must_ be zero! One of `x` or `y` _must_ be zero!
@ -801,7 +803,7 @@ class ManhattanDelta:
y = int(y) y = int(y)
if x != 0: if x != 0:
if y != 0: if y != 0:
raise InvalidDataError('Non-Manhattan ManhattanDelta ({}, {})'.format(x, y)) raise InvalidDataError(f'Non-Manhattan ManhattanDelta ({x}, {y})')
self.vertical = False self.vertical = False
self.value = x self.value = x
else: else:
@ -884,7 +886,7 @@ class ManhattanDelta:
return hasattr(other, 'as_list') and self.as_list() == other.as_list() return hasattr(other, 'as_list') and self.as_list() == other.as_list()
def __repr__(self) -> str: def __repr__(self) -> str:
return '{}'.format(self.as_list()) return str(self.as_list())
class OctangularDelta: class OctangularDelta:
@ -910,7 +912,7 @@ class OctangularDelta:
proj_mag: int proj_mag: int
octangle: int octangle: int
def __init__(self, x: int, y: int): def __init__(self, x: int, y: int) -> None:
""" """
Either `abs(x)==abs(y)`, `x==0`, or `y==0` _must_ be true! Either `abs(x)==abs(y)`, `x==0`, or `y==0` _must_ be true!
@ -932,7 +934,7 @@ class OctangularDelta:
self.proj_mag = abs(x) self.proj_mag = abs(x)
self.octangle = (1 << 2) | (yn << 1) | (xn != yn) self.octangle = (1 << 2) | (yn << 1) | (xn != yn)
else: else:
raise InvalidDataError('Non-octangular delta! ({}, {})'.format(x, y)) raise InvalidDataError(f'Non-octangular delta! ({x}, {y})')
def as_list(self) -> List[int]: def as_list(self) -> List[int]:
""" """
@ -1020,7 +1022,7 @@ class OctangularDelta:
return hasattr(other, 'as_list') and self.as_list() == other.as_list() return hasattr(other, 'as_list') and self.as_list() == other.as_list()
def __repr__(self) -> str: def __repr__(self) -> str:
return '{}'.format(self.as_list()) return str(self.as_list())
class Delta: class Delta:
@ -1034,7 +1036,7 @@ class Delta:
x: int x: int
y: int y: int
def __init__(self, x: int, y: int): def __init__(self, x: int, y: int) -> None:
""" """
Args: Args:
x: x-displacement x: x-displacement
@ -1104,7 +1106,7 @@ class Delta:
return hasattr(other, 'as_list') and self.as_list() == other.as_list() return hasattr(other, 'as_list') and self.as_list() == other.as_list()
def __repr__(self) -> str: def __repr__(self) -> str:
return '{}'.format(self.as_list()) return str(self.as_list())
def read_repetition(stream: io.BufferedIOBase) -> repetition_t: def read_repetition(stream: io.BufferedIOBase) -> repetition_t:
@ -1128,7 +1130,7 @@ def read_repetition(stream: io.BufferedIOBase) -> repetition_t:
elif rtype in (4, 5, 6, 7, 10, 11): elif rtype in (4, 5, 6, 7, 10, 11):
return ArbitraryRepetition.read(stream, rtype) return ArbitraryRepetition.read(stream, rtype)
else: else:
raise InvalidDataError('Unexpected repetition type: {}'.format(rtype)) raise InvalidDataError(f'Unexpected repetition type: {rtype}')
def write_repetition(stream: io.BufferedIOBase, repetition: repetition_t) -> int: def write_repetition(stream: io.BufferedIOBase, repetition: repetition_t) -> int:
@ -1186,11 +1188,12 @@ class GridRepetition:
a_count: int a_count: int
b_count: Optional[int] = None b_count: Optional[int] = None
def __init__(self, def __init__(
a_vector: List[int], self,
a_count: int, a_vector: Sequence[int],
b_vector: Optional[List[int]] = None, a_count: int,
b_count: Optional[int] = None): b_vector: Optional[Sequence[int]] = None,
b_count: Optional[int] = None):
""" """
Args: Args:
a_vector: First lattice vector, of the form `[x, y]`. a_vector: First lattice vector, of the form `[x, y]`.
@ -1219,10 +1222,10 @@ class GridRepetition:
warnings.warn('Removed b_count and b_vector since b_count == 1') warnings.warn('Removed b_count and b_vector since b_count == 1')
if a_count < 2: if a_count < 2:
raise InvalidDataError('Repetition has too-small a_count: ' raise InvalidDataError(f'Repetition has too-small a_count: {a_count}')
'{}'.format(a_count))
self.a_vector = a_vector self.a_vector = list(a_vector)
self.b_vector = b_vector self.b_vector = list(b_vector) if b_vector is not None else None
self.a_count = a_count self.a_count = a_count
self.b_count = b_count self.b_count = b_count
@ -1270,8 +1273,7 @@ class GridRepetition:
a_vector = Delta.read(stream).as_list() a_vector = Delta.read(stream).as_list()
b_vector = None b_vector = None
else: else:
raise InvalidDataError('Invalid type for grid repetition ' raise InvalidDataError(f'Invalid type for grid repetition {repetition_type}')
'{}'.format(repetition_type))
return GridRepetition(a_vector, na, b_vector, nb) return GridRepetition(a_vector, na, b_vector, nb)
def write(self, stream: io.BufferedIOBase) -> int: def write(self, stream: io.BufferedIOBase) -> int:
@ -1292,7 +1294,7 @@ class GridRepetition:
""" """
if self.b_vector is None or self.b_count is None: if self.b_vector is None or self.b_count is None:
if self.b_vector is not None or self.b_count is not None: if self.b_vector is not None or self.b_count is not None:
raise InvalidDataError('Malformed repetition {}'.format(self)) raise InvalidDataError(f'Malformed repetition {self}')
if self.a_vector[1] == 0: if self.a_vector[1] == 0:
size = write_uint(stream, 2) size = write_uint(stream, 2)
@ -1343,8 +1345,7 @@ class GridRepetition:
return True return True
def __repr__(self) -> str: def __repr__(self) -> str:
return 'GridRepetition: ({} : {} | {} : {})'.format(self.a_count, self.a_vector, return f'GridRepetition: ({self.a_count} : {self.a_vector} | {self.b_count} : {self.b_vector})'
self.b_count, self.b_vector)
class ArbitraryRepetition: class ArbitraryRepetition:
@ -1360,16 +1361,18 @@ class ArbitraryRepetition:
x_displacements: List[int] x_displacements: List[int]
y_displacements: List[int] y_displacements: List[int]
def __init__(self, def __init__(
x_displacements: List[int], self,
y_displacements: List[int]): x_displacements: Sequence[int],
y_displacements: Sequence[int],
) -> None:
""" """
Args: Args:
x_displacements: x-displacements between consecutive elements x_displacements: x-displacements between consecutive elements
y_displacements: y-displacements between consecutive elements y_displacements: y-displacements between consecutive elements
""" """
self.x_displacements = x_displacements self.x_displacements = list(x_displacements)
self.y_displacements = y_displacements self.y_displacements = list(y_displacements)
@staticmethod @staticmethod
def read(stream: io.BufferedIOBase, repetition_type: int) -> 'ArbitraryRepetition': def read(stream: io.BufferedIOBase, repetition_type: int) -> 'ArbitraryRepetition':
@ -1423,7 +1426,7 @@ class ArbitraryRepetition:
x_displacements.append(x * mult) x_displacements.append(x * mult)
y_displacements.append(y * mult) y_displacements.append(y * mult)
else: else:
raise InvalidDataError('Invalid ArbitraryRepetition repetition_type: {}'.format(repetition_type)) raise InvalidDataError(f'Invalid ArbitraryRepetition repetition_type: {repetition_type}')
return ArbitraryRepetition(x_displacements, y_displacements) return ArbitraryRepetition(x_displacements, y_displacements)
def write(self, stream: io.BufferedIOBase) -> int: def write(self, stream: io.BufferedIOBase) -> int:
@ -1497,12 +1500,13 @@ class ArbitraryRepetition:
and self.y_displacements == other.y_displacements) and self.y_displacements == other.y_displacements)
def __repr__(self) -> str: def __repr__(self) -> str:
return 'ArbitraryRepetition: x{} y{})'.format(self.x_displacements, self.y_displacements) return f'ArbitraryRepetition: x{self.x_displacements} y{self.y_displacements})'
def read_point_list(stream: io.BufferedIOBase, def read_point_list(
implicit_closed: bool, stream: io.BufferedIOBase,
) -> List[List[int]]: implicit_closed: bool,
) -> List[List[int]]:
""" """
Read a point list from a stream. Read a point list from a stream.
@ -1583,16 +1587,17 @@ def read_point_list(stream: io.BufferedIOBase,
if _USE_NUMPY: if _USE_NUMPY:
points = numpy.vstack((points, close_points)) points = numpy.vstack((points, close_points))
else: else:
points.append(close_points) points += close_points
return points return points
def write_point_list(stream: io.BufferedIOBase, def write_point_list(
points: List[Sequence[int]], stream: io.BufferedIOBase,
fast: bool = False, points: List[Sequence[int]],
implicit_closed: bool = True fast: bool = False,
) -> int: implicit_closed: bool = True
) -> int:
""" """
Write a point list to a stream. Write a point list to a stream.
@ -1689,19 +1694,19 @@ def write_point_list(stream: io.BufferedIOBase,
deltas = [Delta(*points[0])] + [Delta(x, y) for x, y in diff] deltas = [Delta(*points[0])] + [Delta(x, y) for x, y in diff]
else: else:
previous = [0, 0] previous = [0, 0]
diff = [] diffl = []
for point in points: for point in points:
d = [point[0] - previous[0], d = [point[0] - previous[0],
point[1] - previous[1]] point[1] - previous[1]]
previous = point previous = point
diff.append(d) diffl.append(d)
if sum(sum(p) for p in points) < sum(sum(d) for d in diff) * decision_factor: if sum(sum(p) for p in points) < sum(sum(d) for d in diffl) * decision_factor:
list_type = 4 list_type = 4
deltas = [Delta(x, y) for x, y in points] deltas = [Delta(x, y) for x, y in points]
else: else:
list_type = 5 list_type = 5
deltas = [Delta(x, y) for x, y in diff] deltas = [Delta(x, y) for x, y in diffl]
size = write_uint(stream, list_type) size = write_uint(stream, list_type)
size += write_uint(stream, len(points)) size += write_uint(stream, len(points))
@ -1720,7 +1725,7 @@ class PropStringReference:
ref: int ref: int
reference_type: Type reference_type: Type
def __init__(self, ref: int, ref_type: Type): def __init__(self, ref: int, ref_type: Type) -> None:
""" """
:param ref: ID number of the target. :param ref: ID number of the target.
:param ref_type: Type of the target. One of bytes, NString, AString. :param ref_type: Type of the target. One of bytes, NString, AString.
@ -1732,7 +1737,7 @@ class PropStringReference:
return isinstance(other, type(self)) and self.ref == other.ref and self.reference_type == other.reference_type return isinstance(other, type(self)) and self.ref == other.ref and self.reference_type == other.reference_type
def __repr__(self) -> str: def __repr__(self) -> str:
return '[{} : {}]'.format(self.ref_type, self.ref) return f'[{self.ref_type} : {self.ref}]'
def read_property_value(stream: io.BufferedIOBase) -> property_value_t: def read_property_value(stream: io.BufferedIOBase) -> property_value_t:
@ -1789,15 +1794,16 @@ def read_property_value(stream: io.BufferedIOBase) -> property_value_t:
ref = read_uint(stream) ref = read_uint(stream)
return PropStringReference(ref, ref_type) return PropStringReference(ref, ref_type)
else: else:
raise InvalidDataError('Invalid property type: {}'.format(prop_type)) raise InvalidDataError(f'Invalid property type: {prop_type}')
def write_property_value(stream: io.BufferedIOBase, def write_property_value(
value: property_value_t, stream: io.BufferedIOBase,
force_real: bool = False, value: property_value_t,
force_signed_int: bool = False, force_real: bool = False,
force_float32: bool = False force_signed_int: bool = False,
) -> int: force_float32: bool = False,
) -> int:
""" """
Write a property value to a stream. Write a property value to a stream.
@ -1844,7 +1850,7 @@ def write_property_value(stream: io.BufferedIOBase,
size = write_uint(stream, 15) size = write_uint(stream, 15)
size += write_uint(stream, value.ref) size += write_uint(stream, value.ref)
else: else:
raise Exception('Invalid property type: {} ({})'.format(type(value), value)) raise Exception(f'Invalid property type: {type(value)} ({value})')
return size return size
@ -1885,13 +1891,14 @@ def read_interval(stream: io.BufferedIOBase) -> Tuple[Optional[int], Optional[in
elif interval_type == 4: elif interval_type == 4:
return read_uint(stream), read_uint(stream) return read_uint(stream), read_uint(stream)
else: else:
raise InvalidDataError('Unrecognized interval type: {}'.format(interval_type)) raise InvalidDataError(f'Unrecognized interval type: {interval_type}')
def write_interval(stream: io.BufferedIOBase, def write_interval(
min_bound: Optional[int] = None, stream: io.BufferedIOBase,
max_bound: Optional[int] = None min_bound: Optional[int] = None,
) -> int: max_bound: Optional[int] = None,
) -> int:
""" """
Write an interval to a stream. Write an interval to a stream.
Used for layer data; see `read_interval()` for format details. Used for layer data; see `read_interval()` for format details.
@ -1942,7 +1949,7 @@ class OffsetEntry:
strict: bool = False strict: bool = False
offset: int = 0 offset: int = 0
def __init__(self, strict: bool = False, offset: int = 0): def __init__(self, strict: bool = False, offset: int = 0) -> None:
""" """
Args: Args:
strict: `True` if the records referenced are written in strict: `True` if the records referenced are written in
@ -1983,7 +1990,7 @@ class OffsetEntry:
return write_uint(stream, self.strict) + write_uint(stream, self.offset) return write_uint(stream, self.strict) + write_uint(stream, self.offset)
def __repr__(self) -> str: def __repr__(self) -> str:
return 'Offset(s: {}, o: {})'.format(self.strict, self.offset) return f'Offset(s: {self.strict}, o: {self.offset})'
class OffsetTable: class OffsetTable:
@ -2015,13 +2022,15 @@ class OffsetTable:
layernames: OffsetEntry layernames: OffsetEntry
xnames: OffsetEntry xnames: OffsetEntry
def __init__(self, def __init__(
cellnames: Optional[OffsetEntry] = None, self,
textstrings: Optional[OffsetEntry] = None, cellnames: Optional[OffsetEntry] = None,
propnames: Optional[OffsetEntry] = None, textstrings: Optional[OffsetEntry] = None,
propstrings: Optional[OffsetEntry] = None, propnames: Optional[OffsetEntry] = None,
layernames: Optional[OffsetEntry] = None, propstrings: Optional[OffsetEntry] = None,
xnames: Optional[OffsetEntry] = None): layernames: Optional[OffsetEntry] = None,
xnames: Optional[OffsetEntry] = None,
) -> None:
""" """
All parameters default to a non-strict entry with offset `0`. All parameters default to a non-strict entry with offset `0`.
@ -2127,7 +2136,7 @@ def write_u32(stream: io.BufferedIOBase, n: int) -> int:
SignedError: if `n` is negative. SignedError: if `n` is negative.
""" """
if n < 0: if n < 0:
raise SignedError('Negative u32: {}'.format(n)) raise SignedError(f'Negative u32: {n}')
return stream.write(struct.pack('<I', n)) return stream.write(struct.pack('<I', n))
@ -2147,7 +2156,7 @@ class Validation:
checksum_type: int checksum_type: int
checksum: Optional[int] = None checksum: Optional[int] = None
def __init__(self, checksum_type: int, checksum: int = None): def __init__(self, checksum_type: int, checksum: Optional[int] = None) -> None:
""" """
Args: Args:
checksum_type: 0,1,2 (No checksum, crc32, checksum32) checksum_type: 0,1,2 (No checksum, crc32, checksum32)
@ -2207,18 +2216,16 @@ class Validation:
if self.checksum_type == 0: if self.checksum_type == 0:
return write_uint(stream, 0) return write_uint(stream, 0)
elif self.checksum is None: elif self.checksum is None:
raise InvalidDataError('Checksum is empty but type is ' raise InvalidDataError(f'Checksum is empty but type is {self.checksum_type}')
'{}'.format(self.checksum_type))
elif self.checksum_type == 1: elif self.checksum_type == 1:
return write_uint(stream, 1) + write_u32(stream, self.checksum) return write_uint(stream, 1) + write_u32(stream, self.checksum)
elif self.checksum_type == 2: elif self.checksum_type == 2:
return write_uint(stream, 2) + write_u32(stream, self.checksum) return write_uint(stream, 2) + write_u32(stream, self.checksum)
else: else:
raise InvalidDataError('Unrecognized checksum type: ' raise InvalidDataError(f'Unrecognized checksum type: {self.checksum_type}')
'{}'.format(self.checksum_type))
def __repr__(self) -> str: def __repr__(self) -> str:
return 'Validation(type: {} sum: {})'.format(self.checksum_type, self.checksum) return f'Validation(type: {self.checksum_type} sum: {self.checksum})'
def write_magic_bytes(stream: io.BufferedIOBase) -> int: def write_magic_bytes(stream: io.BufferedIOBase) -> int:
@ -2247,5 +2254,4 @@ def read_magic_bytes(stream: io.BufferedIOBase):
""" """
magic = _read(stream, len(MAGIC_BYTES)) magic = _read(stream, len(MAGIC_BYTES))
if magic != MAGIC_BYTES: if magic != MAGIC_BYTES:
raise InvalidDataError('Could not read magic bytes, ' raise InvalidDataError(f'Could not read magic bytes, found {magic!r}')
'found {!r}'.format(magic))

@ -40,7 +40,7 @@ class FileModals:
end_has_offset_table: bool = False end_has_offset_table: bool = False
started: bool = False started: bool = False
def __init__(self, property_target: List[records.Property]): def __init__(self, property_target: List[records.Property]) -> None:
self.property_target = property_target self.property_target = property_target
@ -89,7 +89,11 @@ class OasisLayout:
propstrings: Dict[int, AString] propstrings: Dict[int, AString]
layers: List[records.LayerName] layers: List[records.LayerName]
def __init__(self, unit: real_t, validation: Validation = None): def __init__(
self,
unit: real_t,
validation: Optional[Validation] = None,
) -> None:
""" """
Args: Args:
unit: Real number (i.e. int, float, or `Fraction`), grid steps per micron. unit: Real number (i.e. int, float, or `Fraction`), grid steps per micron.
@ -132,11 +136,12 @@ class OasisLayout:
pass pass
return layout return layout
def read_record(self, def read_record(
stream: io.BufferedIOBase, self,
modals: Modals, stream: io.BufferedIOBase,
file_state: FileModals modals: Modals,
) -> bool: file_state: FileModals
) -> bool:
""" """
Read a single record of unspecified type from a stream, adding its Read a single record of unspecified type from a stream, adding its
contents into this `OasisLayout` object. contents into this `OasisLayout` object.
@ -162,7 +167,7 @@ class OasisLayout:
else: else:
raise e raise e
logger.info('read_record of type {} at position 0x{:x}'.format(record_id, stream.tell())) logger.info(f'read_record of type {record_id} at position 0x{stream.tell():x}')
record: Record record: Record
@ -182,7 +187,7 @@ class OasisLayout:
# Make sure order is valid (eg, no out-of-cell geometry) # Make sure order is valid (eg, no out-of-cell geometry)
if not file_state.started and record_id != 1: if not file_state.started and record_id != 1:
raise InvalidRecordError('Non-Start record {} before Start'.format(record_id)) raise InvalidRecordError(f'Non-Start record {record_id} before Start')
if record_id == 1: if record_id == 1:
if file_state.started: if file_state.started:
raise InvalidRecordError('Duplicate Start record') raise InvalidRecordError('Duplicate Start record')
@ -201,7 +206,7 @@ class OasisLayout:
elif record_id in (13, 14): elif record_id in (13, 14):
file_state.within_cell = True file_state.within_cell = True
else: else:
raise InvalidRecordError('Unknown record id: {}'.format(record_id)) raise InvalidRecordError(f'Unknown record id: {record_id}')
if record_id == 0: if record_id == 0:
''' Pad ''' ''' Pad '''
@ -335,7 +340,7 @@ class OasisLayout:
self.cells[-1].geometry.append(record) self.cells[-1].geometry.append(record)
file_state.property_target = record.properties file_state.property_target = record.properties
else: else:
raise InvalidRecordError('Unknown record id: {}'.format(record_id)) raise InvalidRecordError(f'Unknown record id: {record_id}')
return False return False
def write(self, stream: io.BufferedIOBase) -> int: def write(self, stream: io.BufferedIOBase) -> int:
@ -412,13 +417,14 @@ class Cell:
placements: List[records.Placement] placements: List[records.Placement]
geometry: List[records.geometry_t] geometry: List[records.geometry_t]
def __init__(self, def __init__(
name: Union[NString, str, int], self,
*, name: Union[NString, str, int],
properties: Optional[List[records.Property]] = None, *,
placements: Optional[List[records.Placement]] = None, properties: Optional[List[records.Property]] = None,
geometry: Optional[List[records.geometry_t]] = None, placements: Optional[List[records.Placement]] = None,
): geometry: Optional[List[records.geometry_t]] = None,
) -> None:
self.name = name if isinstance(name, (NString, int)) else NString(name) self.name = name if isinstance(name, (NString, int)) else NString(name)
self.properties = [] if properties is None else properties self.properties = [] if properties is None else properties
self.placements = [] if placements is None else placements self.placements = [] if placements is None else placements
@ -460,9 +466,11 @@ class CellName:
nstring: NString nstring: NString
properties: List[records.Property] properties: List[records.Property]
def __init__(self, def __init__(
nstring: Union[NString, str], self,
properties: Optional[List[records.Property]] = None): nstring: Union[NString, str],
properties: Optional[List[records.Property]] = None,
) -> None:
""" """
Args: Args:
nstring: The contained string. nstring: The contained string.
@ -499,7 +507,7 @@ class XName:
attribute: int attribute: int
bstring: bytes bstring: bytes
def __init__(self, attribute: int, bstring: bytes): def __init__(self, attribute: int, bstring: bytes) -> None:
""" """
Args: Args:
attribute: Attribute number. attribute: Attribute number.

File diff suppressed because it is too large Load Diff

@ -12,7 +12,8 @@ from . import (
test_files_circles, test_files_ctrapezoids, test_files_trapezoids, test_files_circles, test_files_ctrapezoids, test_files_trapezoids,
test_files_placements, test_files_paths, test_files_modals, test_files_placements, test_files_paths, test_files_modals,
test_files_polygons, test_files_rectangles, test_files_empty, test_files_polygons, test_files_rectangles, test_files_empty,
test_files_texts, test_files_cells) test_files_texts, test_files_cells,
)
def build_file(num: str, func: Callable[[BufferedIOBase], BufferedIOBase]) -> None: def build_file(num: str, func: Callable[[BufferedIOBase], BufferedIOBase]) -> None:

Loading…
Cancel
Save