diff --git a/README.rst b/README.rst index 3b7f7d55..73aafccb 100755 --- a/README.rst +++ b/README.rst @@ -53,12 +53,12 @@ if you're new with ``asyncio``. .. code:: python - print(me.stringify()) + print(client.get_me().stringify()) await client.send_message('username', 'Hello! Talking to you from Telethon') await client.send_file('username', '/home/myself/Pictures/holidays.jpg') - await client.download_profile_photo(me) + await client.download_profile_photo('me') messages = await client.get_message_history('username') await client.download_media(messages[0]) diff --git a/optional-requirements.txt b/optional-requirements.txt index 55bfc014..fb83c1ab 100644 --- a/optional-requirements.txt +++ b/optional-requirements.txt @@ -1,3 +1,4 @@ cryptg pysocks hachoir3 +sqlalchemy diff --git a/readthedocs/extra/advanced-usage/sessions.rst b/readthedocs/extra/advanced-usage/sessions.rst index fca7828e..ad824837 100644 --- a/readthedocs/extra/advanced-usage/sessions.rst +++ b/readthedocs/extra/advanced-usage/sessions.rst @@ -25,29 +25,89 @@ file, so that you can quickly access them by username or phone number. If you're not going to work with updates, or don't need to cache the ``access_hash`` associated with the entities' ID, you can disable this -by setting ``client.session.save_entities = False``, or pass it as a -parameter to the ``TelegramClient``. +by setting ``client.session.save_entities = False``. -If you don't want to save the files as a database, you can also create -your custom ``Session`` subclass and override the ``.save()`` and ``.load()`` -methods. For example, you could save it on a database: +Custom Session Storage +---------------------- + +If you don't want to use the default SQLite session storage, you can also use +one of the other implementations or implement your own storage. + +To use a custom session storage, simply pass the custom session instance to +``TelegramClient`` instead of the session name. + +Currently, there are three implementations of the abstract ``Session`` class: +* MemorySession. Stores session data in Python variables. +* SQLiteSession, the default. Stores sessions in their own SQLite databases. +* AlchemySession. Stores all sessions in a single database via SQLAlchemy. + +Using AlchemySession +~~~~~~~~~~~~~~~~~~~~ +The AlchemySession implementation can store multiple Sessions in the same +database, but to do this, each session instance needs to have access to the +same models and database session. + +To get started, you need to create an ``AlchemySessionContainer`` which will +contain that shared data. The simplest way to use ``AlchemySessionContainer`` +is to simply pass it the database URL: .. code-block:: python - class DatabaseSession(Session): - def save(): - # serialize relevant data to the database + container = AlchemySessionContainer('mysql://user:pass@localhost/telethon') - def load(): - # load relevant data to the database +If you already have SQLAlchemy set up for your own project, you can also pass +the engine separately: + + .. code-block:: python + + my_sqlalchemy_engine = sqlalchemy.create_engine('...') + container = AlchemySessionContainer(engine=my_sqlalchemy_engine) + +By default, the session container will manage table creation/schema updates/etc +automatically. If you want to manage everything yourself, you can pass your +SQLAlchemy Session and ``declarative_base`` instances and set ``manage_tables`` +to ``False``: + + .. code-block:: python + + from sqlalchemy.ext.declarative import declarative_base + from sqlalchemy import orm + import sqlalchemy + + ... + + session_factory = orm.sessionmaker(bind=my_sqlalchemy_engine) + session = session_factory() + my_base = declarative_base() + + ... + + container = AlchemySessionContainer(session=session, table_base=my_base, manage_tables=False) + +You always need to provide either ``engine`` or ``session`` to the container. +If you set ``manage_tables=False`` and provide a ``session``, ``engine`` is not +needed. In any other case, ``engine`` is always required. + +After you have your ``AlchemySessionContainer`` instance created, you can +create new sessions by calling ``new_session``: + + .. code-block:: python + + session = container.new_session('some session id') + client = TelegramClient(session) + +where ``some session id`` is an unique identifier for the session. + +Creating your own storage +~~~~~~~~~~~~~~~~~~~~~~~~~ + +The easiest way to create your own implementation is to use MemorySession as +the base and check out how ``SQLiteSession`` or ``AlchemySession`` work. You +can find the relevant Python files under the ``sessions`` directory. -You should read the ````session.py```` source file to know what "relevant -data" you need to keep track of. - - -Sessions and Heroku -------------------- +SQLite Sessions and Heroku +-------------------------- You probably have a newer version of SQLite installed (>= 3.8.2). Heroku uses SQLite 3.7.9 which does not support ``WITHOUT ROWID``. So, if you generated @@ -59,8 +119,8 @@ session file on your Heroku dyno itself. The most complicated is creating a custom buildpack to install SQLite >= 3.8.2. -Generating a Session File on a Heroku Dyno -~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ +Generating a SQLite Session File on a Heroku Dyno +~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ .. note:: Due to Heroku's ephemeral filesystem all dynamically generated diff --git a/readthedocs/extra/advanced-usage/update-modes.rst b/readthedocs/extra/advanced-usage/update-modes.rst index 83495ef7..942af9c9 100644 --- a/readthedocs/extra/advanced-usage/update-modes.rst +++ b/readthedocs/extra/advanced-usage/update-modes.rst @@ -37,7 +37,7 @@ an `Update`__ arrives: def callback(update): print('I received', update) - client.add_update_handler(callback) + client.add_event_handler(callback) # do more work here, or simply sleep! That's it! This is the old way to listen for raw updates, with no further @@ -56,7 +56,7 @@ let's reply to them with the same text reversed: client.send_message(PeerUser(update.user_id), update.message[::-1]) - client.add_update_handler(replier) + client.add_event_handler(replier) input('Press enter to stop this!') client.disconnect() @@ -96,9 +96,9 @@ additional workers: ``client = TelegramClient('session', api_id, api_hash, update_workers=0)`` -You **must** set it to ``0`` (or other number), as it defaults to ``None`` -and there is a different. ``None`` workers means updates won't be processed -*at all*, so you must set it to some value (``0`` or greater) if you want +You **must** set it to ``0`` (or higher), as it defaults to ``None`` and that +has a different meaning. ``None`` workers means updates won't be processed +*at all*, so you must set it to some integer value if you want ``client.updates.poll()`` to work. @@ -134,7 +134,7 @@ As a complete example: update_workers=1, spawn_read_thread=False) client.connect() - client.add_update_handler(callback) + client.add_event_handler(callback) client.idle() # ends with Ctrl+C diff --git a/readthedocs/extra/basic/entities.rst b/readthedocs/extra/basic/entities.rst index 472942a7..b68a74d7 100644 --- a/readthedocs/extra/basic/entities.rst +++ b/readthedocs/extra/basic/entities.rst @@ -43,14 +43,15 @@ you're able to just do this: my_channel = client.get_entity(PeerChannel(some_id)) -All methods in the :ref:`telegram-client` call ``.get_input_entity()`` to -further save you from the hassle of doing so manually, so doing things like -``client.send_message('lonami', 'hi!')`` is possible. +All methods in the :ref:`telegram-client` call ``.get_input_entity()`` prior +to sending the requst to save you from the hassle of doing so manually. +That way, convenience calls such as ``client.send_message('lonami', 'hi!')`` +become possible. -Every entity the library "sees" (in any response to any call) will by -default be cached in the ``.session`` file, to avoid performing -unnecessary API calls. If the entity cannot be found, some calls -like ``ResolveUsernameRequest`` or ``GetContactsRequest`` may be +Every entity the library encounters (in any response to any call) will by +default be cached in the ``.session`` file (an SQLite database), to avoid +performing unnecessary API calls. If the entity cannot be found, additonal +calls like ``ResolveUsernameRequest`` or ``GetContactsRequest`` may be made to obtain the required information. @@ -61,16 +62,18 @@ Entities vs. Input Entities Don't worry if you don't understand this section, just remember some of the details listed here are important. When you're calling a method, - don't call ``.get_entity()`` before, just use the username or phone, + don't call ``.get_entity()`` beforehand, just use the username or phone, or the entity retrieved by other means like ``.get_dialogs()``. -To save bandwidth, the API also makes use of their "input" versions. -The input version of an entity (e.g. ``InputPeerUser``, ``InputChat``, -etc.) only contains the minimum required information that's required -for Telegram to be able to identify who you're referring to: their ID -and hash. This ID/hash pair is unique per user, so if you use the pair -given by another user **or bot** it will **not** work. +On top of the normal types, the API also make use of what they call their +``Input*`` versions of objects. The input version of an entity (e.g. +``InputPeerUser``, ``InputChat``, etc.) only contains the minimum +information that's required from Telegram to be able to identify +who you're referring to: a ``Peer``'s **ID** and **hash**. + +This ID/hash pair is unique per user, so if you use the pair given by another +user **or bot** it will **not** work. To save *even more* bandwidth, the API also makes use of the ``Peer`` versions, which just have an ID. This serves to identify them, but diff --git a/readthedocs/extra/basic/installation.rst b/readthedocs/extra/basic/installation.rst index 0f812127..c00ea79c 100644 --- a/readthedocs/extra/basic/installation.rst +++ b/readthedocs/extra/basic/installation.rst @@ -65,9 +65,10 @@ To generate the `method documentation`__, ``cd docs`` and then Optional dependencies ********************* -If ``libssl`` is available on your system, it will be used wherever encryption -is needed, but otherwise it will fall back to pure Python implementation so it -will also work without it. +If the `cryptg`__ is installed, you might notice a speed-up in the download +and upload speed, since these are the most cryptographic-heavy part of the +library and said module is a C extension. Otherwise, the ``pyaes`` fallback +will be used. __ https://github.com/ricmoo/pyaes @@ -75,3 +76,4 @@ __ https://pypi.python.org/pypi/pyaes __ https://github.com/sybrenstuvel/python-rsa __ https://pypi.python.org/pypi/rsa/3.4.2 __ https://lonamiwebs.github.io/Telethon +__ https://github.com/Lonami/cryptg diff --git a/readthedocs/extra/basic/working-with-updates.rst b/readthedocs/extra/basic/working-with-updates.rst index a6c0a529..652f6000 100644 --- a/readthedocs/extra/basic/working-with-updates.rst +++ b/readthedocs/extra/basic/working-with-updates.rst @@ -10,6 +10,16 @@ over what Telegram calls `updates`__, and are meant to ease simple and common usage when dealing with them, since there are many updates. Let's dive in! +.. note:: + + The library logs by default no output, and any exception that occurs + inside your handlers will be "hidden" from you to prevent the thread + from terminating (so it can still deliver events). You should enable + logging (``import logging; logging.basicConfig(level=logging.ERROR)``) + when working with events, at least the error level, to see if this is + happening so you can debug the error. + + .. contents:: @@ -121,6 +131,33 @@ random number, while if you say ``'eval 4+4'``, you will reply with the solution. Try it! +Stopping propagation of Updates +******************************* + +There might be cases when an event handler is supposed to be used solitary and +it makes no sense to process any other handlers in the chain. For this case, +it is possible to raise a ``StopPropagation`` exception which will cause the +propagation of the update through your handlers to stop: + + .. code-block:: python + + from telethon.events import StopPropagation + + @client.on(events.NewMessage) + def _(event): + # ... some conditions + event.delete() + + # Other handlers won't have an event to work with + raise StopPropagation + + @client.on(events.NewMessage) + def _(event): + # Will never be reached, because it is the second handler + # in the chain. + pass + + Events module ************* diff --git a/readthedocs/extra/developing/telegram-api-in-other-languages.rst b/readthedocs/extra/developing/telegram-api-in-other-languages.rst index 44e45d51..7637282e 100644 --- a/readthedocs/extra/developing/telegram-api-in-other-languages.rst +++ b/readthedocs/extra/developing/telegram-api-in-other-languages.rst @@ -18,6 +18,14 @@ there by `@vysheng `__, `telegram-cli `__. Latest development has been moved to `BitBucket `__. +C++ +*** + +The newest (and official) library, written from scratch, is called +`tdlib `__ and is what the Telegram X +uses. You can find more information in the official documentation, +published `here `__. + JavaScript ********** @@ -52,13 +60,14 @@ Python A fairly new (as of the end of 2017) Telegram library written from the ground up in Python by `@delivrance `__ and his -`Pyrogram `__ library! No hard -feelings Dan and good luck dealing with some of your users ;) +`Pyrogram `__ library. +There isn't really a reason to pick it over Telethon and it'd be kinda +sad to see you go, but it would be nice to know what you miss from each +other library in either one so both can improve. Rust **** Yet another work-in-progress implementation, this time for Rust thanks to `@JuanPotato `__ under the fancy -name of `Vail `__. This one is very -early still, but progress is being made at a steady rate. +name of `Vail `__. diff --git a/readthedocs/extra/examples/chats-and-channels.rst b/readthedocs/extra/examples/chats-and-channels.rst index 44ee6112..95fa1b1e 100644 --- a/readthedocs/extra/examples/chats-and-channels.rst +++ b/readthedocs/extra/examples/chats-and-channels.rst @@ -121,6 +121,13 @@ a fixed limit: offset += len(participants.users) +.. note:: + + It is **not** possible to get more than 10,000 members from a + group. It's a hard limit impossed by Telegram and there is + nothing you can do about it. Refer to `issue 573`__ for more. + + Note that ``GetParticipantsRequest`` returns `ChannelParticipants`__, which may have more information you need (like the role of the participants, total count of members, etc.) @@ -130,6 +137,7 @@ __ https://lonamiwebs.github.io/Telethon/methods/channels/get_participants.html __ https://lonamiwebs.github.io/Telethon/types/channel_participants_filter.html __ https://lonamiwebs.github.io/Telethon/constructors/channel_participants_search.html __ https://lonamiwebs.github.io/Telethon/constructors/channels/channel_participants.html +__ https://github.com/LonamiWebs/Telethon/issues/573 Recent Actions diff --git a/readthedocs/extra/examples/working-with-messages.rst b/readthedocs/extra/examples/working-with-messages.rst index ab38788c..e2471a25 100644 --- a/readthedocs/extra/examples/working-with-messages.rst +++ b/readthedocs/extra/examples/working-with-messages.rst @@ -114,8 +114,7 @@ send yourself the very first sticker you have: id=InputDocument( id=stickers.documents[0].id, access_hash=stickers.documents[0].access_hash - ), - caption='' + ) ) )) diff --git a/setup.py b/setup.py index 00dd7446..0e052d31 100755 --- a/setup.py +++ b/setup.py @@ -151,7 +151,8 @@ def main(): ]), install_requires=['pyaes', 'rsa'], extras_require={ - 'cryptg': ['cryptg'] + 'cryptg': ['cryptg'], + 'sqlalchemy': ['sqlalchemy'] } ) diff --git a/telethon/events/__init__.py b/telethon/events/__init__.py index ede1f3e2..6c909180 100644 --- a/telethon/events/__init__.py +++ b/telethon/events/__init__.py @@ -14,7 +14,7 @@ async def _into_id_set(client, chats): if chats is None: return None - if not hasattr(chats, '__iter__') or isinstance(chats, str): + if not utils.is_list_like(chats): chats = (chats,) result = set() @@ -77,6 +77,8 @@ class _EventCommon(abc.ABC): self._input_chat = None self._chat = None + self.pattern_match = None + self.is_private = isinstance(chat_peer, types.PeerUser) self.is_group = ( isinstance(chat_peer, (types.PeerChat, types.PeerChannel)) @@ -251,8 +253,12 @@ class NewMessage(_EventBuilder): return if self.outgoing and not event.message.out: return - if self.pattern and not self.pattern(event.message.message or ''): - return + + if self.pattern: + match = self.pattern(event.message.message or '') + if not match: + return + event.pattern_match = match return self._filter_event(event) @@ -277,7 +283,14 @@ class NewMessage(_EventBuilder): Whether the message is a reply to some other or not. """ def __init__(self, message): - super().__init__(chat_peer=message.to_id, + if not message.out and isinstance(message.to_id, types.PeerUser): + # Incoming message (e.g. from a bot) has to_id=us, and + # from_id=bot (the actual "chat" from an user's perspective). + chat_peer = types.PeerUser(message.from_id) + else: + chat_peer = message.to_id + + super().__init__(chat_peer=chat_peer, msg_id=message.id, broadcast=bool(message.post)) self.message = message @@ -866,3 +879,26 @@ class MessageChanged(_EventBuilder): self.edited = bool(edit_msg) self.deleted = bool(deleted_ids) self.deleted_ids = deleted_ids or [] + + +class StopPropagation(Exception): + """ + If this Exception is found to be raised in any of the handlers for a + given update, it will stop the execution of all other registered + event handlers in the chain. + Think of it like a ``StopIteration`` exception in a for loop. + + Example usage: + ``` + @client.on(events.NewMessage) + def delete(event): + event.delete() + # Other handlers won't have an event to work with + raise StopPropagation + + @client.on(events.NewMessage) + def _(event): + # Will never be reached, because it is the second handler in the chain. + pass + ``` + """ diff --git a/telethon/extensions/markdown.py b/telethon/extensions/markdown.py index 46974482..15d3b66e 100644 --- a/telethon/extensions/markdown.py +++ b/telethon/extensions/markdown.py @@ -21,10 +21,7 @@ DEFAULT_DELIMITERS = { '```': MessageEntityPre } -# Regex used to match r'\[(.+?)\]\((.+?)\)' (for URLs. -DEFAULT_URL_RE = re.compile(r'\[(.+?)\]\((.+?)\)') - -# Reverse operation for DEFAULT_URL_RE. {0} for text, {1} for URL. +DEFAULT_URL_RE = re.compile(r'\[([^\]]+)\]\((.+?)\)') DEFAULT_URL_FORMAT = '[{0}]({1})' diff --git a/telethon/extensions/tcp_client.py b/telethon/extensions/tcp_client.py index 588899b4..3babfb3d 100644 --- a/telethon/extensions/tcp_client.py +++ b/telethon/extensions/tcp_client.py @@ -4,6 +4,7 @@ This module holds a rough implementation of the C# TCP client. # Python rough implementation of a C# TCP client import asyncio import errno +import logging import socket import time from datetime import timedelta @@ -26,6 +27,8 @@ CONN_RESET_ERRNOS = { errno.EINVAL, errno.ENOTCONN } +__log__ = logging.getLogger(__name__) + class TcpClient: """A simple TCP client to ease the work with sockets and proxies.""" @@ -86,6 +89,7 @@ class TcpClient: await asyncio.sleep(timeout) timeout = min(timeout * 2, MAX_TIMEOUT) except OSError as e: + __log__.info('OSError "%s" raised while connecting', e) # Stop retrying to connect if proxy connection error occurred if socks and isinstance(e, socks.ProxyConnectionError): raise @@ -126,7 +130,7 @@ class TcpClient: :param data: the data to send. """ if self._socket is None: - self._raise_connection_reset() + self._raise_connection_reset(None) try: await asyncio.wait_for( @@ -135,12 +139,15 @@ class TcpClient: loop=self._loop ) except asyncio.TimeoutError as e: + __log__.debug('socket.timeout "%s" while writing data', e) raise TimeoutError() from e - except ConnectionError: - self._raise_connection_reset() + except ConnectionError as e: + __log__.info('ConnectionError "%s" while writing data', e) + self._raise_connection_reset(e) except OSError as e: + __log__.info('OSError "%s" while writing data', e) if e.errno in CONN_RESET_ERRNOS: - self._raise_connection_reset() + self._raise_connection_reset(e) else: raise @@ -152,7 +159,7 @@ class TcpClient: :return: the read data with len(data) == size. """ if self._socket is None: - self._raise_connection_reset() + self._raise_connection_reset(None) with BufferedWriter(BytesIO(), buffer_size=size) as buffer: bytes_left = size @@ -166,17 +173,25 @@ class TcpClient: loop=self._loop ) except asyncio.TimeoutError as e: + # These are somewhat common if the server has nothing + # to send to us, so use a lower logging priority. + __log__.debug('socket.timeout "%s" while reading data', e) raise TimeoutError() from e - except ConnectionError: - self._raise_connection_reset() + except ConnectionError as e: + __log__.info('ConnectionError "%s" while reading data', e) + self._raise_connection_reset(e) except OSError as e: + if e.errno != errno.EBADF: + # Ignore bad file descriptor while closing + __log__.info('OSError "%s" while reading data', e) + if e.errno in CONN_RESET_ERRNOS: - self._raise_connection_reset() + self._raise_connection_reset(e) else: raise if len(partial) == 0: - self._raise_connection_reset() + self._raise_connection_reset(None) buffer.write(partial) bytes_left -= len(partial) @@ -185,10 +200,10 @@ class TcpClient: buffer.flush() return buffer.raw.getvalue() - def _raise_connection_reset(self): + def _raise_connection_reset(self, original): """Disconnects the client and raises ConnectionResetError.""" self.close() # Connection reset -> flag as socket closed - raise ConnectionResetError('The server has closed the connection.') + raise ConnectionResetError('The server has closed the connection.') from original # due to new https://github.com/python/cpython/pull/4386 def sock_recv(self, n): diff --git a/telethon/network/mtproto_sender.py b/telethon/network/mtproto_sender.py index 2e0e7748..aa58ae6e 100644 --- a/telethon/network/mtproto_sender.py +++ b/telethon/network/mtproto_sender.py @@ -405,13 +405,13 @@ class MtProtoSender: elif bad_msg.error_code == 32: # msg_seqno too low, so just pump it up by some "large" amount # TODO A better fix would be to start with a new fresh session ID - self.session._sequence += 64 + self.session.sequence += 64 __log__.info('Attempting to set the right higher sequence') await self._resend_request(bad_msg.bad_msg_id) return True elif bad_msg.error_code == 33: # msg_seqno too high never seems to happen but just in case - self.session._sequence -= 16 + self.session.sequence -= 16 __log__.info('Attempting to set the right lower sequence') await self._resend_request(bad_msg.bad_msg_id) return True diff --git a/telethon/sessions/__init__.py b/telethon/sessions/__init__.py new file mode 100644 index 00000000..a487a4bd --- /dev/null +++ b/telethon/sessions/__init__.py @@ -0,0 +1,4 @@ +from .abstract import Session +from .memory import MemorySession +from .sqlite import SQLiteSession +from .sqlalchemy import AlchemySessionContainer, AlchemySession diff --git a/telethon/sessions/abstract.py b/telethon/sessions/abstract.py new file mode 100644 index 00000000..647a87c1 --- /dev/null +++ b/telethon/sessions/abstract.py @@ -0,0 +1,147 @@ +from abc import ABC, abstractmethod +import time +import struct +import os + + +class Session(ABC): + def __init__(self): + self.id = struct.unpack('q', os.urandom(8))[0] + + self._sequence = 0 + self._last_msg_id = 0 + self._time_offset = 0 + self._salt = 0 + self._report_errors = True + self._flood_sleep_threshold = 60 + + def clone(self, to_instance=None): + cloned = to_instance or self.__class__() + cloned._report_errors = self.report_errors + cloned._flood_sleep_threshold = self.flood_sleep_threshold + return cloned + + @abstractmethod + def set_dc(self, dc_id, server_address, port): + raise NotImplementedError + + @property + @abstractmethod + def server_address(self): + raise NotImplementedError + + @property + @abstractmethod + def port(self): + raise NotImplementedError + + @property + @abstractmethod + def auth_key(self): + raise NotImplementedError + + @auth_key.setter + @abstractmethod + def auth_key(self, value): + raise NotImplementedError + + @abstractmethod + def close(self): + raise NotImplementedError + + @abstractmethod + def save(self): + raise NotImplementedError + + @abstractmethod + def delete(self): + raise NotImplementedError + + @classmethod + @abstractmethod + def list_sessions(cls): + raise NotImplementedError + + @abstractmethod + def process_entities(self, tlo): + raise NotImplementedError + + @abstractmethod + def get_input_entity(self, key): + raise NotImplementedError + + @abstractmethod + def cache_file(self, md5_digest, file_size, instance): + raise NotImplementedError + + @abstractmethod + def get_file(self, md5_digest, file_size, cls): + raise NotImplementedError + + @property + def salt(self): + return self._salt + + @salt.setter + def salt(self, value): + self._salt = value + + @property + def report_errors(self): + return self._report_errors + + @report_errors.setter + def report_errors(self, value): + self._report_errors = value + + @property + def time_offset(self): + return self._time_offset + + @time_offset.setter + def time_offset(self, value): + self._time_offset = value + + @property + def flood_sleep_threshold(self): + return self._flood_sleep_threshold + + @flood_sleep_threshold.setter + def flood_sleep_threshold(self, value): + self._flood_sleep_threshold = value + + @property + def sequence(self): + return self._sequence + + @sequence.setter + def sequence(self, value): + self._sequence = value + + def get_new_msg_id(self): + """Generates a new unique message ID based on the current + time (in ms) since epoch""" + now = time.time() + self._time_offset + nanoseconds = int((now - int(now)) * 1e+9) + new_msg_id = (int(now) << 32) | (nanoseconds << 2) + + if self._last_msg_id >= new_msg_id: + new_msg_id = self._last_msg_id + 4 + + self._last_msg_id = new_msg_id + + return new_msg_id + + def update_time_offset(self, correct_msg_id): + now = int(time.time()) + correct = correct_msg_id >> 32 + self._time_offset = correct - now + self._last_msg_id = 0 + + def generate_sequence(self, content_related): + if content_related: + result = self._sequence * 2 + 1 + self._sequence += 1 + return result + else: + return self._sequence * 2 diff --git a/telethon/sessions/memory.py b/telethon/sessions/memory.py new file mode 100644 index 00000000..7ab31b21 --- /dev/null +++ b/telethon/sessions/memory.py @@ -0,0 +1,204 @@ +from enum import Enum + +from .. import utils +from .abstract import Session +from ..tl import TLObject + +from ..tl.types import ( + PeerUser, PeerChat, PeerChannel, + InputPeerUser, InputPeerChat, InputPeerChannel, + InputPhoto, InputDocument +) + + +class _SentFileType(Enum): + DOCUMENT = 0 + PHOTO = 1 + + @staticmethod + def from_type(cls): + if cls == InputDocument: + return _SentFileType.DOCUMENT + elif cls == InputPhoto: + return _SentFileType.PHOTO + else: + raise ValueError('The cls must be either InputDocument/InputPhoto') + + +class MemorySession(Session): + def __init__(self): + super().__init__() + + self._dc_id = None + self._server_address = None + self._port = None + self._auth_key = None + + self._files = {} + self._entities = set() + + def set_dc(self, dc_id, server_address, port): + self._dc_id = dc_id + self._server_address = server_address + self._port = port + + @property + def server_address(self): + return self._server_address + + @property + def port(self): + return self._port + + @property + def auth_key(self): + return self._auth_key + + @auth_key.setter + def auth_key(self, value): + self._auth_key = value + + def close(self): + pass + + def save(self): + pass + + def delete(self): + pass + + @classmethod + def list_sessions(cls): + raise NotImplementedError + + def _entity_values_to_row(self, id, hash, username, phone, name): + return id, hash, username, phone, name + + def _entity_to_row(self, e): + if not isinstance(e, TLObject): + return + try: + p = utils.get_input_peer(e, allow_self=False) + marked_id = utils.get_peer_id(p) + except ValueError: + return + + if isinstance(p, (InputPeerUser, InputPeerChannel)): + if not p.access_hash: + # Some users and channels seem to be returned without + # an 'access_hash', meaning Telegram doesn't want you + # to access them. This is the reason behind ensuring + # that the 'access_hash' is non-zero. See issue #354. + # Note that this checks for zero or None, see #392. + return + else: + p_hash = p.access_hash + elif isinstance(p, InputPeerChat): + p_hash = 0 + else: + return + + username = getattr(e, 'username', None) or None + if username is not None: + username = username.lower() + phone = getattr(e, 'phone', None) + name = utils.get_display_name(e) or None + return self._entity_values_to_row(marked_id, p_hash, username, phone, name) + + def _entities_to_rows(self, tlo): + if not isinstance(tlo, TLObject) and utils.is_list_like(tlo): + # This may be a list of users already for instance + entities = tlo + else: + entities = [] + if hasattr(tlo, 'chats') and utils.is_list_like(tlo.chats): + entities.extend(tlo.chats) + if hasattr(tlo, 'users') and utils.is_list_like(tlo.users): + entities.extend(tlo.users) + if not entities: + return + + rows = [] # Rows to add (id, hash, username, phone, name) + for e in entities: + row = self._entity_to_row(e) + if row: + rows.append(row) + return rows + + def process_entities(self, tlo): + self._entities += set(self._entities_to_rows(tlo)) + + def get_entity_rows_by_phone(self, phone): + rows = [(id, hash) for id, hash, _, found_phone, _ + in self._entities if found_phone == phone] + return rows[0] if rows else None + + def get_entity_rows_by_username(self, username): + rows = [(id, hash) for id, hash, found_username, _, _ + in self._entities if found_username == username] + return rows[0] if rows else None + + def get_entity_rows_by_name(self, name): + rows = [(id, hash) for id, hash, _, _, found_name + in self._entities if found_name == name] + return rows[0] if rows else None + + def get_entity_rows_by_id(self, id): + rows = [(id, hash) for found_id, hash, _, _, _ + in self._entities if found_id == id] + return rows[0] if rows else None + + def get_input_entity(self, key): + try: + if key.SUBCLASS_OF_ID in (0xc91c90b6, 0xe669bf46, 0x40f202fd): + # hex(crc32(b'InputPeer', b'InputUser' and b'InputChannel')) + # We already have an Input version, so nothing else required + return key + # Try to early return if this key can be casted as input peer + return utils.get_input_peer(key) + except (AttributeError, TypeError): + # Not a TLObject or can't be cast into InputPeer + if isinstance(key, TLObject): + key = utils.get_peer_id(key) + + result = None + if isinstance(key, str): + phone = utils.parse_phone(key) + if phone: + result = self.get_entity_rows_by_phone(phone) + else: + username, _ = utils.parse_username(key) + if username: + result = self.get_entity_rows_by_username(username) + + if isinstance(key, int): + result = self.get_entity_rows_by_id(key) + + if not result and isinstance(key, str): + result = self.get_entity_rows_by_name(key) + + if result: + i, h = result # unpack resulting tuple + i, k = utils.resolve_id(i) # removes the mark and returns kind + if k == PeerUser: + return InputPeerUser(i, h) + elif k == PeerChat: + return InputPeerChat(i) + elif k == PeerChannel: + return InputPeerChannel(i, h) + else: + raise ValueError('Could not find input entity with key ', key) + + def cache_file(self, md5_digest, file_size, instance): + if not isinstance(instance, (InputDocument, InputPhoto)): + raise TypeError('Cannot cache %s instance' % type(instance)) + key = (md5_digest, file_size, _SentFileType.from_type(instance)) + value = (instance.id, instance.access_hash) + self._files[key] = value + + def get_file(self, md5_digest, file_size, cls): + key = (md5_digest, file_size, _SentFileType.from_type(cls)) + try: + return self._files[key] + except KeyError: + return None diff --git a/telethon/sessions/sqlalchemy.py b/telethon/sessions/sqlalchemy.py new file mode 100644 index 00000000..933f44c2 --- /dev/null +++ b/telethon/sessions/sqlalchemy.py @@ -0,0 +1,225 @@ +try: + from sqlalchemy.ext.declarative import declarative_base + from sqlalchemy import Column, String, Integer, BLOB, orm + import sqlalchemy as sql +except ImportError: + sql = None + pass + +from ..crypto import AuthKey +from ..tl.types import InputPhoto, InputDocument + +from .memory import MemorySession, _SentFileType + +LATEST_VERSION = 1 + + +class AlchemySessionContainer: + def __init__(self, engine=None, session=None, table_prefix='', + table_base=None, manage_tables=True): + if not sql: + raise ImportError('SQLAlchemy not imported') + if isinstance(engine, str): + engine = sql.create_engine(engine) + + self.db_engine = engine + if not session: + db_factory = orm.sessionmaker(bind=self.db_engine) + self.db = orm.scoping.scoped_session(db_factory) + else: + self.db = session + + table_base = table_base or declarative_base() + (self.Version, self.Session, self.Entity, + self.SentFile) = self.create_table_classes(self.db, table_prefix, + table_base) + + if manage_tables: + table_base.metadata.bind = self.db_engine + if not self.db_engine.dialect.has_table(self.db_engine, + self.Version.__tablename__): + table_base.metadata.create_all() + self.db.add(self.Version(version=LATEST_VERSION)) + self.db.commit() + else: + self.check_and_upgrade_database() + + @staticmethod + def create_table_classes(db, prefix, Base): + class Version(Base): + query = db.query_property() + __tablename__ = '{prefix}version'.format(prefix=prefix) + version = Column(Integer, primary_key=True) + + class Session(Base): + query = db.query_property() + __tablename__ = '{prefix}sessions'.format(prefix=prefix) + + session_id = Column(String, primary_key=True) + dc_id = Column(Integer, primary_key=True) + server_address = Column(String) + port = Column(Integer) + auth_key = Column(BLOB) + + class Entity(Base): + query = db.query_property() + __tablename__ = '{prefix}entities'.format(prefix=prefix) + + session_id = Column(String, primary_key=True) + id = Column(Integer, primary_key=True) + hash = Column(Integer, nullable=False) + username = Column(String) + phone = Column(Integer) + name = Column(String) + + class SentFile(Base): + query = db.query_property() + __tablename__ = '{prefix}sent_files'.format(prefix=prefix) + + session_id = Column(String, primary_key=True) + md5_digest = Column(BLOB, primary_key=True) + file_size = Column(Integer, primary_key=True) + type = Column(Integer, primary_key=True) + id = Column(Integer) + hash = Column(Integer) + + return Version, Session, Entity, SentFile + + def check_and_upgrade_database(self): + row = self.Version.query.all() + version = row[0].version if row else 1 + if version == LATEST_VERSION: + return + + self.Version.query.delete() + + # Implement table schema updates here and increase version + + self.db.add(self.Version(version=version)) + self.db.commit() + + def new_session(self, session_id): + return AlchemySession(self, session_id) + + def list_sessions(self): + return + + def save(self): + self.db.commit() + + +class AlchemySession(MemorySession): + def __init__(self, container, session_id): + super().__init__() + self.container = container + self.db = container.db + self.Version, self.Session, self.Entity, self.SentFile = ( + container.Version, container.Session, container.Entity, + container.SentFile) + self.session_id = session_id + self._load_session() + + def _load_session(self): + sessions = self._db_query(self.Session).all() + session = sessions[0] if sessions else None + if session: + self._dc_id = session.dc_id + self._server_address = session.server_address + self._port = session.port + self._auth_key = AuthKey(data=session.auth_key) + + def clone(self, to_instance=None): + cloned = to_instance or self.__class__(self.container, self.session_id) + return super().clone(cloned) + + def set_dc(self, dc_id, server_address, port): + super().set_dc(dc_id, server_address, port) + self._update_session_table() + + sessions = self._db_query(self.Session).all() + session = sessions[0] if sessions else None + if session and session.auth_key: + self._auth_key = AuthKey(data=session.auth_key) + else: + self._auth_key = None + + @MemorySession.auth_key.setter + def auth_key(self, value): + self._auth_key = value + self._update_session_table() + + def _update_session_table(self): + self.Session.query.filter( + self.Session.session_id == self.session_id).delete() + new = self.Session(session_id=self.session_id, dc_id=self._dc_id, + server_address=self._server_address, + port=self._port, + auth_key=(self._auth_key.key + if self._auth_key else b'')) + self.db.merge(new) + + def _db_query(self, dbclass, *args): + return dbclass.query.filter(dbclass.session_id == self.session_id, + *args) + + def save(self): + self.container.save() + + def close(self): + # Nothing to do here, connection is managed by AlchemySessionContainer. + pass + + def delete(self): + self._db_query(self.Session).delete() + self._db_query(self.Entity).delete() + self._db_query(self.SentFile).delete() + + def _entity_values_to_row(self, id, hash, username, phone, name): + return self.Entity(session_id=self.session_id, id=id, hash=hash, + username=username, phone=phone, name=name) + + def process_entities(self, tlo): + rows = self._entities_to_rows(tlo) + if not rows: + return + + for row in rows: + self.db.merge(row) + self.save() + + def get_entity_rows_by_phone(self, key): + row = self._db_query(self.Entity, + self.Entity.phone == key).one_or_none() + return row.id, row.hash if row else None + + def get_entity_rows_by_username(self, key): + row = self._db_query(self.Entity, + self.Entity.username == key).one_or_none() + return row.id, row.hash if row else None + + def get_entity_rows_by_name(self, key): + row = self._db_query(self.Entity, + self.Entity.name == key).one_or_none() + return row.id, row.hash if row else None + + def get_entity_rows_by_id(self, key): + row = self._db_query(self.Entity, self.Entity.id == key).one_or_none() + return row.id, row.hash if row else None + + def get_file(self, md5_digest, file_size, cls): + row = self._db_query(self.SentFile, + self.SentFile.md5_digest == md5_digest, + self.SentFile.file_size == file_size, + self.SentFile.type == _SentFileType.from_type( + cls).value).one_or_none() + return row.id, row.hash if row else None + + def cache_file(self, md5_digest, file_size, instance): + if not isinstance(instance, (InputDocument, InputPhoto)): + raise TypeError('Cannot cache %s instance' % type(instance)) + + self.db.merge( + self.SentFile(session_id=self.session_id, md5_digest=md5_digest, + type=_SentFileType.from_type(type(instance)).value, + id=instance.id, hash=instance.access_hash)) + self.save() diff --git a/telethon/session.py b/telethon/sessions/sqlite.py similarity index 53% rename from telethon/session.py rename to telethon/sessions/sqlite.py index c462baff..ec7df84a 100644 --- a/telethon/session.py +++ b/telethon/sessions/sqlite.py @@ -1,19 +1,12 @@ import json import os -import platform import sqlite3 -import struct -import time from base64 import b64decode -from enum import Enum from os.path import isfile as file_exists -from . import utils -from .crypto import AuthKey -from .tl import TLObject -from .tl.types import ( - PeerUser, PeerChat, PeerChannel, - InputPeerUser, InputPeerChat, InputPeerChannel, +from .memory import MemorySession, _SentFileType +from ..crypto import AuthKey +from ..tl.types import ( InputPhoto, InputDocument ) @@ -21,21 +14,7 @@ EXTENSION = '.session' CURRENT_VERSION = 3 # database version -class _SentFileType(Enum): - DOCUMENT = 0 - PHOTO = 1 - - @staticmethod - def from_type(cls): - if cls == InputDocument: - return _SentFileType.DOCUMENT - elif cls == InputPhoto: - return _SentFileType.PHOTO - else: - raise ValueError('The cls must be either InputDocument/InputPhoto') - - -class Session: +class SQLiteSession(MemorySession): """This session contains the required information to login into your Telegram account. NEVER give the saved JSON file to anyone, since they would gain instant access to all your messages and contacts. @@ -43,53 +22,21 @@ class Session: If you think the session has been compromised, close all the sessions through an official Telegram client to revoke the authorization. """ - def __init__(self, session_id): + + def __init__(self, session_id=None): + super().__init__() """session_user_id should either be a string or another Session. Note that if another session is given, only parameters like those required to init a connection will be copied. """ # These values will NOT be saved self.filename = ':memory:' + self.save_entities = True - # For connection purposes - if isinstance(session_id, Session): - self.device_model = session_id.device_model - self.system_version = session_id.system_version - self.app_version = session_id.app_version - self.lang_code = session_id.lang_code - self.system_lang_code = session_id.system_lang_code - self.lang_pack = session_id.lang_pack - self.report_errors = session_id.report_errors - self.save_entities = session_id.save_entities - self.flood_sleep_threshold = session_id.flood_sleep_threshold - else: # str / None - if session_id: - self.filename = session_id - if not self.filename.endswith(EXTENSION): - self.filename += EXTENSION - - system = platform.uname() - self.device_model = system.system or 'Unknown' - self.system_version = system.release or '1.0' - self.app_version = '1.0' # '0' will provoke error - self.lang_code = 'en' - self.system_lang_code = self.lang_code - self.lang_pack = '' - self.report_errors = True - self.save_entities = True - self.flood_sleep_threshold = 60 - - self.id = struct.unpack('q', os.urandom(8))[0] - self._sequence = 0 - self.time_offset = 0 - self._last_msg_id = 0 # Long - self.salt = 0 # Long - - # These values will be saved - self._dc_id = 0 - self._server_address = None - self._port = None - self._auth_key = None + if session_id: + self.filename = session_id + if not self.filename.endswith(EXTENSION): + self.filename += EXTENSION # Migrating from .json -> SQL entities = self._check_migrate_json() @@ -157,6 +104,11 @@ class Session: c.close() self.save() + def clone(self, to_instance=None): + cloned = super().clone(to_instance) + cloned.save_entities = self.save_entities + return cloned + def _check_migrate_json(self): if file_exists(self.filename): try: @@ -212,9 +164,7 @@ class Session: # Data from sessions should be kept as properties # not to fetch the database every time we need it def set_dc(self, dc_id, server_address, port): - self._dc_id = dc_id - self._server_address = server_address - self._port = port + super().set_dc(dc_id, server_address, port) self._update_session_table() # Fetch the auth_key corresponding to this data center @@ -227,19 +177,7 @@ class Session: self._auth_key = None c.close() - @property - def server_address(self): - return self._server_address - - @property - def port(self): - return self._port - - @property - def auth_key(self): - return self._auth_key - - @auth_key.setter + @MemorySession.auth_key.setter def auth_key(self, value): self._auth_key = value self._update_session_table() @@ -287,50 +225,14 @@ class Session: except OSError: return False - @staticmethod - def list_sessions(): + @classmethod + def list_sessions(cls): """Lists all the sessions of the users who have ever connected using this client and never logged out """ return [os.path.splitext(os.path.basename(f))[0] for f in os.listdir('.') if f.endswith(EXTENSION)] - def generate_sequence(self, content_related): - """Thread safe method to generates the next sequence number, - based on whether it was confirmed yet or not. - - Note that if confirmed=True, the sequence number - will be increased by one too - """ - if content_related: - result = self._sequence * 2 + 1 - self._sequence += 1 - return result - else: - return self._sequence * 2 - - def get_new_msg_id(self): - """Generates a new unique message ID based on the current - time (in ms) since epoch""" - # Refer to mtproto_plain_sender.py for the original method - now = time.time() - nanoseconds = int((now - int(now)) * 1e+9) - # "message identifiers are divisible by 4" - new_msg_id = ((int(now) + self.time_offset) << 32) | (nanoseconds << 2) - - if self._last_msg_id >= new_msg_id: - new_msg_id = self._last_msg_id + 4 - - self._last_msg_id = new_msg_id - - return new_msg_id - - def update_time_offset(self, correct_msg_id): - """Updates the time offset based on a known correct message ID""" - now = int(time.time()) - correct = correct_msg_id >> 32 - self.time_offset = correct - now - # Entity processing def process_entities(self, tlo): @@ -342,49 +244,7 @@ class Session: if not self.save_entities: return - if not isinstance(tlo, TLObject) and hasattr(tlo, '__iter__'): - # This may be a list of users already for instance - entities = tlo - else: - entities = [] - if hasattr(tlo, 'chats') and hasattr(tlo.chats, '__iter__'): - entities.extend(tlo.chats) - if hasattr(tlo, 'users') and hasattr(tlo.users, '__iter__'): - entities.extend(tlo.users) - if not entities: - return - - rows = [] # Rows to add (id, hash, username, phone, name) - for e in entities: - if not isinstance(e, TLObject): - continue - try: - p = utils.get_input_peer(e, allow_self=False) - marked_id = utils.get_peer_id(p) - except ValueError: - continue - - if isinstance(p, (InputPeerUser, InputPeerChannel)): - if not p.access_hash: - # Some users and channels seem to be returned without - # an 'access_hash', meaning Telegram doesn't want you - # to access them. This is the reason behind ensuring - # that the 'access_hash' is non-zero. See issue #354. - # Note that this checks for zero or None, see #392. - continue - else: - p_hash = p.access_hash - elif isinstance(p, InputPeerChat): - p_hash = 0 - else: - continue - - username = getattr(e, 'username', None) or None - if username is not None: - username = username.lower() - phone = getattr(e, 'phone', None) - name = utils.get_display_name(e) or None - rows.append((marked_id, p_hash, username, phone, name)) + rows = self._entities_to_rows(tlo) if not rows: return @@ -393,62 +253,29 @@ class Session: ) self.save() - def get_input_entity(self, key): - """Parses the given string, integer or TLObject key into a - marked entity ID, which is then used to fetch the hash - from the database. - - If a callable key is given, every row will be fetched, - and passed as a tuple to a function, that should return - a true-like value when the desired row is found. - - Raises ValueError if it cannot be found. - """ - try: - if key.SUBCLASS_OF_ID in (0xc91c90b6, 0xe669bf46, 0x40f202fd): - # hex(crc32(b'InputPeer', b'InputUser' and b'InputChannel')) - # We already have an Input version, so nothing else required - return key - # Try to early return if this key can be casted as input peer - return utils.get_input_peer(key) - except (AttributeError, TypeError): - # Not a TLObject or can't be cast into InputPeer - if isinstance(key, TLObject): - key = utils.get_peer_id(key) - + def _fetchone_entity(self, query, args): c = self._cursor() - if isinstance(key, str): - phone = utils.parse_phone(key) - if phone: - c.execute('select id, hash from entities where phone=?', - (phone,)) - else: - username, _ = utils.parse_username(key) - if username: - c.execute('select id, hash from entities where username=?', - (username,)) + c.execute(query, args) + return c.fetchone() - if isinstance(key, int): - c.execute('select id, hash from entities where id=?', (key,)) + def get_entity_rows_by_phone(self, phone): + return self._fetchone_entity( + 'select id, hash from entities where phone=?', (phone,)) - result = c.fetchone() - if not result and isinstance(key, str): - # Try exact match by name if phone/username failed - c.execute('select id, hash from entities where name=?', (key,)) - result = c.fetchone() + def get_entity_rows_by_username(self, username): + return self._fetchone_entity( + 'select id, hash from entities where username=?', + (username,)) - c.close() - if result: - i, h = result # unpack resulting tuple - i, k = utils.resolve_id(i) # removes the mark and returns kind - if k == PeerUser: - return InputPeerUser(i, h) - elif k == PeerChat: - return InputPeerChat(i) - elif k == PeerChannel: - return InputPeerChannel(i, h) - else: - raise ValueError('Could not find input entity with key ', key) + def get_entity_rows_by_name(self, name): + return self._fetchone_entity( + 'select id, hash from entities where name=?', + (name,)) + + def get_entity_rows_by_id(self, id): + return self._fetchone_entity( + 'select id, hash from entities where id=?', + (id,)) # File processing diff --git a/telethon/telegram_bare_client.py b/telethon/telegram_bare_client.py index 82bde4e0..dd043c32 100644 --- a/telethon/telegram_bare_client.py +++ b/telethon/telegram_bare_client.py @@ -3,6 +3,7 @@ import logging import os from asyncio import Lock from datetime import timedelta +import platform from . import version, utils from .crypto import rsa from .errors import ( @@ -11,7 +12,7 @@ from .errors import ( PhoneMigrateError, NetworkMigrateError, UserMigrateError ) from .network import authenticator, MtProtoSender, Connection, ConnectionMode -from .session import Session +from .sessions import Session, SQLiteSession from .tl import TLObject from .tl.all_tlobjects import LAYER from .tl.functions import ( @@ -69,7 +70,11 @@ class TelegramBareClient: proxy=None, timeout=timedelta(seconds=5), loop=None, - **kwargs): + device_model=None, + system_version=None, + app_version=None, + lang_code='en', + system_lang_code='en'): """Refer to TelegramClient.__init__ for docs on this method""" if not api_id or not api_hash: raise ValueError( @@ -80,7 +85,7 @@ class TelegramBareClient: # Determine what session object we have if isinstance(session, str) or session is None: - session = Session(session) + session = SQLiteSession(session) elif not isinstance(session, Session): raise TypeError( 'The given session must be a str or a Session instance.' @@ -125,11 +130,12 @@ class TelegramBareClient: self.updates = UpdateState(self._loop) # Used on connection - the user may modify these and reconnect - kwargs['app_version'] = kwargs.get('app_version', self.__version__) - for name, value in kwargs.items(): - if not hasattr(self.session, name): - raise ValueError('Unknown named parameter', name) - setattr(self.session, name, value) + system = platform.uname() + self.device_model = device_model or system.system or 'Unknown' + self.system_version = system_version or system.release or '1.0' + self.app_version = app_version or self.__version__ + self.lang_code = lang_code + self.system_lang_code = system_lang_code # Despite the state of the real connection, keep track of whether # the user has explicitly called .connect() or .disconnect() here. @@ -194,11 +200,11 @@ class TelegramBareClient: if self._authorized is None and _sync_updates: try: await self.sync_updates() - self._set_connected_and_authorized() + await self._set_connected_and_authorized() except UnauthorizedError: self._authorized = False elif self._authorized: - self._set_connected_and_authorized() + await self._set_connected_and_authorized() return True @@ -222,11 +228,11 @@ class TelegramBareClient: """Wraps query around InvokeWithLayerRequest(InitConnectionRequest())""" return InvokeWithLayerRequest(LAYER, InitConnectionRequest( api_id=self.api_id, - device_model=self.session.device_model, - system_version=self.session.system_version, - app_version=self.session.app_version, - lang_code=self.session.lang_code, - system_lang_code=self.session.system_lang_code, + device_model=self.device_model, + system_version=self.system_version, + app_version=self.app_version, + lang_code=self.lang_code, + system_lang_code=self.system_lang_code, lang_pack='', # "langPacks are for official apps only" query=query )) @@ -338,7 +344,7 @@ class TelegramBareClient: # # Construct this session with the connection parameters # (system version, device model...) from the current one. - session = Session(self.session) + session = self.session.clone() session.set_dc(dc.id, dc.ip_address, dc.port) self._exported_sessions[dc_id] = session @@ -365,7 +371,7 @@ class TelegramBareClient: session = self._exported_sessions.get(cdn_redirect.dc_id) if not session: dc = await self._get_dc(cdn_redirect.dc_id, cdn=True) - session = Session(self.session) + session = self.session.clone() session.set_dc(dc.id, dc.ip_address, dc.port) self._exported_sessions[cdn_redirect.dc_id] = session @@ -428,7 +434,9 @@ class TelegramBareClient: with await self._reconnect_lock: await self._reconnect() - raise RuntimeError('Number of retries reached 0.') + raise RuntimeError('Number of retries reached 0 for {}.'.format( + [type(x).__name__ for x in requests] + )) # Let people use client.invoke(SomeRequest()) instead client(...) invoke = __call__ @@ -557,7 +565,9 @@ class TelegramBareClient: # Constant read - def _set_connected_and_authorized(self): + # This is async so that the overrided version in TelegramClient can be + # async without problems. + async def _set_connected_and_authorized(self): self._authorized = True if self._recv_loop is None: self._recv_loop = asyncio.ensure_future(self._recv_loop_impl(), loop=self._loop) diff --git a/telethon/telegram_client.py b/telethon/telegram_client.py index f5b40f00..e4d1f95a 100644 --- a/telethon/telegram_client.py +++ b/telethon/telegram_client.py @@ -172,6 +172,7 @@ class TelegramClient(TelegramBareClient): ) self._event_builders = [] + self._events_pending_resolve = [] # Some fields to easy signing in. Let {phone: hash} be # a dictionary because the user may change their mind. @@ -287,6 +288,7 @@ class TelegramClient(TelegramBareClient): await self.connect() if self.is_user_authorized(): + self._check_events_pending_resolve() return self if bot_token: @@ -343,6 +345,7 @@ class TelegramClient(TelegramBareClient): # We won't reach here if any step failed (exit by exception) print('Signed in successfully as', utils.get_display_name(me)) + self._check_events_pending_resolve() return self async def sign_in(self, phone=None, code=None, @@ -376,6 +379,9 @@ class TelegramClient(TelegramBareClient): The signed in user, or the information about :meth:`.send_code_request()`. """ + if self.is_user_authorized(): + self._check_events_pending_resolve() + return self.get_me() if phone and not code and not password: return await self.send_code_request(phone) @@ -413,7 +419,7 @@ class TelegramClient(TelegramBareClient): self._self_input_peer = utils.get_input_peer( result.user, allow_self=False ) - self._set_connected_and_authorized() + await self._set_connected_and_authorized() return result.user async def sign_up(self, code, first_name, last_name=''): @@ -434,6 +440,10 @@ class TelegramClient(TelegramBareClient): Returns: The new created user. """ + if self.is_user_authorized(): + await self._check_events_pending_resolve() + return await self.get_me() + result = await self(SignUpRequest( phone_number=self._phone, phone_code_hash=self._phone_code_hash.get(self._phone, ''), @@ -445,7 +455,7 @@ class TelegramClient(TelegramBareClient): self._self_input_peer = utils.get_input_peer( result.user, allow_self=False ) - self._set_connected_and_authorized() + await self._set_connected_and_authorized() return result.user async def log_out(self): @@ -560,7 +570,7 @@ class TelegramClient(TelegramBareClient): offset_date = r.messages[-1].date offset_peer = entities[utils.get_peer_id(r.dialogs[-1].peer)] - offset_id = r.messages[-1].id & 4294967296 # Telegram/danog magic + offset_id = r.messages[-1].id dialogs = UserList( itertools.islice(dialogs.values(), min(limit, len(dialogs))) @@ -574,7 +584,7 @@ class TelegramClient(TelegramBareClient): Returns: A list of custom ``Draft`` objects that are easy to work with: - You can call :meth:`draft.set_message('text')` to change the message, + You can call ``draft.set_message('text')`` to change the message, or delete it through :meth:`draft.delete()`. """ response = await self(GetAllDraftsRequest()) @@ -974,7 +984,7 @@ class TelegramClient(TelegramBareClient): """ if max_id is None: if message: - if hasattr(message, '__iter__'): + if utils.is_list_like(message): max_id = max(msg.id for msg in message) else: max_id = message.id @@ -1014,50 +1024,90 @@ class TelegramClient(TelegramBareClient): raise TypeError('Invalid message type: {}'.format(type(message))) - async def get_participants(self, entity, limit=None, search=''): + async def get_participants(self, entity, limit=None, search='', + aggressive=False): """ - Gets the list of participants from the specified entity + Gets the list of participants from the specified entity. Args: entity (:obj:`entity`): The entity from which to retrieve the participants list. - limit (:obj: `int`): + limit (:obj:`int`): Limits amount of participants fetched. - search (:obj: `str`, optional): + search (:obj:`str`, optional): Look for participants with this string in name/username. + aggressive (:obj:`bool`, optional): + Aggressively looks for all participants in the chat in + order to get more than 10,000 members (a hard limit + imposed by Telegram). Note that this might take a long + time (over 5 minutes), but is able to return over 90,000 + participants on groups with 100,000 members. + + This has no effect for groups or channels with less than + 10,000 members. + Returns: - A list of participants with an additional .total variable on the list - indicating the total amount of members in this group/channel. + A list of participants with an additional .total variable on the + list indicating the total amount of members in this group/channel. """ entity = await self.get_input_entity(entity) limit = float('inf') if limit is None else int(limit) if isinstance(entity, InputPeerChannel): - offset = 0 + total = (await self(GetFullChannelRequest( + entity + ))).full_chat.participants_count + all_participants = {} - search = ChannelParticipantsSearch(search) - while True: - loop_limit = min(limit - offset, 200) - participants = await self(GetParticipantsRequest( - entity, search, offset, loop_limit, hash=0 - )) - if not participants.users: - break - for user in participants.users: - if len(all_participants) < limit: - all_participants[user.id] = user - offset += len(participants.users) - if offset > limit: + if total > 10000 and aggressive: + requests = [GetParticipantsRequest( + channel=entity, + filter=ChannelParticipantsSearch(search + chr(x)), + offset=0, + limit=200, + hash=0 + ) for x in range(ord('a'), ord('z') + 1)] + else: + requests = [GetParticipantsRequest( + channel=entity, + filter=ChannelParticipantsSearch(search), + offset=0, + limit=200, + hash=0 + )] + + while requests: + # Only care about the limit for the first request + # (small amount of people, won't be aggressive). + # + # Most people won't care about getting exactly 12,345 + # members so it doesn't really matter not to be 100% + # precise with being out of the offset/limit here. + requests[0].limit = min(limit - requests[0].offset, 200) + if requests[0].offset > limit: break - users = UserList(all_participants.values()) - users.total = (await self(GetFullChannelRequest( - entity))).full_chat.participants_count + results = await self(*requests) + for i in reversed(range(len(requests))): + participants = results[i] + if not participants.users: + requests.pop(i) + else: + requests[i].offset += len(participants.users) + for user in participants.users: + if len(all_participants) < limit: + all_participants[user.id] = user + if limit < float('inf'): + values = all_participants.values() + else: + values = itertools.islice(all_participants.values(), limit) + users = UserList(values) + users.total = total elif isinstance(entity, InputPeerChat): - users = await self(GetFullChatRequest(entity.chat_id)).users + users = (await self(GetFullChatRequest(entity.chat_id))).users if len(users) > limit: users = users[:limit] users = UserList(users) @@ -1077,6 +1127,7 @@ class TelegramClient(TelegramBareClient): attributes=None, thumb=None, allow_cache=True, + parse_mode='md', **kwargs): """ Sends a file to the specified entity. @@ -1126,6 +1177,9 @@ class TelegramClient(TelegramBareClient): Must be ``False`` if you wish to use different attributes or thumb than those that were used when the file was cached. + parse_mode (:obj:`str`, optional): + The parse mode for the caption message. + Kwargs: If "is_voice_note" in kwargs, despite its value, and the file is sent as a document, it will be sent as a voice note. @@ -1139,13 +1193,14 @@ class TelegramClient(TelegramBareClient): """ # First check if the user passed an iterable, in which case # we may want to send as an album if all are photo files. - if hasattr(file, '__iter__') and not isinstance(file, (str, bytes)): + if utils.is_list_like(file): # Convert to tuple so we can iterate several times file = tuple(x for x in file) if all(utils.is_image(x) for x in file): return await self._send_album( entity, file, caption=caption, - progress_callback=progress_callback, reply_to=reply_to + progress_callback=progress_callback, reply_to=reply_to, + parse_mode=parse_mode ) # Not all are images, so send all the files one by one return [ @@ -1159,18 +1214,21 @@ class TelegramClient(TelegramBareClient): entity = await self.get_input_entity(entity) reply_to = self._get_message_id(reply_to) + caption, msg_entities = self._parse_message_text(caption, parse_mode) if not isinstance(file, (str, bytes, io.IOBase)): # The user may pass a Message containing media (or the media, # or anything similar) that should be treated as a file. Try # getting the input media for whatever they passed and send it. try: - media = utils.get_input_media(file, user_caption=caption) + media = utils.get_input_media(file) except TypeError: pass # Can't turn whatever was given into media else: request = SendMediaRequest(entity, media, - reply_to_msg_id=reply_to) + reply_to_msg_id=reply_to, + message=caption, + entities=msg_entities) return self._get_response_message(request, await self(request)) as_image = utils.is_image(file) and not force_document @@ -1183,11 +1241,11 @@ class TelegramClient(TelegramBareClient): if isinstance(file_handle, use_cache): # File was cached, so an instance of use_cache was returned if as_image: - media = InputMediaPhoto(file_handle, caption or '') + media = InputMediaPhoto(file_handle) else: - media = InputMediaDocument(file_handle, caption or '') + media = InputMediaDocument(file_handle) elif as_image: - media = InputMediaUploadedPhoto(file_handle, caption or '') + media = InputMediaUploadedPhoto(file_handle) else: mime_type = None if isinstance(file, str): @@ -1225,8 +1283,9 @@ class TelegramClient(TelegramBareClient): attr_dict[DocumentAttributeVideo] = doc else: attr_dict = { - DocumentAttributeFilename: - DocumentAttributeFilename('unnamed') + DocumentAttributeFilename: DocumentAttributeFilename( + os.path.basename( + getattr(file, 'name', None) or 'unnamed')) } if 'is_voice_note' in kwargs: @@ -1257,13 +1316,13 @@ class TelegramClient(TelegramBareClient): file=file_handle, mime_type=mime_type, attributes=list(attr_dict.values()), - caption=caption or '', **input_kw ) # Once the media type is properly specified and the file uploaded, # send the media message to the desired entity. - request = SendMediaRequest(entity, media, reply_to_msg_id=reply_to) + request = SendMediaRequest(entity, media, reply_to_msg_id=reply_to, + message=caption, entities=msg_entities) msg = self._get_response_message(request, await self(request)) if msg and isinstance(file_handle, InputSizedFile): # There was a response message and we didn't use cached @@ -1277,24 +1336,27 @@ class TelegramClient(TelegramBareClient): return msg - async def send_voice_note(self, entity, file, caption=None, - progress_callback=None, reply_to=None): - """Wrapper method around .send_file() with is_voice_note=()""" - return await self.send_file(entity, file, caption, - progress_callback=progress_callback, - reply_to=reply_to, - is_voice_note=()) # empty tuple is enough + def send_voice_note(self, *args, **kwargs): + """Wrapper method around .send_file() with is_voice_note=True""" + kwargs['is_voice_note'] = True + return self.send_file(*args, **kwargs) async def _send_album(self, entity, files, caption=None, - progress_callback=None, reply_to=None): + progress_callback=None, reply_to=None, + parse_mode='md'): """Specialized version of .send_file for albums""" # We don't care if the user wants to avoid cache, we will use it # anyway. Why? The cached version will be exactly the same thing # we need to produce right now to send albums (uploadMedia), and # cache only makes a difference for documents where the user may - # want the attributes used on them to change. Caption's ignored. + # want the attributes used on them to change. entity = await self.get_input_entity(entity) - caption = caption or '' + if not utils.is_list_like(caption): + caption = (caption,) + captions = [ + self._parse_message_text(caption or '', parse_mode) + for caption in reversed(caption) # Pop from the end (so reverse) + ] reply_to = self._get_message_id(reply_to) # Need to upload the media first, but only if they're not cached yet @@ -1304,11 +1366,17 @@ class TelegramClient(TelegramBareClient): fh = await self.upload_file(file, use_cache=InputPhoto) if not isinstance(fh, InputPhoto): input_photo = utils.get_input_photo((await self(UploadMediaRequest( - entity, media=InputMediaUploadedPhoto(fh, caption) + entity, media=InputMediaUploadedPhoto(fh) ))).photo) self.session.cache_file(fh.md5, fh.size, input_photo) fh = input_photo - media.append(InputSingleMedia(InputMediaPhoto(fh, caption))) + + if captions: + caption, msg_entities = captions.pop() + else: + caption, msg_entities = '', None + media.append(InputSingleMedia(InputMediaPhoto(fh), message=caption, + entities=msg_entities)) # Now we can construct the multi-media request result = await self(SendMultiMediaRequest( @@ -1874,12 +1942,26 @@ class TelegramClient(TelegramBareClient): return decorator + async def _check_events_pending_resolve(self): + if self._events_pending_resolve: + for event in self._events_pending_resolve: + await event.resolve(self) + self._events_pending_resolve.clear() + async def _on_handler(self, update): for builder, callback in self._event_builders: event = builder.build(update) if event: event._client = self - await callback(event) + try: + await callback(event) + except events.StopPropagation: + __log__.debug( + "Event handler '{}' stopped chain of " + "propagation for event {}." + .format(callback.__name__, type(event).__name__) + ) + break async def add_event_handler(self, callback, event=None): """ @@ -1903,7 +1985,12 @@ class TelegramClient(TelegramBareClient): elif not event: event = events.Raw() - await event.resolve(self) + if self.is_user_authorized(): + await event.resolve(self) + await self._check_events_pending_resolve() + else: + self._events_pending_resolve.append(event) + self._event_builders.append((event, callback)) def add_update_handler(self, handler): @@ -1927,6 +2014,10 @@ class TelegramClient(TelegramBareClient): # region Small utilities to make users' life easier + async def _set_connected_and_authorized(self): + await super()._set_connected_and_authorized() + await self._check_events_pending_resolve() + async def get_entity(self, entity): """ Turns the given entity into a valid Telegram user or chat. @@ -1950,7 +2041,7 @@ class TelegramClient(TelegramBareClient): ``User``, ``Chat`` or ``Channel`` corresponding to the input entity. """ - if hasattr(entity, '__iter__') and not isinstance(entity, str): + if utils.is_list_like(entity): single = False else: single = True @@ -2085,25 +2176,35 @@ class TelegramClient(TelegramBareClient): 'Cannot turn "{}" into an input entity.'.format(peer) ) - # Not found, look in the latest dialogs. - # This is useful if for instance someone just sent a message but - # the updates didn't specify who, as this person or chat should - # be in the latest dialogs. - dialogs = await self(GetDialogsRequest( + # Not found, look in the dialogs with the hope to find it. + target_id = utils.get_peer_id(peer) + req = GetDialogsRequest( offset_date=None, offset_id=0, offset_peer=InputPeerEmpty(), - limit=0, - exclude_pinned=True - )) + limit=100 + ) + while True: + result = await self(req) + entities = {} + for x in itertools.chain(result.users, result.chats): + x_id = utils.get_peer_id(x) + if x_id == target_id: + return utils.get_input_peer(x) + else: + entities[x_id] = x + if len(result.dialogs) < req.limit: + break - target = utils.get_peer_id(peer) - for entity in itertools.chain(dialogs.users, dialogs.chats): - if utils.get_peer_id(entity) == target: - return utils.get_input_peer(entity) + req.offset_id = result.messages[-1].id + req.offset_date = result.messages[-1].date + req.offset_peer = entities[utils.get_peer_id( + result.dialogs[-1].peer + )] + asyncio.sleep(1) raise TypeError( - 'Could not find the input entity corresponding to "{}".' + 'Could not find the input entity corresponding to "{}". ' 'Make sure you have encountered this peer before.'.format(peer) ) diff --git a/telethon/tl/custom/draft.py b/telethon/tl/custom/draft.py index 78358999..e1ff7c91 100644 --- a/telethon/tl/custom/draft.py +++ b/telethon/tl/custom/draft.py @@ -42,7 +42,7 @@ class Draft: """ Changes the draft message on the Telegram servers. The changes are reflected in this object. Changing only individual attributes like for - example the `reply_to_msg_id` should be done by providing the current + example the ``reply_to_msg_id`` should be done by providing the current values of this object, like so: draft.set_message( @@ -56,7 +56,7 @@ class Draft: :param bool no_webpage: Whether to attach a web page preview :param int reply_to_msg_id: Message id to reply to :param list entities: A list of formatting entities - :return bool: `True` on success + :return bool: ``True`` on success """ result = await self._client(SaveDraftRequest( peer=self._peer, @@ -77,6 +77,6 @@ class Draft: async def delete(self): """ Deletes this draft - :return bool: `True` on success + :return bool: ``True`` on success """ return await self.set_message(text='') diff --git a/telethon/utils.py b/telethon/utils.py index fdadbd1c..faf69649 100644 --- a/telethon/utils.py +++ b/telethon/utils.py @@ -5,6 +5,7 @@ to convert between an entity like an User, Chat, etc. into its Input version) import math import mimetypes import re +import types from mimetypes import add_type, guess_extension from .tl.types import ( @@ -34,8 +35,10 @@ VALID_USERNAME_RE = re.compile(r'^[a-zA-Z][\w\d]{3,30}[a-zA-Z\d]$') def get_display_name(entity): - """Gets the input peer for the given "entity" (user, chat or channel) - Returns None if it was not found""" + """ + Gets the display name for the given entity, if it's an ``User``, + ``Chat`` or ``Channel``. Returns an empty string otherwise. + """ if isinstance(entity, User): if entity.last_name and entity.first_name: return '{} {}'.format(entity.first_name, entity.last_name) @@ -238,7 +241,7 @@ def get_input_geo(geo): _raise_cast_fail(geo, 'InputGeoPoint') -def get_input_media(media, user_caption=None, is_photo=False): +def get_input_media(media, is_photo=False): """Similar to get_input_peer, but for media. If the media is a file location and is_photo is known to be True, @@ -253,31 +256,23 @@ def get_input_media(media, user_caption=None, is_photo=False): if isinstance(media, MessageMediaPhoto): return InputMediaPhoto( id=get_input_photo(media.photo), - ttl_seconds=media.ttl_seconds, - caption=((media.caption if user_caption is None else user_caption) - or '') + ttl_seconds=media.ttl_seconds ) if isinstance(media, MessageMediaDocument): return InputMediaDocument( id=get_input_document(media.document), - ttl_seconds=media.ttl_seconds, - caption=((media.caption if user_caption is None else user_caption) - or '') + ttl_seconds=media.ttl_seconds ) if isinstance(media, FileLocation): if is_photo: - return InputMediaUploadedPhoto( - file=media, - caption=user_caption or '' - ) + return InputMediaUploadedPhoto(file=media) else: return InputMediaUploadedDocument( file=media, mime_type='application/octet-stream', # unknown, assume bytes - attributes=[DocumentAttributeFilename('unnamed')], - caption=user_caption or '' + attributes=[DocumentAttributeFilename('unnamed')] ) if isinstance(media, MessageMediaGame): @@ -288,7 +283,7 @@ def get_input_media(media, user_caption=None, is_photo=False): media = media.photo_small else: media = media.photo_big - return get_input_media(media, user_caption=user_caption, is_photo=True) + return get_input_media(media, is_photo=True) if isinstance(media, MessageMediaContact): return InputMediaContact( @@ -316,9 +311,7 @@ def get_input_media(media, user_caption=None, is_photo=False): return InputMediaEmpty() if isinstance(media, Message): - return get_input_media( - media.media, user_caption=user_caption, is_photo=is_photo - ) + return get_input_media(media.media, is_photo=is_photo) _raise_cast_fail(media, 'InputMedia') @@ -341,6 +334,17 @@ def is_video(file): (mimetypes.guess_type(file)[0] or '').startswith('video/')) +def is_list_like(obj): + """ + Returns True if the given object looks like a list. + + Checking if hasattr(obj, '__iter__') and ignoring str/bytes is not + enough. Things like open() are also iterable (and probably many + other things), so just support the commonly known list-like objects. + """ + return isinstance(obj, (list, tuple, set, dict, types.GeneratorType)) + + def parse_phone(phone): """Parses the given phone, or returns None if it's invalid""" if isinstance(phone, int): diff --git a/telethon_examples/interactive_telegram_client.py b/telethon_examples/interactive_telegram_client.py index f6986370..44185995 100644 --- a/telethon_examples/interactive_telegram_client.py +++ b/telethon_examples/interactive_telegram_client.py @@ -222,10 +222,8 @@ class InteractiveTelegramClient(TelegramClient): # Format the message content if getattr(msg, 'media', None): self.found_media[msg.id] = msg - # The media may or may not have a caption - caption = getattr(msg.media, 'caption', '') content = '<{}> {}'.format( - type(msg.media).__name__, caption) + type(msg.media).__name__, msg.message) elif hasattr(msg, 'message'): content = msg.message diff --git a/telethon_generator/scheme.tl b/telethon_generator/scheme.tl index 491f0c9e..a736b066 100644 --- a/telethon_generator/scheme.tl +++ b/telethon_generator/scheme.tl @@ -158,16 +158,16 @@ inputFile#f52ff27f id:long parts:int name:string md5_checksum:string = InputFile inputFileBig#fa4f0bb5 id:long parts:int name:string = InputFile; inputMediaEmpty#9664f57f = InputMedia; -inputMediaUploadedPhoto#2f37e231 flags:# file:InputFile caption:string stickers:flags.0?Vector ttl_seconds:flags.1?int = InputMedia; -inputMediaPhoto#81fa373a flags:# id:InputPhoto caption:string ttl_seconds:flags.0?int = InputMedia; +inputMediaUploadedPhoto#1e287d04 flags:# file:InputFile stickers:flags.0?Vector ttl_seconds:flags.1?int = InputMedia; +inputMediaPhoto#b3ba0635 flags:# id:InputPhoto ttl_seconds:flags.0?int = InputMedia; inputMediaGeoPoint#f9c44144 geo_point:InputGeoPoint = InputMedia; inputMediaContact#a6e45987 phone_number:string first_name:string last_name:string = InputMedia; -inputMediaUploadedDocument#e39621fd flags:# nosound_video:flags.3?true file:InputFile thumb:flags.2?InputFile mime_type:string attributes:Vector caption:string stickers:flags.0?Vector ttl_seconds:flags.1?int = InputMedia; -inputMediaDocument#5acb668e flags:# id:InputDocument caption:string ttl_seconds:flags.0?int = InputMedia; +inputMediaUploadedDocument#5b38c6c1 flags:# nosound_video:flags.3?true file:InputFile thumb:flags.2?InputFile mime_type:string attributes:Vector stickers:flags.0?Vector ttl_seconds:flags.1?int = InputMedia; +inputMediaDocument#23ab23d2 flags:# id:InputDocument ttl_seconds:flags.0?int = InputMedia; inputMediaVenue#c13d1c11 geo_point:InputGeoPoint title:string address:string provider:string venue_id:string venue_type:string = InputMedia; inputMediaGifExternal#4843b0fd url:string q:string = InputMedia; -inputMediaPhotoExternal#922aec1 flags:# url:string caption:string ttl_seconds:flags.0?int = InputMedia; -inputMediaDocumentExternal#b6f74335 flags:# url:string caption:string ttl_seconds:flags.0?int = InputMedia; +inputMediaPhotoExternal#e5bbfe1a flags:# url:string ttl_seconds:flags.0?int = InputMedia; +inputMediaDocumentExternal#fb52dc99 flags:# url:string ttl_seconds:flags.0?int = InputMedia; inputMediaGame#d33f43f3 id:InputGame = InputMedia; inputMediaInvoice#f4e096c3 flags:# title:string description:string photo:flags.0?InputWebDocument invoice:Invoice payload:bytes provider:string provider_data:DataJSON start_param:string = InputMedia; inputMediaGeoLive#7b1a118f geo_point:InputGeoPoint period:int = InputMedia; @@ -243,11 +243,11 @@ message#44f9b43d flags:# out:flags.1?true mentioned:flags.4?true media_unread:fl messageService#9e19a1f6 flags:# out:flags.1?true mentioned:flags.4?true media_unread:flags.5?true silent:flags.13?true post:flags.14?true id:int from_id:flags.8?int to_id:Peer reply_to_msg_id:flags.3?int date:int action:MessageAction = Message; messageMediaEmpty#3ded6320 = MessageMedia; -messageMediaPhoto#b5223b0f flags:# photo:flags.0?Photo caption:flags.1?string ttl_seconds:flags.2?int = MessageMedia; +messageMediaPhoto#695150d7 flags:# photo:flags.0?Photo ttl_seconds:flags.2?int = MessageMedia; messageMediaGeo#56e0d474 geo:GeoPoint = MessageMedia; messageMediaContact#5e7d2f39 phone_number:string first_name:string last_name:string user_id:int = MessageMedia; messageMediaUnsupported#9f84f49e = MessageMedia; -messageMediaDocument#7c4414d3 flags:# document:flags.0?Document caption:flags.1?string ttl_seconds:flags.2?int = MessageMedia; +messageMediaDocument#9cb070d7 flags:# document:flags.0?Document ttl_seconds:flags.2?int = MessageMedia; messageMediaWebPage#a32dd600 webpage:WebPage = MessageMedia; messageMediaVenue#2ec0533f geo:GeoPoint title:string address:string provider:string venue_id:string venue_type:string = MessageMedia; messageMediaGame#fdb19008 game:Game = MessageMedia; @@ -688,7 +688,7 @@ messages.foundGifs#450a1c0a next_offset:int results:Vector = messages. messages.savedGifsNotModified#e8025ca2 = messages.SavedGifs; messages.savedGifs#2e0709a5 hash:int gifs:Vector = messages.SavedGifs; -inputBotInlineMessageMediaAuto#292fed13 flags:# caption:string reply_markup:flags.2?ReplyMarkup = InputBotInlineMessage; +inputBotInlineMessageMediaAuto#3380c786 flags:# message:string entities:flags.1?Vector reply_markup:flags.2?ReplyMarkup = InputBotInlineMessage; inputBotInlineMessageText#3dcd7a87 flags:# no_webpage:flags.0?true message:string entities:flags.1?Vector reply_markup:flags.2?ReplyMarkup = InputBotInlineMessage; inputBotInlineMessageMediaGeo#c1b15d65 flags:# geo_point:InputGeoPoint period:int reply_markup:flags.2?ReplyMarkup = InputBotInlineMessage; inputBotInlineMessageMediaVenue#aaafadc8 flags:# geo_point:InputGeoPoint title:string address:string provider:string venue_id:string reply_markup:flags.2?ReplyMarkup = InputBotInlineMessage; @@ -700,7 +700,7 @@ inputBotInlineResultPhoto#a8d864a7 id:string type:string photo:InputPhoto send_m inputBotInlineResultDocument#fff8fdc4 flags:# id:string type:string title:flags.1?string description:flags.2?string document:InputDocument send_message:InputBotInlineMessage = InputBotInlineResult; inputBotInlineResultGame#4fa417f2 id:string short_name:string send_message:InputBotInlineMessage = InputBotInlineResult; -botInlineMessageMediaAuto#a74b15b flags:# caption:string reply_markup:flags.2?ReplyMarkup = BotInlineMessage; +botInlineMessageMediaAuto#764cf810 flags:# message:string entities:flags.1?Vector reply_markup:flags.2?ReplyMarkup = BotInlineMessage; botInlineMessageText#8c7f65e2 flags:# no_webpage:flags.0?true message:string entities:flags.1?Vector reply_markup:flags.2?ReplyMarkup = BotInlineMessage; botInlineMessageMediaGeo#b722de65 flags:# geo:GeoPoint period:int reply_markup:flags.2?ReplyMarkup = BotInlineMessage; botInlineMessageMediaVenue#4366232e flags:# geo:GeoPoint title:string address:string provider:string venue_id:string reply_markup:flags.2?ReplyMarkup = BotInlineMessage; @@ -711,7 +711,7 @@ botInlineMediaResult#17db940b flags:# id:string type:string photo:flags.0?Photo messages.botResults#947ca848 flags:# gallery:flags.0?true query_id:long next_offset:flags.1?string switch_pm:flags.2?InlineBotSwitchPM results:Vector cache_time:int users:Vector = messages.BotResults; -exportedMessageLink#1f486803 link:string = ExportedMessageLink; +exportedMessageLink#5dab1af4 link:string html:string = ExportedMessageLink; messageFwdHeader#559ebe6d flags:# from_id:flags.0?int date:int channel_id:flags.1?int channel_post:flags.2?int post_author:flags.3?string saved_from_peer:flags.4?Peer saved_from_msg_id:flags.4?int = MessageFwdHeader; @@ -896,7 +896,7 @@ langPackDifference#f385c1f6 lang_code:string from_version:int version:int string langPackLanguage#117698f1 name:string native_name:string lang_code:string = LangPackLanguage; -channelAdminRights#5d7ceba5 flags:# change_info:flags.0?true post_messages:flags.1?true edit_messages:flags.2?true delete_messages:flags.3?true ban_users:flags.4?true invite_users:flags.5?true invite_link:flags.6?true pin_messages:flags.7?true add_admins:flags.9?true manage_call:flags.10?true = ChannelAdminRights; +channelAdminRights#5d7ceba5 flags:# change_info:flags.0?true post_messages:flags.1?true edit_messages:flags.2?true delete_messages:flags.3?true ban_users:flags.4?true invite_users:flags.5?true invite_link:flags.6?true pin_messages:flags.7?true add_admins:flags.9?true = ChannelAdminRights; channelBannedRights#58cf4249 flags:# view_messages:flags.0?true send_messages:flags.1?true send_media:flags.2?true send_stickers:flags.3?true send_gifs:flags.4?true send_games:flags.5?true send_inline:flags.6?true embed_links:flags.7?true until_date:int = ChannelBannedRights; @@ -938,7 +938,7 @@ recentMeUrlStickerSet#bc0a57dc url:string set:StickerSetCovered = RecentMeUrl; help.recentMeUrls#e0310d7 urls:Vector chats:Vector users:Vector = help.RecentMeUrls; -inputSingleMedia#5eaa7809 media:InputMedia random_id:long = InputSingleMedia; +inputSingleMedia#31bc3d25 media:InputMedia flags:# random_id:long message:string entities:flags.0?Vector = InputSingleMedia; ---functions--- @@ -966,7 +966,7 @@ auth.resendCode#3ef1a9bf phone_number:string phone_code_hash:string = auth.SentC auth.cancelCode#1f040578 phone_number:string phone_code_hash:string = Bool; auth.dropTempAuthKeys#8e48a188 except_auth_keys:Vector = Bool; -account.registerDevice#f75874d1 token_type:int token:string other_uids:Vector = Bool; +account.registerDevice#1389cc token_type:int token:string app_sandbox:Bool other_uids:Vector = Bool; account.unregisterDevice#3076c4bf token_type:int token:string other_uids:Vector = Bool; account.updateNotifySettings#84be5b93 peer:InputNotifyPeer settings:InputPeerNotifySettings = Bool; account.getNotifySettings#12b3ad31 peer:InputNotifyPeer = PeerNotifySettings; @@ -1023,7 +1023,7 @@ messages.deleteMessages#e58e95d2 flags:# revoke:flags.0?true id:Vector = me messages.receivedMessages#5a954c0 max_id:int = Vector; messages.setTyping#a3825e50 peer:InputPeer action:SendMessageAction = Bool; messages.sendMessage#fa88427a flags:# no_webpage:flags.1?true silent:flags.5?true background:flags.6?true clear_draft:flags.7?true peer:InputPeer reply_to_msg_id:flags.0?int message:string random_id:long reply_markup:flags.2?ReplyMarkup entities:flags.3?Vector = Updates; -messages.sendMedia#c8f16791 flags:# silent:flags.5?true background:flags.6?true clear_draft:flags.7?true peer:InputPeer reply_to_msg_id:flags.0?int media:InputMedia random_id:long reply_markup:flags.2?ReplyMarkup = Updates; +messages.sendMedia#b8d1262b flags:# silent:flags.5?true background:flags.6?true clear_draft:flags.7?true peer:InputPeer reply_to_msg_id:flags.0?int media:InputMedia message:string random_id:long reply_markup:flags.2?ReplyMarkup entities:flags.3?Vector = Updates; messages.forwardMessages#708e0195 flags:# silent:flags.5?true background:flags.6?true with_my_score:flags.8?true grouped:flags.9?true from_peer:InputPeer id:Vector random_id:Vector to_peer:InputPeer = Updates; messages.reportSpam#cf1592db peer:InputPeer = Bool; messages.hideReportSpam#a8f1709b peer:InputPeer = Bool; @@ -1035,7 +1035,6 @@ messages.editChatPhoto#ca4c79d8 chat_id:int photo:InputChatPhoto = Updates; messages.addChatUser#f9a0aa09 chat_id:int user_id:InputUser fwd_limit:int = Updates; messages.deleteChatUser#e0611f16 chat_id:int user_id:InputUser = Updates; messages.createChat#9cb126e users:Vector title:string = Updates; -messages.forwardMessage#33963bf9 peer:InputPeer id:int random_id:long = Updates; messages.getDhConfig#26cf8950 version:int random_length:int = messages.DhConfig; messages.requestEncryption#f64daf43 user_id:InputUser random_id:int g_a:bytes = EncryptedChat; messages.acceptEncryption#3dbc0415 peer:InputEncryptedChat g_b:bytes key_fingerprint:long = EncryptedChat; @@ -1048,8 +1047,9 @@ messages.sendEncryptedService#32d439a4 peer:InputEncryptedChat random_id:long da messages.receivedQueue#55a5bb66 max_qts:int = Vector; messages.reportEncryptedSpam#4b0c8c0f peer:InputEncryptedChat = Bool; messages.readMessageContents#36a73f77 id:Vector = messages.AffectedMessages; +messages.getStickers#ae22e045 emoticon:string hash:string = messages.Stickers; messages.getAllStickers#1c9618b1 hash:int = messages.AllStickers; -messages.getWebPagePreview#25223e24 message:string = MessageMedia; +messages.getWebPagePreview#8b68b0cc flags:# message:string entities:flags.3?Vector = MessageMedia; messages.exportChatInvite#7d885289 chat_id:int = ExportedChatInvite; messages.checkChatInvite#3eadb1bb hash:string = ChatInvite; messages.importChatInvite#6c50051c hash:string = Updates; @@ -1199,4 +1199,4 @@ langpack.getStrings#2e1ee318 lang_code:string keys:Vector = Vector; -// LAYER 74 +// LAYER 75