from io import BytesIO, BufferedReader from tl import tlobjects from struct import unpack from errors import * import inspect import os class BinaryReader: """ Small utility class to read binary data. Also creates a "Memory Stream" if necessary """ def __init__(self, data=None, stream=None): if data: self.stream = BytesIO(data) elif stream: self.stream = stream else: raise InvalidParameterError("Either bytes or a stream must be provided") self.reader = BufferedReader(self.stream) # region Reading # "All numbers are written as little endian." |> Source: https://core.telegram.org/mtproto def read_byte(self): """Reads a single byte value""" return self.read(1)[0] def read_int(self, signed=True): """Reads an integer (4 bytes) value""" return int.from_bytes(self.read(4), byteorder='little', signed=signed) def read_long(self, signed=True): """Reads a long integer (8 bytes) value""" return int.from_bytes(self.read(8), byteorder='little', signed=signed) def read_float(self): """Reads a real floating point (4 bytes) value""" return unpack(' 0: padding = 4 - padding self.read(padding) return data def tgread_string(self): """Reads a Telegram-encoded string""" return str(self.tgread_bytes(), encoding='utf-8') def tgread_bool(self): """Reads a Telegram boolean value""" value = self.read_int(signed=False) if value == 0x997275b5: # boolTrue return True elif value == 0xbc799737: # boolFalse return False else: raise ValueError('Invalid boolean code {}'.format(hex(value))) def tgread_object(self): """Reads a Telegram object""" constructor_id = self.read_int(signed=False) clazz = tlobjects.get(constructor_id, None) if clazz is None: raise TypeNotFoundError(constructor_id) # Now we need to determine the number of parameters of the class, so we can # instantiate it with all of them set to None, and still, no need to write # the default =None in all the classes, thus forcing the user to provide a real value sig = inspect.signature(clazz.__init__) params = [None] * (len(sig.parameters) - 1) # Subtract 1 (self) result = clazz(*params) # https://docs.python.org/3/tutorial/controlflow.html#unpacking-argument-lists # Finally, read the object and return the result result.on_response(self) return result # endregion def close(self): self.reader.close() # region Position related def tell_position(self): """Tells the current position on the stream""" return self.reader.tell() def set_position(self, position): """Sets the current position on the stream""" self.reader.seek(position) def seek(self, offset): """Seeks the stream position given an offset from the current position. May be negative""" self.reader.seek(offset, os.SEEK_CUR) # endregion # region with block def __enter__(self): return self def __exit__(self, exc_type, exc_val, exc_tb): self.close() # endregion