Spaces:
Running
Running
File size: 1,173 Bytes
8cdce17 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 |
from struct import pack, unpack
_UINT_16_SIZE = 2
_UINT_32_SIZE = 4
class Decoder:
_position: int
_data: bytes
def __init__(self, data: bytes):
self._position = 0
self._data = data
def read_uint16(self):
value = int.from_bytes(self._data[self._position:self._position + _UINT_16_SIZE], "big")
self._position += _UINT_16_SIZE
return value
def read_uint32(self):
value = int.from_bytes(self._data[self._position:self._position + _UINT_32_SIZE], "big")
self._position += _UINT_32_SIZE
return value
def read_float(self) -> float:
return unpack(">f", pack(">L", self.read_uint32()))[0]
def read_str(self):
length = self._data[self._position]
self._position += 1
value = self._data[self._position:self._position + length]
self._position += length
return value.decode()
def read_sized_str(self, length: int):
value = self._data[self._position:self._position + length]
self._position += length
return value.decode()
@property
def eof(self):
return self._position >= len(self._data)
|