Telethon/telethon/sync.py

78 lines
2.5 KiB
Python
Raw Normal View History

"""
This magical module will rewrite all public methods in the public interface
of the library so they can run the loop on their own if it's not already
running. This rewrite may not be desirable if the end user always uses the
methods they way they should be ran, but it's incredibly useful for quick
scripts and the runtime overhead is relatively low.
Some really common methods which are hardly used offer this ability by
default, such as ``.start()`` and ``.run_until_disconnected()`` (since
you may want to start, and then run until disconnected while using async
event handlers).
"""
import asyncio
import functools
import inspect
2018-06-27 10:34:35 +03:00
from async_generator import isasyncgenfunction
from .client.telegramclient import TelegramClient
2018-08-01 02:06:47 +03:00
from .tl.custom import (
Draft, Dialog, MessageButton, Forward, Message, InlineResult, Conversation
2018-08-01 02:06:47 +03:00
)
2018-07-10 16:15:22 +03:00
from .tl.custom.chatgetter import ChatGetter
from .tl.custom.sendergetter import SenderGetter
2018-06-27 10:34:35 +03:00
class _SyncGen:
def __init__(self, gen):
2018-06-27 10:34:35 +03:00
self.gen = gen
def __iter__(self):
return self
def __next__(self):
try:
return asyncio.get_event_loop() \
.run_until_complete(self.gen.__anext__())
2018-06-27 10:34:35 +03:00
except StopAsyncIteration:
raise StopIteration from None
def _syncify_wrap(t, method_name, gen):
2018-06-27 10:34:35 +03:00
method = getattr(t, method_name)
@functools.wraps(method)
def syncified(*args, **kwargs):
coro = method(*args, **kwargs)
loop = asyncio.get_event_loop()
if loop.is_running():
return coro
elif gen:
return _SyncGen(coro)
else:
return loop.run_until_complete(coro)
2018-06-27 10:34:35 +03:00
# Save an accessible reference to the original method
setattr(syncified, '__tl.sync', method)
2018-06-27 10:34:35 +03:00
setattr(t, method_name, syncified)
def syncify(*types):
"""
Converts all the methods in the given types (class definitions)
into synchronous, which return either the coroutine or the result
based on whether ``asyncio's`` event loop is running.
"""
for t in types:
for name in dir(t):
if not name.startswith('_') or name == '__call__':
if inspect.iscoroutinefunction(getattr(t, name)):
_syncify_wrap(t, name, gen=False)
elif isasyncgenfunction(getattr(t, name)):
_syncify_wrap(t, name, gen=True)
2018-07-10 16:15:22 +03:00
syncify(TelegramClient, Draft, Dialog, MessageButton,
ChatGetter, SenderGetter, Forward, Message, InlineResult, Conversation)