TelegramClient

The TelegramClient aggregates several mixin classes to provide all the common functionality in a nice, Pythonic interface. Each mixin has its own methods, which you all can use.

In short, to create a client you must run:

from telethon import TelegramClient

client = TelegramClient(name, api_id, api_hash)

async def main():
    # Now you can use all client methods listed below, like for example...
    await client.send_message('me', 'Hello to myself!')

with client:
    client.loop.run_until_complete(main())

You don’t need to import these AuthMethods, MessageMethods, etc. Together they are the TelegramClient and you can access all of their methods.

See Client Reference for a short summary.

class telethon.client.telegramclient.TelegramClient(session: typing.Union[str, Session], api_id: int, api_hash: str, *, connection: typing.Type[Connection] = <class 'telethon.network.connection.tcpfull.ConnectionTcpFull'>, use_ipv6: bool = False, proxy: Union[tuple, dict] = None, local_addr: Union[str, tuple] = None, timeout: int = 10, request_retries: int = 5, connection_retries: int = 5, retry_delay: int = 1, auto_reconnect: bool = True, sequential_updates: bool = False, flood_sleep_threshold: int = 60, raise_last_call_error: bool = False, device_model: str = None, system_version: str = None, app_version: str = None, lang_code: str = 'en', system_lang_code: str = 'en', loop: asyncio.events.AbstractEventLoop = None, base_logger: Union[str, logging.Logger] = None, receive_updates: bool = True, catch_up: bool = False, entity_cache_limit: int = 5000)

Bases: telethon.client.account.AccountMethods, telethon.client.auth.AuthMethods, telethon.client.downloads.DownloadMethods, telethon.client.dialogs.DialogMethods, telethon.client.chats.ChatMethods, telethon.client.bots.BotMethods, telethon.client.messages.MessageMethods, telethon.client.uploads.UploadMethods, telethon.client.buttons.ButtonMethods, telethon.client.updates.UpdateMethods, telethon.client.messageparse.MessageParseMethods, telethon.client.users.UserMethods, telethon.client.telegrambaseclient.TelegramBaseClient

class telethon.client.telegrambaseclient.TelegramBaseClient(session: typing.Union[str, Session], api_id: int, api_hash: str, *, connection: typing.Type[Connection] = <class 'telethon.network.connection.tcpfull.ConnectionTcpFull'>, use_ipv6: bool = False, proxy: Union[tuple, dict] = None, local_addr: Union[str, tuple] = None, timeout: int = 10, request_retries: int = 5, connection_retries: int = 5, retry_delay: int = 1, auto_reconnect: bool = True, sequential_updates: bool = False, flood_sleep_threshold: int = 60, raise_last_call_error: bool = False, device_model: str = None, system_version: str = None, app_version: str = None, lang_code: str = 'en', system_lang_code: str = 'en', loop: asyncio.events.AbstractEventLoop = None, base_logger: Union[str, logging.Logger] = None, receive_updates: bool = True, catch_up: bool = False, entity_cache_limit: int = 5000)

Bases: abc.ABC

This is the abstract base class for the client. It defines some basic stuff like connecting, switching data center, etc, and leaves the __call__ unimplemented.

Arguments
session (str | telethon.sessions.abstract.Session, None):

The file name of the session file to be used if a string is given (it may be a full path), or the Session instance to be used otherwise. If it’s None, the session will not be saved, and you should call log_out() when you’re done.

Note that if you pass a string it will be a file in the current working directory, although you can also pass absolute paths.

The session file contains enough information for you to login without re-sending the code, so if you have to enter the code more than once, maybe you’re changing the working directory, renaming or removing the file, or using random names.

api_id (int | str):
The API ID you obtained from https://my.telegram.org.
api_hash (str):
The API hash you obtained from https://my.telegram.org.
connection (telethon.network.connection.common.Connection, optional):

The connection instance to be used when creating a new connection to the servers. It must be a type.

Defaults to telethon.network.connection.tcpfull.ConnectionTcpFull.

use_ipv6 (bool, optional):
Whether to connect to the servers through IPv6 or not. By default this is False as IPv6 support is not too widespread yet.
proxy (tuple | list | dict, optional):
An iterable consisting of the proxy info. If connection is one of MTProxy, then it should contain MTProxy credentials: ('hostname', port, 'secret'). Otherwise, it’s meant to store function parameters for PySocks, like (type, 'hostname', port). See https://github.com/Anorov/PySocks#usage-1 for more.
local_addr (str | tuple, optional):
Local host address (and port, optionally) used to bind the socket to locally. You only need to use this if you have multiple network cards and want to use a specific one.
timeout (int | float, optional):
The timeout in seconds to be used when connecting. This is not the timeout to be used when await’ing for invoked requests, and you should use asyncio.wait or asyncio.wait_for for that.
request_retries (int | None, optional):

How many times a request should be retried. Request are retried when Telegram is having internal issues (due to either errors.ServerError or errors.RpcCallFailError), when there is a errors.FloodWaitError less than flood_sleep_threshold, or when there’s a migrate error.

May take a negative or None value for infinite retries, but this is not recommended, since some requests can always trigger a call fail (such as searching for messages).

connection_retries (int | None, optional):
How many times the reconnection should retry, either on the initial connection or when Telegram disconnects us. May be set to a negative or None value for infinite retries, but this is not recommended, since the program can get stuck in an infinite loop.
retry_delay (int | float, optional):
The delay in seconds to sleep between automatic reconnections.
auto_reconnect (bool, optional):
Whether reconnection should be retried connection_retries times automatically if Telegram disconnects us or not.
sequential_updates (bool, optional):

By default every incoming update will create a new task, so you can handle several updates in parallel. Some scripts need the order in which updates are processed to be sequential, and this setting allows them to do so.

If set to True, incoming updates will be put in a queue and processed sequentially. This means your event handlers should not perform long-running operations since new updates are put inside of an unbounded queue.

flood_sleep_threshold (int | float, optional):
The threshold below which the library should automatically sleep on flood wait and slow mode wait errors (inclusive). For instance, if a FloodWaitError for 17s occurs and flood_sleep_threshold is 20s, the library will sleep automatically. If the error was for 21s, it would raise FloodWaitError instead. Values larger than a day (like float('inf')) will be changed to a day.
raise_last_call_error (bool, optional):
When API calls fail in a way that causes Telethon to retry automatically, should the RPC error of the last attempt be raised instead of a generic ValueError. This is mostly useful for detecting when Telegram has internal issues.
device_model (str, optional):
“Device model” to be sent when creating the initial connection. Defaults to ‘PC (n)bit’ derived from platform.uname().machine, or its direct value if unknown.
system_version (str, optional):
“System version” to be sent when creating the initial connection. Defaults to platform.uname().release stripped of everything ahead of -.
app_version (str, optional):
“App version” to be sent when creating the initial connection. Defaults to telethon.version.__version__.
lang_code (str, optional):
“Language code” to be sent when creating the initial connection. Defaults to 'en'.
system_lang_code (str, optional):
“System lang code” to be sent when creating the initial connection. Defaults to lang_code.
loop (asyncio.AbstractEventLoop, optional):
Asyncio event loop to use. Defaults to asyncio.get_running_loop(). This argument is ignored.
base_logger (str | logging.Logger, optional):
Base logger name or instance to use. If a str is given, it’ll be passed to logging.getLogger(). If a logging.Logger is given, it’ll be used directly. If something else or nothing is given, the default logger will be used.
receive_updates (bool, optional):

Whether the client will receive updates or not. By default, updates will be received from Telegram as they occur.

Turning this off means that Telegram will not send updates at all so event handlers, conversations, and QR login will not work. However, certain scripts don’t need updates, so this will reduce the amount of bandwidth used.

entity_cache_limit (int, optional):

How many users, chats and channels to keep in the in-memory cache at most. This limit is checked against when processing updates.

When this limit is reached or exceeded, all entities that are not required for update handling will be flushed to the session file.

Note that this implies that there is a lower bound to the amount of entities that must be kept in memory.

Setting this limit too low will cause the library to attempt to flush entities to the session file even if no entities can be removed from the in-memory cache, which will degrade performance.

__call__(request, ordered=False)

Invokes (sends) one or more MTProtoRequests and returns (receives) their result.

Args:
request (TLObject | list):
The request or requests to be invoked.
ordered (bool, optional):
Whether the requests (if more than one was given) should be executed sequentially on the server. They run in arbitrary order by default.
flood_sleep_threshold (int | None, optional):
The flood sleep threshold to use for this request. This overrides the default value stored in client.flood_sleep_threshold
Returns:
The result of the request (often a TLObject) or a list of results if more than one request was given.
__version__ = '1.30.3'
__weakref__

list of weak references to the object (if defined)

connect() → None

Connects to Telegram.

Note

Connect means connect and nothing else, and only one low-level request is made to notify Telegram about which layer we will be using.

Before Telegram sends you updates, you need to make a high-level request, like client.get_me(), as described in https://core.telegram.org/api/updates.

Example
try:
    await client.connect()
except OSError:
    print('Failed to connect')
disconnect()

Disconnects from Telegram.

If the event loop is already running, this method returns a coroutine that you should await on your own code; otherwise the loop is ran until said coroutine completes.

Event handlers which are currently running will be cancelled before this function returns (in order to properly clean-up their tasks). In particular, this means that using disconnect in a handler will cause code after the disconnect to never run. If this is needed, consider spawning a separate task to do the remaining work.

Example
# You don't need to use this if you used "with client"
await client.disconnect()
disconnected

Property with a Future that resolves upon disconnection.

Example
# Wait for a disconnection to occur
try:
    await client.disconnected
except OSError:
    print('Error on disconnect')
flood_sleep_threshold
is_connected() → bool

Returns True if the user has connected.

This method is not asynchronous (don’t use await on it).

Example
while client.is_connected():
    await asyncio.sleep(1)
loop

Property with the asyncio event loop used by this client.

Example
# Download media in the background
task = client.loop.create_task(message.download_media())

# Do some work
...

# Join the task (wait for it to complete)
await task
set_proxy(proxy: Union[tuple, dict])

Changes the proxy which will be used on next (re)connection.

Method has no immediate effects if the client is currently connected.

The new proxy will take it’s effect on the next reconnection attempt:
  • on a call await client.connect() (after complete disconnect)
  • on auto-reconnect attempt (e.g, after previous connection was lost)
class telethon.client.account.AccountMethods

Bases: object

__weakref__

list of weak references to the object (if defined)

end_takeout(success: bool) → bool

Finishes the current takeout session.

Arguments
success (bool):
Whether the takeout completed successfully or not.
Returns
True if the operation was successful, False otherwise.
Example
await client.end_takeout(success=False)
takeout(finalize: bool = True, *, contacts: bool = None, users: bool = None, chats: bool = None, megagroups: bool = None, channels: bool = None, files: bool = None, max_file_size: bool = None) → TelegramClient

Returns a TelegramClient which calls methods behind a takeout session.

It does so by creating a proxy object over the current client through which making requests will use InvokeWithTakeoutRequest to wrap them. In other words, returns the current client modified so that requests are done as a takeout:

Some of the calls made through the takeout session will have lower flood limits. This is useful if you want to export the data from conversations or mass-download media, since the rate limits will be lower. Only some requests will be affected, and you will need to adjust the wait_time of methods like client.iter_messages.

By default, all parameters are None, and you need to enable those you plan to use by setting them to either True or False.

You should except errors.TakeoutInitDelayError as e, since this exception will raise depending on the condition of the session. You can then access e.seconds to know how long you should wait for before calling the method again.

There’s also a success property available in the takeout proxy object, so from the with body you can set the boolean result that will be sent back to Telegram. But if it’s left None as by default, then the action is based on the finalize parameter. If it’s True then the takeout will be finished, and if no exception occurred during it, then True will be considered as a result. Otherwise, the takeout will not be finished and its ID will be preserved for future usage as client.session.takeout_id.

Arguments
finalize (bool):
Whether the takeout session should be finalized upon exit or not.
contacts (bool):
Set to True if you plan on downloading contacts.
users (bool):
Set to True if you plan on downloading information from users and their private conversations with you.
chats (bool):
Set to True if you plan on downloading information from small group chats, such as messages and media.
megagroups (bool):
Set to True if you plan on downloading information from megagroups (channels), such as messages and media.
channels (bool):
Set to True if you plan on downloading information from broadcast channels, such as messages and media.
files (bool):
Set to True if you plan on downloading media and you don’t only wish to export messages.
max_file_size (int):
The maximum file size, in bytes, that you plan to download for each message with media.
Example
from telethon import errors

try:
    async with client.takeout() as takeout:
        await client.get_messages('me')  # normal call
        await takeout.get_messages('me')  # wrapped through takeout (less limits)

        async for message in takeout.iter_messages(chat, wait_time=0):
            ...  # Do something with the message

except errors.TakeoutInitDelayError as e:
    print('Must wait', e.seconds, 'before takeout')
class telethon.client.auth.AuthMethods

Bases: object

__aenter__()
__aexit__(*args)
__enter__()

Helps to cut boilerplate on async context managers that offer synchronous variants.

__exit__(*args)
__weakref__

list of weak references to the object (if defined)

edit_2fa(current_password: str = None, new_password: str = None, *, hint: str = '', email: str = None, email_code_callback: Callable[[int], str] = None) → bool

Changes the 2FA settings of the logged in user.

Review carefully the parameter explanations before using this method.

Note that this method may be incredibly slow depending on the prime numbers that must be used during the process to make sure that everything is safe.

Has no effect if both current and new password are omitted.

Arguments
current_password (str, optional):
The current password, to authorize changing to new_password. Must be set if changing existing 2FA settings. Must not be set if 2FA is currently disabled. Passing this by itself will remove 2FA (if correct).
new_password (str, optional):
The password to set as 2FA. If 2FA was already enabled, current_password must be set. Leaving this blank or None will remove the password.
hint (str, optional):
Hint to be displayed by Telegram when it asks for 2FA. Leaving unspecified is highly discouraged. Has no effect if new_password is not set.
email (str, optional):
Recovery and verification email. If present, you must also set email_code_callback, else it raises ValueError.
email_code_callback (callable, optional):

If an email is provided, a callback that returns the code sent to it must also be set. This callback may be asynchronous. It should return a string with the code. The length of the code will be passed to the callback as an input parameter.

If the callback returns an invalid code, it will raise CodeInvalidError.

Returns
True if successful, False otherwise.
Example
# Setting a password for your account which didn't have
await client.edit_2fa(new_password='I_<3_Telethon')

# Removing the password
await client.edit_2fa(current_password='I_<3_Telethon')
log_out() → bool

Logs out Telegram and deletes the current *.session file.

The client is unusable after logging out and a new instance should be created.

Returns
True if the operation was successful.
Example
# Note: you will need to login again!
await client.log_out()
qr_login(ignored_ids: List[int] = None) → telethon.tl.custom.qrlogin.QRLogin

Initiates the QR login procedure.

Note that you must be connected before invoking this, as with any other request.

It is up to the caller to decide how to present the code to the user, whether it’s the URL, using the token bytes directly, or generating a QR code and displaying it by other means.

See the documentation for QRLogin to see how to proceed after this.

Arguments
ignored_ids (List[int]):
List of already logged-in user IDs, to prevent logging in twice with the same user.
Returns
An instance of QRLogin.
Example
def display_url_as_qr(url):
    pass  # do whatever to show url as a qr to the user

qr_login = await client.qr_login()
display_url_as_qr(qr_login.url)

# Important! You need to wait for the login to complete!
await qr_login.wait()

# If you have 2FA enabled, `wait` will raise `telethon.errors.SessionPasswordNeededError`.
# You should except that error and call `sign_in` with the password if this happens.
send_code_request(phone: str, *, force_sms: bool = False, _retry_count: int = 0) → types.auth.SentCode

Sends the Telegram code needed to login to the given phone number.

Arguments
phone (str | int):
The phone to which the code will be sent.
force_sms (bool, optional):
Whether to force sending as SMS. This has been deprecated. See issue #4050 for context.
Returns
An instance of SentCode.
Example
phone = '+34 123 123 123'
sent = await client.send_code_request(phone)
print(sent)
sign_in(phone: str = None, code: Union[str, int] = None, *, password: str = None, bot_token: str = None, phone_code_hash: str = None) → typing.Union[types.User, types.auth.SentCode]

Logs in to Telegram to an existing user or bot account.

You should only use this if you are not authorized yet.

This method will send the code if it’s not provided.

Note

In most cases, you should simply use start() and not this method.

Arguments
phone (str | int):
The phone to send the code to if no code was provided, or to override the phone that was previously used with these requests.
code (str | int):
The code that Telegram sent. Note that if you have sent this code through the application itself it will immediately expire. If you want to send the code, obfuscate it somehow. If you’re not doing any of this you can ignore this note.
password (str):
2FA password, should be used if a previous call raised SessionPasswordNeededError.
bot_token (str):
Used to sign in as a bot. Not all requests will be available. This should be the hash the @BotFather gave you.
phone_code_hash (str, optional):
The hash returned by send_code_request. This can be left as None to use the last hash known for the phone to be used.
Returns
The signed in user, or the information about send_code_request().
Example
phone = '+34 123 123 123'
await client.sign_in(phone)  # send code

code = input('enter code: ')
await client.sign_in(phone, code)
sign_up(code: Union[str, int], first_name: str, last_name: str = '', *, phone: str = None, phone_code_hash: str = None) → types.User

This method can no longer be used, and will immediately raise a ValueError. See issue #4050 for context.

start(phone: Callable[[], str] = <function AuthMethods.<lambda>>, password: Callable[[], str] = <function AuthMethods.<lambda>>, *, bot_token: str = None, force_sms: bool = False, code_callback: Callable[[], Union[str, int]] = None, first_name: str = 'New User', last_name: str = '', max_attempts: int = 3) → TelegramClient

Starts the client (connects and logs in if necessary).

By default, this method will be interactive (asking for user input if needed), and will handle 2FA if enabled too.

If the event loop is already running, this method returns a coroutine that you should await on your own code; otherwise the loop is ran until said coroutine completes.

Arguments
phone (str | int | callable):
The phone (or callable without arguments to get it) to which the code will be sent. If a bot-token-like string is given, it will be used as such instead. The argument may be a coroutine.
password (str, callable, optional):
The password for 2 Factor Authentication (2FA). This is only required if it is enabled in your account. The argument may be a coroutine.
bot_token (str):
Bot Token obtained by @BotFather to log in as a bot. Cannot be specified with phone (only one of either allowed).
force_sms (bool, optional):
Whether to force sending the code request as SMS. This only makes sense when signing in with a phone.
code_callback (callable, optional):
A callable that will be used to retrieve the Telegram login code. Defaults to input(). The argument may be a coroutine.
first_name (str, optional):
The first name to be used if signing up. This has no effect if the account already exists and you sign in.
last_name (str, optional):
Similar to the first name, but for the last. Optional.
max_attempts (int, optional):
How many times the code/password callback should be retried or switching between signing in and signing up.
Returns
This TelegramClient, so initialization can be chained with .start().
Example
client = TelegramClient('anon', api_id, api_hash)

# Starting as a bot account
await client.start(bot_token=bot_token)

# Starting as a user account
await client.start(phone)
# Please enter the code you received: 12345
# Please enter your password: *******
# (You are now logged in)

# Starting using a context manager (this calls start()):
with client:
    pass
class telethon.client.bots.BotMethods

Bases: object

__weakref__

list of weak references to the object (if defined)

inline_query(bot: hints.EntityLike, query: str, *, entity: hints.EntityLike = None, offset: str = None, geo_point: types.GeoPoint = None) → telethon.tl.custom.inlineresults.InlineResults

Makes an inline query to the specified bot (@vote New Poll).

Arguments
bot (entity):
The bot entity to which the inline query should be made.
query (str):
The query that should be made to the bot.
entity (entity, optional):

The entity where the inline query is being made from. Certain bots use this to display different results depending on where it’s used, such as private chats, groups or channels.

If specified, it will also be the default entity where the message will be sent after clicked. Otherwise, the “empty peer” will be used, which some bots may not handle correctly.

offset (str, optional):
The string offset to use for the bot.
geo_point (GeoPoint, optional)
The geo point location information to send to the bot for localised results. Available under some bots.
Returns
A list of custom.InlineResult.
Example
# Make an inline query to @like
results = await client.inline_query('like', 'Do you like Telethon?')

# Send the first result to some chat
message = await results[0].click('TelethonOffTopic')
class telethon.client.buttons.ButtonMethods

Bases: object

__weakref__

list of weak references to the object (if defined)

static build_reply_markup(buttons: Union[telethon.tl.types.ReplyKeyboardHide, telethon.tl.types.ReplyKeyboardForceReply, telethon.tl.types.ReplyKeyboardMarkup, telethon.tl.types.ReplyInlineMarkup, telethon.tl.types.KeyboardButton, telethon.tl.types.KeyboardButtonUrl, telethon.tl.types.KeyboardButtonCallback, telethon.tl.types.KeyboardButtonRequestPhone, telethon.tl.types.KeyboardButtonRequestGeoLocation, telethon.tl.types.KeyboardButtonSwitchInline, telethon.tl.types.KeyboardButtonGame, telethon.tl.types.KeyboardButtonBuy, telethon.tl.types.KeyboardButtonUrlAuth, telethon.tl.types.InputKeyboardButtonUrlAuth, telethon.tl.types.KeyboardButtonRequestPoll, telethon.tl.types.InputKeyboardButtonUserProfile, telethon.tl.types.KeyboardButtonUserProfile, telethon.tl.types.KeyboardButtonWebView, telethon.tl.types.KeyboardButtonSimpleWebView, telethon.tl.types.KeyboardButtonRequestPeer, telethon.tl.custom.button.Button, Sequence[Union[telethon.tl.types.KeyboardButton, telethon.tl.types.KeyboardButtonUrl, telethon.tl.types.KeyboardButtonCallback, telethon.tl.types.KeyboardButtonRequestPhone, telethon.tl.types.KeyboardButtonRequestGeoLocation, telethon.tl.types.KeyboardButtonSwitchInline, telethon.tl.types.KeyboardButtonGame, telethon.tl.types.KeyboardButtonBuy, telethon.tl.types.KeyboardButtonUrlAuth, telethon.tl.types.InputKeyboardButtonUrlAuth, telethon.tl.types.KeyboardButtonRequestPoll, telethon.tl.types.InputKeyboardButtonUserProfile, telethon.tl.types.KeyboardButtonUserProfile, telethon.tl.types.KeyboardButtonWebView, telethon.tl.types.KeyboardButtonSimpleWebView, telethon.tl.types.KeyboardButtonRequestPeer, telethon.tl.custom.button.Button]], Sequence[Sequence[Union[telethon.tl.types.KeyboardButton, telethon.tl.types.KeyboardButtonUrl, telethon.tl.types.KeyboardButtonCallback, telethon.tl.types.KeyboardButtonRequestPhone, telethon.tl.types.KeyboardButtonRequestGeoLocation, telethon.tl.types.KeyboardButtonSwitchInline, telethon.tl.types.KeyboardButtonGame, telethon.tl.types.KeyboardButtonBuy, telethon.tl.types.KeyboardButtonUrlAuth, telethon.tl.types.InputKeyboardButtonUrlAuth, telethon.tl.types.KeyboardButtonRequestPoll, telethon.tl.types.InputKeyboardButtonUserProfile, telethon.tl.types.KeyboardButtonUserProfile, telethon.tl.types.KeyboardButtonWebView, telethon.tl.types.KeyboardButtonSimpleWebView, telethon.tl.types.KeyboardButtonRequestPeer, telethon.tl.custom.button.Button]]], None], inline_only: bool = False) → Union[telethon.tl.types.ReplyKeyboardHide, telethon.tl.types.ReplyKeyboardForceReply, telethon.tl.types.ReplyKeyboardMarkup, telethon.tl.types.ReplyInlineMarkup, None]

Builds a ReplyInlineMarkup or ReplyKeyboardMarkup for the given buttons.

Does nothing if either no buttons are provided or the provided argument is already a reply markup.

You should consider using this method if you are going to reuse the markup very often. Otherwise, it is not necessary.

This method is not asynchronous (don’t use await on it).

Arguments
buttons (hints.MarkupLike):
The button, list of buttons, array of buttons or markup to convert into a markup.
inline_only (bool, optional):
Whether the buttons must be inline buttons only or not.
Example
from telethon import Button

markup = client.build_reply_markup(Button.inline('hi'))
# later
await client.send_message(chat, 'click me', buttons=markup)
class telethon.client.chats.ChatMethods

Bases: object

__weakref__

list of weak references to the object (if defined)

action(entity: hints.EntityLike, action: typing.Union[str, types.TypeSendMessageAction], *, delay: float = 4, auto_cancel: bool = True) → typing.Union[_ChatAction, typing.Coroutine]

Returns a context-manager object to represent a “chat action”.

Chat actions indicate things like “user is typing”, “user is uploading a photo”, etc.

If the action is 'cancel', you should just await the result, since it makes no sense to use a context-manager for it.

See the example below for intended usage.

Arguments
entity (entity):
The entity where the action should be showed in.
action (str | SendMessageAction):

The action to show. You can either pass a instance of SendMessageAction or better, a string used while:

  • 'typing': typing a text message.
  • 'contact': choosing a contact.
  • 'game': playing a game.
  • 'location': choosing a geo location.
  • 'sticker': choosing a sticker.
  • 'record-audio': recording a voice note. You may use 'record-voice' as alias.
  • 'record-round': recording a round video.
  • 'record-video': recording a normal video.
  • 'audio': sending an audio file (voice note or song). You may use 'voice' and 'song' as aliases.
  • 'round': uploading a round video.
  • 'video': uploading a video file.
  • 'photo': uploading a photo.
  • 'document': uploading a document file. You may use 'file' as alias.
  • 'cancel': cancel any pending action in this chat.

Invalid strings will raise a ValueError.

delay (int | float):
The delay, in seconds, to wait between sending actions. For example, if the delay is 5 and it takes 7 seconds to do something, three requests will be made at 0s, 5s, and 7s to cancel the action.
auto_cancel (bool):
Whether the action should be cancelled once the context manager exists or not. The default is True, since you don’t want progress to be shown when it has already completed.
Returns
Either a context-manager object or a coroutine.
Example
# Type for 2 seconds, then send a message
async with client.action(chat, 'typing'):
    await asyncio.sleep(2)
    await client.send_message(chat, 'Hello world! I type slow ^^')

# Cancel any previous action
await client.action(chat, 'cancel')

# Upload a document, showing its progress (most clients ignore this)
async with client.action(chat, 'document') as action:
    await client.send_file(chat, zip_file, progress_callback=action.progress)
edit_admin(entity: hints.EntityLike, user: hints.EntityLike, *, change_info: bool = None, post_messages: bool = None, edit_messages: bool = None, delete_messages: bool = None, ban_users: bool = None, invite_users: bool = None, pin_messages: bool = None, add_admins: bool = None, manage_call: bool = None, anonymous: bool = None, is_admin: bool = None, title: str = None) → telethon.tl.types.Updates

Edits admin permissions for someone in a chat.

Raises an error if a wrong combination of rights are given (e.g. you don’t have enough permissions to grant one).

Unless otherwise stated, permissions will work in channels and megagroups.

Arguments
entity (entity):
The channel, megagroup or chat where the promotion should happen.
user (entity):
The user to be promoted.
change_info (bool, optional):
Whether the user will be able to change info.
post_messages (bool, optional):
Whether the user will be able to post in the channel. This will only work in broadcast channels.
edit_messages (bool, optional):
Whether the user will be able to edit messages in the channel. This will only work in broadcast channels.
delete_messages (bool, optional):
Whether the user will be able to delete messages.
ban_users (bool, optional):
Whether the user will be able to ban users.
invite_users (bool, optional):
Whether the user will be able to invite users. Needs some testing.
pin_messages (bool, optional):
Whether the user will be able to pin messages.
add_admins (bool, optional):
Whether the user will be able to add admins.
manage_call (bool, optional):
Whether the user will be able to manage group calls.
anonymous (bool, optional):

Whether the user will remain anonymous when sending messages. The sender of the anonymous messages becomes the group itself.

Note

Users may be able to identify the anonymous admin by its custom title, so additional care is needed when using both anonymous and custom titles. For example, if multiple anonymous admins share the same title, users won’t be able to distinguish them.

is_admin (bool, optional):

Whether the user will be an admin in the chat. This will only work in small group chats. Whether the user will be an admin in the chat. This is the only permission available in small group chats, and when used in megagroups, all non-explicitly set permissions will have this value.

Essentially, only passing is_admin=True will grant all permissions, but you can still disable those you need.

title (str, optional):

The custom title (also known as “rank”) to show for this admin. This text will be shown instead of the “admin” badge. This will only work in channels and megagroups.

When left unspecified or empty, the default localized “admin” badge will be shown.

Returns
The resulting Updates object.
Example
# Allowing `user` to pin messages in `chat`
await client.edit_admin(chat, user, pin_messages=True)

# Granting all permissions except for `add_admins`
await client.edit_admin(chat, user, is_admin=True, add_admins=False)
edit_permissions(entity: hints.EntityLike, user: typing.Optional[hints.EntityLike] = None, until_date: hints.DateLike = None, *, view_messages: bool = True, send_messages: bool = True, send_media: bool = True, send_stickers: bool = True, send_gifs: bool = True, send_games: bool = True, send_inline: bool = True, embed_link_previews: bool = True, send_polls: bool = True, change_info: bool = True, invite_users: bool = True, pin_messages: bool = True) → telethon.tl.types.Updates

Edits user restrictions in a chat.

Set an argument to False to apply a restriction (i.e. remove the permission), or omit them to use the default True (i.e. don’t apply a restriction).

Raises an error if a wrong combination of rights are given (e.g. you don’t have enough permissions to revoke one).

By default, each boolean argument is True, meaning that it is true that the user has access to the default permission and may be able to make use of it.

If you set an argument to False, then a restriction is applied regardless of the default permissions.

It is important to note that True does not mean grant, only “don’t restrict”, and this is where the default permissions come in. A user may have not been revoked the pin_messages permission (it is True) but they won’t be able to use it if the default permissions don’t allow it either.

Arguments
entity (entity):
The channel or megagroup where the restriction should happen.
user (entity, optional):
If specified, the permission will be changed for the specific user. If left as None, the default chat permissions will be updated.
until_date (DateLike, optional):

When the user will be unbanned.

If the due date or duration is longer than 366 days or shorter than 30 seconds, the ban will be forever. Defaults to 0 (ban forever).

view_messages (bool, optional):
Whether the user is able to view messages or not. Forbidding someone from viewing messages equals to banning them. This will only work if user is set.
send_messages (bool, optional):
Whether the user is able to send messages or not.
send_media (bool, optional):
Whether the user is able to send media or not.
send_stickers (bool, optional):
Whether the user is able to send stickers or not.
send_gifs (bool, optional):
Whether the user is able to send animated gifs or not.
send_games (bool, optional):
Whether the user is able to send games or not.
send_inline (bool, optional):
Whether the user is able to use inline bots or not.
embed_link_previews (bool, optional):
Whether the user is able to enable the link preview in the messages they send. Note that the user will still be able to send messages with links if this permission is removed, but these links won’t display a link preview.
send_polls (bool, optional):
Whether the user is able to send polls or not.
change_info (bool, optional):
Whether the user is able to change info or not.
invite_users (bool, optional):
Whether the user is able to invite other users or not.
pin_messages (bool, optional):
Whether the user is able to pin messages or not.
Returns
The resulting Updates object.
Example
from datetime import timedelta

# Banning `user` from `chat` for 1 minute
await client.edit_permissions(chat, user, timedelta(minutes=1),
                              view_messages=False)

# Banning `user` from `chat` forever
await client.edit_permissions(chat, user, view_messages=False)

# Kicking someone (ban + un-ban)
await client.edit_permissions(chat, user, view_messages=False)
await client.edit_permissions(chat, user)
get_admin_log(entity: hints.EntityLike, limit: float = None, *, max_id: int = 0, min_id: int = 0, search: str = None, admins: hints.EntitiesLike = None, join: bool = None, leave: bool = None, invite: bool = None, restrict: bool = None, unrestrict: bool = None, ban: bool = None, unban: bool = None, promote: bool = None, demote: bool = None, info: bool = None, settings: bool = None, pinned: bool = None, edit: bool = None, delete: bool = None, group_call: bool = None) → telethon.client.chats._AdminLogIter

Same as iter_admin_log(), but returns a list instead.

Example
# Get a list of deleted message events which said "heck"
events = await client.get_admin_log(channel, search='heck', delete=True)

# Print the old message before it was deleted
print(events[0].old)
get_participants(entity: hints.EntityLike, limit: float = None, *, search: str = '', filter: types.TypeChannelParticipantsFilter = None, aggressive: bool = False) → telethon.client.chats._ParticipantsIter

Same as iter_participants(), but returns a TotalList instead.

Example
users = await client.get_participants(chat)
print(users[0].first_name)

for user in users:
    if user.username is not None:
        print(user.username)
get_permissions(entity: hints.EntityLike, user: hints.EntityLike = None) → typing.Optional[custom.ParticipantPermissions]

Fetches the permissions of a user in a specific chat or channel or get Default Restricted Rights of Chat or Channel.

Note

This request has to fetch the entire chat for small group chats, which can get somewhat expensive, so use of a cache is advised.

Arguments
entity (entity):
The channel or chat the user is participant of.
user (entity, optional):
Target user.
Returns
A ParticipantPermissions instance. Refer to its documentation to see what properties are available.
Example
permissions = await client.get_permissions(chat, user)
if permissions.is_admin:
    # do something

# Get Banned Permissions of Chat
await client.get_permissions(chat)
get_profile_photos(entity: hints.EntityLike, limit: int = None, *, offset: int = 0, max_id: int = 0) → telethon.client.chats._ProfilePhotoIter

Same as iter_profile_photos(), but returns a TotalList instead.

Example
# Get the photos of a channel
photos = await client.get_profile_photos(channel)

# Download the oldest photo
await client.download_media(photos[-1])
get_stats(entity: hints.EntityLike, message: typing.Union[int, types.Message] = None)

Retrieves statistics from the given megagroup or broadcast channel.

Note that some restrictions apply before being able to fetch statistics, in particular the channel must have enough members (for megagroups, this requires at least 500 members).

Arguments
entity (entity):
The channel from which to get statistics.
message (int | Message, optional):
The message ID from which to get statistics, if your goal is to obtain the statistics of a single message.
Raises

If the given entity is not a channel (broadcast or megagroup), a TypeError is raised.

If there are not enough members (poorly named) errors such as telethon.errors.ChatAdminRequiredError will appear.

Returns
If both entity and message were provided, returns MessageStats. Otherwise, either BroadcastStats or MegagroupStats, depending on whether the input belonged to a broadcast channel or megagroup.
Example
# Some megagroup or channel username or ID to fetch
channel = -100123
stats = await client.get_stats(channel)
print('Stats from', stats.period.min_date, 'to', stats.period.max_date, ':')
print(stats.stringify())
iter_admin_log(entity: hints.EntityLike, limit: float = None, *, max_id: int = 0, min_id: int = 0, search: str = None, admins: hints.EntitiesLike = None, join: bool = None, leave: bool = None, invite: bool = None, restrict: bool = None, unrestrict: bool = None, ban: bool = None, unban: bool = None, promote: bool = None, demote: bool = None, info: bool = None, settings: bool = None, pinned: bool = None, edit: bool = None, delete: bool = None, group_call: bool = None) → telethon.client.chats._AdminLogIter

Iterator over the admin log for the specified channel.

The default order is from the most recent event to to the oldest.

Note that you must be an administrator of it to use this method.

If none of the filters are present (i.e. they all are None), all event types will be returned. If at least one of them is True, only those that are true will be returned.

Arguments
entity (entity):
The channel entity from which to get its admin log.
limit (int | None, optional):

Number of events to be retrieved.

The limit may also be None, which would eventually return the whole history.

max_id (int):
All the events with a higher (newer) ID or equal to this will be excluded.
min_id (int):
All the events with a lower (older) ID or equal to this will be excluded.
search (str):
The string to be used as a search query.
admins (entity | list):
If present, the events will be filtered by these admins (or single admin) and only those caused by them will be returned.
join (bool):
If True, events for when a user joined will be returned.
leave (bool):
If True, events for when a user leaves will be returned.
invite (bool):
If True, events for when a user joins through an invite link will be returned.
restrict (bool):
If True, events with partial restrictions will be returned. This is what the API calls “ban”.
unrestrict (bool):
If True, events removing restrictions will be returned. This is what the API calls “unban”.
ban (bool):
If True, events applying or removing all restrictions will be returned. This is what the API calls “kick” (restricting all permissions removed is a ban, which kicks the user).
unban (bool):
If True, events removing all restrictions will be returned. This is what the API calls “unkick”.
promote (bool):
If True, events with admin promotions will be returned.
demote (bool):
If True, events with admin demotions will be returned.
info (bool):
If True, events changing the group info will be returned.
settings (bool):
If True, events changing the group settings will be returned.
pinned (bool):
If True, events of new pinned messages will be returned.
edit (bool):
If True, events of message edits will be returned.
delete (bool):
If True, events of message deletions will be returned.
group_call (bool):
If True, events related to group calls will be returned.
Yields
Instances of AdminLogEvent.
Example
async for event in client.iter_admin_log(channel):
    if event.changed_title:
        print('The title changed from', event.old, 'to', event.new)
iter_participants(entity: hints.EntityLike, limit: float = None, *, search: str = '', filter: types.TypeChannelParticipantsFilter = None, aggressive: bool = False) → telethon.client.chats._ParticipantsIter

Iterator over the participants belonging to the specified chat.

The order is unspecified.

Arguments
entity (entity):
The entity from which to retrieve the participants list.
limit (int):
Limits amount of participants fetched.
search (str, optional):
Look for participants with this string in name/username.
filter (ChannelParticipantsFilter, optional):

The filter to be used, if you want e.g. only admins Note that you might not have permissions for some filter. This has no effect for normal chats or users.

Note

The filter ChannelParticipantsBanned will return restricted users. If you want banned users you should use ChannelParticipantsKicked instead.

aggressive (bool, optional):

Does nothing. This is kept for backwards-compatibility.

There have been several changes to Telegram’s API that limits the amount of members that can be retrieved, and this was a hack that no longer works.

Yields
The User objects returned by GetParticipantsRequest with an additional .participant attribute which is the matched ChannelParticipant type for channels/megagroups or ChatParticipants for normal chats.
Example
# Show all user IDs in a chat
async for user in client.iter_participants(chat):
    print(user.id)

# Search by name
async for user in client.iter_participants(chat, search='name'):
    print(user.username)

# Filter by admins
from telethon.tl.types import ChannelParticipantsAdmins
async for user in client.iter_participants(chat, filter=ChannelParticipantsAdmins):
    print(user.first_name)
iter_profile_photos(entity: hints.EntityLike, limit: int = None, *, offset: int = 0, max_id: int = 0) → telethon.client.chats._ProfilePhotoIter

Iterator over a user’s profile photos or a chat’s photos.

The order is from the most recent photo to the oldest.

Arguments
entity (entity):
The entity from which to get the profile or chat photos.
limit (int | None, optional):

Number of photos to be retrieved.

The limit may also be None, which would eventually all the photos that are still available.

offset (int):
How many photos should be skipped before returning the first one.
max_id (int):
The maximum ID allowed when fetching photos.
Yields
Instances of Photo.
Example
# Download all the profile photos of some user
async for photo in client.iter_profile_photos(user):
    await client.download_media(photo)
kick_participant(entity: hints.EntityLike, user: typing.Optional[hints.EntityLike])

Kicks a user from a chat.

Kicking yourself ('me') will result in leaving the chat.

Note

Attempting to kick someone who was banned will remove their restrictions (and thus unbanning them), since kicking is just ban + unban.

Arguments
entity (entity):
The channel or chat where the user should be kicked from.
user (entity, optional):
The user to kick.
Returns
Returns the service Message produced about a user being kicked, if any.
Example
# Kick some user from some chat, and deleting the service message
msg = await client.kick_participant(chat, user)
await msg.delete()

# Leaving chat
await client.kick_participant(chat, 'me')
class telethon.client.dialogs.DialogMethods

Bases: object

__weakref__

list of weak references to the object (if defined)

conversation(entity: hints.EntityLike, *, timeout: float = 60, total_timeout: float = None, max_messages: int = 100, exclusive: bool = True, replies_are_responses: bool = True) → telethon.tl.custom.conversation.Conversation

Creates a Conversation with the given entity.

Note

This Conversation API has certain shortcomings, such as lacking persistence, poor interaction with other event handlers, and overcomplicated usage for anything beyond the simplest case.

If you plan to interact with a bot without handlers, this works fine, but when running a bot yourself, you may instead prefer to follow the advice from https://stackoverflow.com/a/62246569/.

This is not the same as just sending a message to create a “dialog” with them, but rather a way to easily send messages and await for responses or other reactions. Refer to its documentation for more.

Arguments
entity (entity):
The entity with which a new conversation should be opened.
timeout (int | float, optional):
The default timeout (in seconds) per action to be used. You may also override this timeout on a per-method basis. By default each action can take up to 60 seconds (the value of this timeout).
total_timeout (int | float, optional):
The total timeout (in seconds) to use for the whole conversation. This takes priority over per-action timeouts. After these many seconds pass, subsequent actions will result in asyncio.TimeoutError.
max_messages (int, optional):
The maximum amount of messages this conversation will remember. After these many messages arrive in the specified chat, subsequent actions will result in ValueError.
exclusive (bool, optional):

By default, conversations are exclusive within a single chat. That means that while a conversation is open in a chat, you can’t open another one in the same chat, unless you disable this flag.

If you try opening an exclusive conversation for a chat where it’s already open, it will raise AlreadyInConversationError.

replies_are_responses (bool, optional):

Whether replies should be treated as responses or not.

If the setting is enabled, calls to conv.get_response and a subsequent call to conv.get_reply will return different messages, otherwise they may return the same message.

Consider the following scenario with one outgoing message, 1, and two incoming messages, the second one replying:

                    Hello! <1
2> (reply to 1) Hi!
3> (reply to 1) How are you?

And the following code:

async with client.conversation(chat) as conv:
    msg1 = await conv.send_message('Hello!')
    msg2 = await conv.get_response()
    msg3 = await conv.get_reply()

With the setting enabled, msg2 will be 'Hi!' and msg3 be 'How are you?' since replies are also responses, and a response was already returned.

With the setting disabled, both msg2 and msg3 will be 'Hi!' since one is a response and also a reply.

Returns
A Conversation.
Example
# <you> denotes outgoing messages you sent
# <usr> denotes incoming response messages
with bot.conversation(chat) as conv:
    # <you> Hi!
    conv.send_message('Hi!')

    # <usr> Hello!
    hello = conv.get_response()

    # <you> Please tell me your name
    conv.send_message('Please tell me your name')

    # <usr> ?
    name = conv.get_response().raw_text

    while not any(x.isalpha() for x in name):
        # <you> Your name didn't have any letters! Try again
        conv.send_message("Your name didn't have any letters! Try again")

        # <usr> Human
        name = conv.get_response().raw_text

    # <you> Thanks Human!
    conv.send_message('Thanks {}!'.format(name))
delete_dialog(entity: hints.EntityLike, *, revoke: bool = False)

Deletes a dialog (leaves a chat or channel).

This method can be used as a user and as a bot. However, bots will only be able to use it to leave groups and channels (trying to delete a private conversation will do nothing).

See also Dialog.delete().

Arguments
entity (entities):
The entity of the dialog to delete. If it’s a chat or channel, you will leave it. Note that the chat itself is not deleted, only the dialog, because you left it.
revoke (bool, optional):

On private chats, you may revoke the messages from the other peer too. By default, it’s False. Set it to True to delete the history for both.

This makes no difference for bot accounts, who can only leave groups and channels.

Returns
The Updates object that the request produces, or nothing for private conversations.
Example
# Deleting the first dialog
dialogs = await client.get_dialogs(5)
await client.delete_dialog(dialogs[0])

# Leaving a channel by username
await client.delete_dialog('username')
edit_folder(entity: hints.EntitiesLike = None, folder: Union[int, Sequence[int]] = None, *, unpack=None) → telethon.tl.types.Updates

Edits the folder used by one or more dialogs to archive them.

Arguments
entity (entities):
The entity or list of entities to move to the desired archive folder.
folder (int):

The folder to which the dialog should be archived to.

If you want to “archive” a dialog, use folder=1.

If you want to “un-archive” it, use folder=0.

You may also pass a list with the same length as entities if you want to control where each entity will go.

unpack (int, optional):

If you want to unpack an archived folder, set this parameter to the folder number that you want to delete.

When you unpack a folder, all the dialogs inside are moved to the folder number 0.

You can only use this parameter if the other two are not set.

Returns
The Updates object that the request produces.
Example
# Archiving the first 5 dialogs
dialogs = await client.get_dialogs(5)
await client.edit_folder(dialogs, 1)

# Un-archiving the third dialog (archiving to folder 0)
await client.edit_folder(dialog[2], 0)

# Moving the first dialog to folder 0 and the second to 1
dialogs = await client.get_dialogs(2)
await client.edit_folder(dialogs, [0, 1])

# Un-archiving all dialogs
await client.edit_folder(unpack=1)
get_dialogs(limit: float = None, *, offset_date: hints.DateLike = None, offset_id: int = 0, offset_peer: hints.EntityLike = <telethon.tl.types.InputPeerEmpty object>, ignore_pinned: bool = False, ignore_migrated: bool = False, folder: int = None, archived: bool = None) → telethon.client.dialogs._DialogsIter

Same as iter_dialogs(), but returns a TotalList instead.

Example
# Get all open conversation, print the title of the first
dialogs = await client.get_dialogs()
first = dialogs[0]
print(first.title)

# Use the dialog somewhere else
await client.send_message(first, 'hi')

# Getting only non-archived dialogs (both equivalent)
non_archived = await client.get_dialogs(folder=0)
non_archived = await client.get_dialogs(archived=False)

# Getting only archived dialogs (both equivalent)
archived = await client.get_dialogs(folder=1)
archived = await client.get_dialogs(archived=True)
get_drafts(entity: hints.EntitiesLike = None) → hints.TotalList

Same as iter_drafts(), but returns a list instead.

Example
# Get drafts, print the text of the first
drafts = await client.get_drafts()
print(drafts[0].text)

# Get the draft in your chat
draft = await client.get_drafts('me')
print(drafts.text)
iter_dialogs(limit: float = None, *, offset_date: hints.DateLike = None, offset_id: int = 0, offset_peer: hints.EntityLike = <telethon.tl.types.InputPeerEmpty object>, ignore_pinned: bool = False, ignore_migrated: bool = False, folder: int = None, archived: bool = None) → telethon.client.dialogs._DialogsIter

Iterator over the dialogs (open conversations/subscribed channels).

The order is the same as the one seen in official applications (first pinned, them from those with the most recent message to those with the oldest message).

Arguments
limit (int | None):
How many dialogs to be retrieved as maximum. Can be set to None to retrieve all dialogs. Note that this may take whole minutes if you have hundreds of dialogs, as Telegram will tell the library to slow down through a FloodWaitError.
offset_date (datetime, optional):
The offset date to be used.
offset_id (int, optional):
The message ID to be used as an offset.
offset_peer (InputPeer, optional):
The peer to be used as an offset.
ignore_pinned (bool, optional):
Whether pinned dialogs should be ignored or not. When set to True, these won’t be yielded at all.
ignore_migrated (bool, optional):
Whether Chat that have migrated_to a Channel should be included or not. By default all the chats in your dialogs are returned, but setting this to True will ignore (i.e. skip) them in the same way official applications do.
folder (int, optional):

The folder from which the dialogs should be retrieved.

If left unspecified, all dialogs (including those from folders) will be returned.

If set to 0, all dialogs that don’t belong to any folder will be returned.

If set to a folder number like 1, only those from said folder will be returned.

By default Telegram assigns the folder ID 1 to archived chats, so you should use that if you need to fetch the archived dialogs.

archived (bool, optional):
Alias for folder. If unspecified, all will be returned, False implies folder=0 and True implies folder=1.
Yields
Instances of Dialog.
Example
# Print all dialog IDs and the title, nicely formatted
async for dialog in client.iter_dialogs():
    print('{:>14}: {}'.format(dialog.id, dialog.title))
iter_drafts(entity: hints.EntitiesLike = None) → telethon.client.dialogs._DraftsIter

Iterator over draft messages.

The order is unspecified.

Arguments
entity (hints.EntitiesLike, optional):
The entity or entities for which to fetch the draft messages. If left unspecified, all draft messages will be returned.
Yields
Instances of Draft.
Example
# Clear all drafts
async for draft in client.get_drafts():
    await draft.delete()

# Getting the drafts with 'bot1' and 'bot2'
async for draft in client.iter_drafts(['bot1', 'bot2']):
    print(draft.text)
class telethon.client.downloads.DownloadMethods

Bases: object

__weakref__

list of weak references to the object (if defined)

download_file(input_location: hints.FileLike, file: hints.OutFileLike = None, *, part_size_kb: float = None, file_size: int = None, progress_callback: hints.ProgressCallback = None, dc_id: int = None, key: bytes = None, iv: bytes = None) → Optional[bytes]

Low-level method to download files from their input location.

Note

Generally, you should instead use download_media. This method is intended to be a bit more low-level.

Arguments
input_location (InputFileLocation):
The file location from which the file will be downloaded. See telethon.utils.get_input_location source for a complete list of supported types.
file (str | file, optional):

The output file path, directory, or stream-like object. If the path exists and is a file, it will be overwritten.

If the file path is None or bytes, then the result will be saved in memory and returned as bytes.

part_size_kb (int, optional):
Chunk size when downloading files. The larger, the less requests will be made (up to 512KB maximum).
file_size (int, optional):
The file size that is about to be downloaded, if known. Only used if progress_callback is specified.
progress_callback (callable, optional):
A callback function accepting two parameters: (downloaded bytes, total). Note that the total is the provided file_size.
dc_id (int, optional):
The data center the library should connect to in order to download the file. You shouldn’t worry about this.
key (‘bytes’, optional):
In case of an encrypted upload (secret chats) a key is supplied
iv (‘bytes’, optional):
In case of an encrypted upload (secret chats) an iv is supplied
Example
# Download a file and print its header
data = await client.download_file(input_file, bytes)
print(data[:16])
download_media(message: hints.MessageLike, file: hints.FileLike = None, *, thumb: typing.Union[int, types.TypePhotoSize] = None, progress_callback: hints.ProgressCallback = None) → Union[str, bytes, None]

Downloads the given media from a message object.

Note that if the download is too slow, you should consider installing cryptg (through pip install cryptg) so that decrypting the received data is done in C instead of Python (much faster).

See also Message.download_media().

Arguments
message (Message | Media):
The media or message containing the media that will be downloaded.
file (str | file, optional):
The output file path, directory, or stream-like object. If the path exists and is a file, it will be overwritten. If file is the type bytes, it will be downloaded in-memory and returned as a bytestring (i.e. file=bytes, without parentheses or quotes).
progress_callback (callable, optional):
A callback function accepting two parameters: (received bytes, total).
thumb (int | PhotoSize, optional):

Which thumbnail size from the document or photo to download, instead of downloading the document or photo itself.

If it’s specified but the file does not have a thumbnail, this method will return None.

The parameter should be an integer index between 0 and len(sizes). 0 will download the smallest thumbnail, and len(sizes) - 1 will download the largest thumbnail. You can also use negative indices, which work the same as they do in Python’s list.

You can also pass the PhotoSize instance to use. Alternatively, the thumb size type str may be used.

In short, use thumb=0 if you want the smallest thumbnail and thumb=-1 if you want the largest thumbnail.

Note

The largest thumbnail may be a video instead of a photo, as they are available since layer 116 and are bigger than any of the photos.

Returns
None if no media was provided, or if it was Empty. On success the file path is returned since it may differ from the one given.
Example
path = await client.download_media(message)
await client.download_media(message, filename)
# or
path = await message.download_media()
await message.download_media(filename)

# Downloading to memory
blob = await client.download_media(message, bytes)

# Printing download progress
def callback(current, total):
    print('Downloaded', current, 'out of', total,
          'bytes: {:.2%}'.format(current / total))

await client.download_media(message, progress_callback=callback)
download_profile_photo(entity: hints.EntityLike, file: hints.FileLike = None, *, download_big: bool = True) → Optional[str]

Downloads the profile photo from the given user, chat or channel.

Arguments
entity (entity):

From who the photo will be downloaded.

Note

This method expects the full entity (which has the data to download the photo), not an input variant.

It’s possible that sometimes you can’t fetch the entity from its input (since you can get errors like ChannelPrivateError) but you already have it through another call, like getting a forwarded message from it.

file (str | file, optional):
The output file path, directory, or stream-like object. If the path exists and is a file, it will be overwritten. If file is the type bytes, it will be downloaded in-memory and returned as a bytestring (i.e. file=bytes, without parentheses or quotes).
download_big (bool, optional):
Whether to use the big version of the available photos.
Returns
None if no photo was provided, or if it was Empty. On success the file path is returned since it may differ from the one given.
Example
# Download your own profile photo
path = await client.download_profile_photo('me')
print(path)
iter_download(file: hints.FileLike, *, offset: int = 0, stride: int = None, limit: int = None, chunk_size: int = None, request_size: int = 524288, file_size: int = None, dc_id: int = None)

Iterates over a file download, yielding chunks of the file.

This method can be used to stream files in a more convenient way, since it offers more control (pausing, resuming, etc.)

Note

Using a value for offset or stride which is not a multiple of the minimum allowed request_size, or if chunk_size is different from request_size, the library will need to do a bit more work to fetch the data in the way you intend it to.

You normally shouldn’t worry about this.

Arguments
file (hints.FileLike):
The file of which contents you want to iterate over.
offset (int, optional):
The offset in bytes into the file from where the download should start. For example, if a file is 1024KB long and you just want the last 512KB, you would use offset=512 * 1024.
stride (int, optional):

The stride of each chunk (how much the offset should advance between reading each chunk). This parameter should only be used for more advanced use cases.

It must be bigger than or equal to the chunk_size.

limit (int, optional):
The limit for how many chunks will be yielded at most.
chunk_size (int, optional):
The maximum size of the chunks that will be yielded. Note that the last chunk may be less than this value. By default, it equals to request_size.
request_size (int, optional):

How many bytes will be requested to Telegram when more data is required. By default, as many bytes as possible are requested. If you would like to request data in smaller sizes, adjust this parameter.

Note that values outside the valid range will be clamped, and the final value will also be a multiple of the minimum allowed size.

file_size (int, optional):
If the file size is known beforehand, you should set this parameter to said value. Depending on the type of the input file passed, this may be set automatically.
dc_id (int, optional):
The data center the library should connect to in order to download the file. You shouldn’t worry about this.

Yields

bytes objects representing the chunks of the file if the right conditions are met, or memoryview objects instead.
Example
# Streaming `media` to an output file
# After the iteration ends, the sender is cleaned up
with open('photo.jpg', 'wb') as fd:
    async for chunk in client.iter_download(media):
        fd.write(chunk)

# Fetching only the header of a file (32 bytes)
# You should manually close the iterator in this case.
#
# "stream" is a common name for asynchronous generators,
# and iter_download will yield `bytes` (chunks of the file).
stream = client.iter_download(media, request_size=32)
header = await stream.__anext__()  # "manual" version of `async for`
await stream.close()
assert len(header) == 32
class telethon.client.messageparse.MessageParseMethods

Bases: object

__weakref__

list of weak references to the object (if defined)

parse_mode

This property is the default parse mode used when sending messages. Defaults to telethon.extensions.markdown. It will always be either None or an object with parse and unparse methods.

When setting a different value it should be one of:

  • Object with parse and unparse methods.
  • A callable to act as the parse method.
  • A str indicating the parse_mode. For Markdown 'md' or 'markdown' may be used. For HTML, 'htm' or 'html' may be used.

The parse method should be a function accepting a single parameter, the text to parse, and returning a tuple consisting of (parsed message str, [MessageEntity instances]).

The unparse method should be the inverse of parse such that assert text == unparse(*parse(text)).

See MessageEntity for allowed message entities.

Example
# Disabling default formatting
client.parse_mode = None

# Enabling HTML as the default format
client.parse_mode = 'html'
class telethon.client.messages.MessageMethods

Bases: object

__weakref__

list of weak references to the object (if defined)

delete_messages(entity: hints.EntityLike, message_ids: typing.Union[hints.MessageIDLike, typing.Sequence[hints.MessageIDLike]], *, revoke: bool = True) → typing.Sequence[types.messages.AffectedMessages]

Deletes the given messages, optionally “for everyone”.

See also Message.delete().

Warning

This method does not validate that the message IDs belong to the chat that you passed! It’s possible for the method to delete messages from different private chats and small group chats at once, so make sure to pass the right IDs.

Arguments
entity (entity):
From who the message will be deleted. This can actually be None for normal chats, but must be present for channels and megagroups.
message_ids (list | int | Message):
The IDs (or ID) or messages to be deleted.
revoke (bool, optional):

Whether the message should be deleted for everyone or not. By default it has the opposite behaviour of official clients, and it will delete the message for everyone.

Since 24 March 2019, you can also revoke messages of any age (i.e. messages sent long in the past) the other person sent in private conversations (and of course your messages too).

Disabling this has no effect on channels or megagroups, since it will unconditionally delete the message for everyone.

Returns
A list of AffectedMessages, each item being the result for the delete calls of the messages in chunks of 100 each.
Example
await client.delete_messages(chat, messages)
edit_message(entity: typing.Union[hints.EntityLike, types.Message], message: hints.MessageLike = None, text: str = None, *, parse_mode: str = (), attributes: typing.Sequence[types.TypeDocumentAttribute] = None, formatting_entities: Optional[List[Union[telethon.tl.types.MessageEntityUnknown, telethon.tl.types.MessageEntityMention, telethon.tl.types.MessageEntityHashtag, telethon.tl.types.MessageEntityBotCommand, telethon.tl.types.MessageEntityUrl, telethon.tl.types.MessageEntityEmail, telethon.tl.types.MessageEntityBold, telethon.tl.types.MessageEntityItalic, telethon.tl.types.MessageEntityCode, telethon.tl.types.MessageEntityPre, telethon.tl.types.MessageEntityTextUrl, telethon.tl.types.MessageEntityMentionName, telethon.tl.types.InputMessageEntityMentionName, telethon.tl.types.MessageEntityPhone, telethon.tl.types.MessageEntityCashtag, telethon.tl.types.MessageEntityUnderline, telethon.tl.types.MessageEntityStrike, telethon.tl.types.MessageEntityBlockquote, telethon.tl.types.MessageEntityBankCard, telethon.tl.types.MessageEntitySpoiler, telethon.tl.types.MessageEntityCustomEmoji]]] = None, link_preview: bool = True, file: hints.FileLike = None, thumb: hints.FileLike = None, force_document: bool = False, buttons: Optional[hints.MarkupLike] = None, supports_streaming: bool = False, schedule: hints.DateLike = None) → types.Message

Edits the given message to change its text or media.

See also Message.edit().

Arguments
entity (entity | Message):

From which chat to edit the message. This can also be the message to be edited, and the entity will be inferred from it, so the next parameter will be assumed to be the message text.

You may also pass a InputBotInlineMessageID or InputBotInlineMessageID64, which is the only way to edit messages that were sent after the user selects an inline query result.

message (int | Message | str):
The ID of the message (or Message itself) to be edited. If the entity was a Message, then this message will be treated as the new text.
text (str, optional):
The new text of the message. Does nothing if the entity was a Message.
parse_mode (object, optional):
See the TelegramClient.parse_mode property for allowed values. Markdown parsing will be used by default.
attributes (list, optional):
Optional attributes that override the inferred ones, like DocumentAttributeFilename and so on.
formatting_entities (list, optional):
A list of message formatting entities. When provided, the parse_mode is ignored.
link_preview (bool, optional):
Should the link preview be shown?
file (str | bytes | file | media, optional):
The file object that should replace the existing media in the message.
thumb (str | bytes | file, optional):
Optional JPEG thumbnail (for documents). Telegram will ignore this parameter unless you pass a .jpg file! The file must also be small in dimensions and in disk size. Successful thumbnails were files below 20kB and 320x320px. Width/height and dimensions/size ratios may be important. For Telegram to accept a thumbnail, you must provide the dimensions of the underlying media through attributes= with DocumentAttributesVideo or by installing the optional hachoir dependency.
force_document (bool, optional):
Whether to send the given file as a document or not.
buttons (list, custom.Button, KeyboardButton):
The matrix (list of lists), row list or button to be shown after sending the message. This parameter will only work if you have signed in as a bot. You can also pass your own ReplyMarkup here.
supports_streaming (bool, optional):
Whether the sent video supports streaming or not. Note that Telegram only recognizes as streamable some formats like MP4, and others like AVI or MKV will not work. You should convert these to MP4 before sending if you want them to be streamable. Unsupported formats will result in VideoContentTypeError.
schedule (hints.DateLike, optional):

If set, the message won’t be edited immediately, and instead it will be scheduled to be automatically edited at a later time.

Note that this parameter will have no effect if you are trying to edit a message that was sent via inline bots.

Returns
The edited Message, unless entity was a InputBotInlineMessageID or InputBotInlineMessageID64 in which case this method returns a boolean.
Raises

MessageAuthorRequiredError if you’re not the author of the message but tried editing it anyway.

MessageNotModifiedError if the contents of the message were not modified at all.

MessageIdInvalidError if the ID of the message is invalid (the ID itself may be correct, but the message with that ID cannot be edited). For example, when trying to edit messages with a reply markup (or clear markup) this error will be raised.

Example
message = await client.send_message(chat, 'hello')

await client.edit_message(chat, message, 'hello!')
# or
await client.edit_message(chat, message.id, 'hello!!')
# or
await client.edit_message(message, 'hello!!!')
forward_messages(entity: hints.EntityLike, messages: typing.Union[hints.MessageIDLike, typing.Sequence[hints.MessageIDLike]], from_peer: hints.EntityLike = None, *, background: bool = None, with_my_score: bool = None, silent: bool = None, as_album: bool = None, schedule: hints.DateLike = None) → typing.Sequence[types.Message]

Forwards the given messages to the specified entity.

If you want to “forward” a message without the forward header (the “forwarded from” text), you should use send_message with the original message instead. This will send a copy of it.

See also Message.forward_to().

Arguments
entity (entity):
To which entity the message(s) will be forwarded.
messages (list | int | Message):
The message(s) to forward, or their integer IDs.
from_peer (entity):
If the given messages are integer IDs and not instances of the Message class, this must be specified in order for the forward to work. This parameter indicates the entity from which the messages should be forwarded.
silent (bool, optional):
Whether the message should notify people with sound or not. Defaults to False (send with a notification sound unless the person has the chat muted). Set it to True to alter this behaviour.
background (bool, optional):
Whether the message should be forwarded in background.
with_my_score (bool, optional):
Whether forwarded should contain your game score.
as_album (bool, optional):
This flag no longer has any effect.
schedule (hints.DateLike, optional):
If set, the message(s) won’t forward immediately, and instead they will be scheduled to be automatically sent at a later time.
Returns

The list of forwarded Message, or a single one if a list wasn’t provided as input.

Note that if all messages are invalid (i.e. deleted) the call will fail with MessageIdInvalidError. If only some are invalid, the list will have None instead of those messages.

Example
# a single one
await client.forward_messages(chat, message)
# or
await client.forward_messages(chat, message_id, from_chat)
# or
await message.forward_to(chat)

# multiple
await client.forward_messages(chat, messages)
# or
await client.forward_messages(chat, message_ids, from_chat)

# Forwarding as a copy
await client.send_message(chat, message)
get_messages(entity: hints.EntityLike, limit: float = None, *, offset_date: hints.DateLike = None, offset_id: int = 0, max_id: int = 0, min_id: int = 0, add_offset: int = 0, search: str = None, filter: typing.Union[types.TypeMessagesFilter, typing.Type[types.TypeMessagesFilter]] = None, from_user: hints.EntityLike = None, wait_time: float = None, ids: typing.Union[int, typing.Sequence[int]] = None, reverse: bool = False, reply_to: int = None, scheduled: bool = False) → typing.Union[_MessagesIter, _IDsIter]

Same as iter_messages(), but returns a TotalList instead.

If the limit is not set, it will be 1 by default unless both min_id and max_id are set (as named arguments), in which case the entire range will be returned.

This is so because any integer limit would be rather arbitrary and it’s common to only want to fetch one message, but if a range is specified it makes sense that it should return the entirety of it.

If ids is present in the named arguments and is not a list, a single Message will be returned for convenience instead of a list.

Example
# Get 0 photos and print the total to show how many photos there are
from telethon.tl.types import InputMessagesFilterPhotos
photos = await client.get_messages(chat, 0, filter=InputMessagesFilterPhotos)
print(photos.total)

# Get all the photos
photos = await client.get_messages(chat, None, filter=InputMessagesFilterPhotos)

# Get messages by ID:
message_1337 = await client.get_messages(chat, ids=1337)
iter_messages(entity: hints.EntityLike, limit: float = None, *, offset_date: hints.DateLike = None, offset_id: int = 0, max_id: int = 0, min_id: int = 0, add_offset: int = 0, search: str = None, filter: typing.Union[types.TypeMessagesFilter, typing.Type[types.TypeMessagesFilter]] = None, from_user: hints.EntityLike = None, wait_time: float = None, ids: typing.Union[int, typing.Sequence[int]] = None, reverse: bool = False, reply_to: int = None, scheduled: bool = False) → typing.Union[_MessagesIter, _IDsIter]

Iterator over the messages for the given chat.

The default order is from newest to oldest, but this behaviour can be changed with the reverse parameter.

If either search, filter or from_user are provided, messages.Search will be used instead of messages.getHistory.

Note

Telegram’s flood wait limit for GetHistoryRequest seems to be around 30 seconds per 10 requests, therefore a sleep of 1 second is the default for this limit (or above).

Arguments
entity (entity):

The entity from whom to retrieve the message history.

It may be None to perform a global search, or to get messages by their ID from no particular chat. Note that some of the offsets will not work if this is the case.

Note that if you want to perform a global search, you must set a non-empty search string, a filter. or from_user.

limit (int | None, optional):

Number of messages to be retrieved. Due to limitations with the API retrieving more than 3000 messages will take longer than half a minute (or even more based on previous calls).

The limit may also be None, which would eventually return the whole history.

offset_date (datetime):
Offset date (messages previous to this date will be retrieved). Exclusive.
offset_id (int):
Offset message ID (only messages previous to the given ID will be retrieved). Exclusive.
max_id (int):
All the messages with a higher (newer) ID or equal to this will be excluded.
min_id (int):
All the messages with a lower (older) ID or equal to this will be excluded.
add_offset (int):
Additional message offset (all of the specified offsets + this offset = older messages).
search (str):
The string to be used as a search query.
filter (MessagesFilter | type):
The filter to use when returning messages. For instance, InputMessagesFilterPhotos would yield only messages containing photos.
from_user (entity):
Only messages from this entity will be returned.
wait_time (int):

Wait time (in seconds) between different GetHistoryRequest. Use this parameter to avoid hitting the FloodWaitError as needed. If left to None, it will default to 1 second only if the limit is higher than 3000.

If the ids parameter is used, this time will default to 10 seconds only if the amount of IDs is higher than 300.

ids (int, list):

A single integer ID (or several IDs) for the message that should be returned. This parameter takes precedence over the rest (which will be ignored if this is set). This can for instance be used to get the message with ID 123 from a channel. Note that if the message doesn’t exist, None will appear in its place, so that zipping the list of IDs with the messages can match one-to-one.

Note

At the time of writing, Telegram will not return MessageEmpty for InputMessageReplyTo IDs that failed (i.e. the message is not replying to any, or is replying to a deleted message). This means that it is not possible to match messages one-by-one, so be careful if you use non-integers in this parameter.

reverse (bool, optional):

If set to True, the messages will be returned in reverse order (from oldest to newest, instead of the default newest to oldest). This also means that the meaning of offset_id and offset_date parameters is reversed, although they will still be exclusive. min_id becomes equivalent to offset_id instead of being max_id as well since messages are returned in ascending order.

You cannot use this if both entity and ids are None.

reply_to (int, optional):

If set to a message ID, the messages that reply to this ID will be returned. This feature is also known as comments in posts of broadcast channels, or viewing threads in groups.

This feature can only be used in broadcast channels and their linked megagroups. Using it in a chat or private conversation will result in telethon.errors.PeerIdInvalidError to occur.

When using this parameter, the filter and search parameters have no effect, since Telegram’s API doesn’t support searching messages in replies.

Note

This feature is used to get replies to a message in the discussion group. If the same broadcast channel sends a message and replies to it itself, that reply will not be included in the results.

scheduled (bool, optional):
If set to True, messages which are scheduled will be returned. All other parameter will be ignored for this, except entity.
Yields
Instances of Message.
Example
# From most-recent to oldest
async for message in client.iter_messages(chat):
    print(message.id, message.text)

# From oldest to most-recent
async for message in client.iter_messages(chat, reverse=True):
    print(message.id, message.text)

# Filter by sender
async for message in client.iter_messages(chat, from_user='me'):
    print(message.text)

# Server-side search with fuzzy text
async for message in client.iter_messages(chat, search='hello'):
    print(message.id)

# Filter by message type:
from telethon.tl.types import InputMessagesFilterPhotos
async for message in client.iter_messages(chat, filter=InputMessagesFilterPhotos):
    print(message.photo)

# Getting comments from a post in a channel:
async for message in client.iter_messages(channel, reply_to=123):
    print(message.chat.title, message.text)
pin_message(entity: hints.EntityLike, message: typing.Optional[hints.MessageIDLike], *, notify: bool = False, pm_oneside: bool = False)

Pins a message in a chat.

The default behaviour is to not notify members, unlike the official applications.

See also Message.pin().

Arguments
entity (entity):
The chat where the message should be pinned.
message (int | Message):
The message or the message ID to pin. If it’s None, all messages will be unpinned instead.
notify (bool, optional):
Whether the pin should notify people or not.
pm_oneside (bool, optional):
Whether the message should be pinned for everyone or not. By default it has the opposite behaviour of official clients, and it will pin the message for both sides, in private chats.
Example
# Send and pin a message to annoy everyone
message = await client.send_message(chat, 'Pinotifying is fun!')
await client.pin_message(chat, message, notify=True)
send_message(entity: hints.EntityLike, message: hints.MessageLike = '', *, reply_to: typing.Union[int, types.Message] = None, attributes: typing.Sequence[types.TypeDocumentAttribute] = None, parse_mode: Optional[str] = (), formatting_entities: Optional[List[Union[telethon.tl.types.MessageEntityUnknown, telethon.tl.types.MessageEntityMention, telethon.tl.types.MessageEntityHashtag, telethon.tl.types.MessageEntityBotCommand, telethon.tl.types.MessageEntityUrl, telethon.tl.types.MessageEntityEmail, telethon.tl.types.MessageEntityBold, telethon.tl.types.MessageEntityItalic, telethon.tl.types.MessageEntityCode, telethon.tl.types.MessageEntityPre, telethon.tl.types.MessageEntityTextUrl, telethon.tl.types.MessageEntityMentionName, telethon.tl.types.InputMessageEntityMentionName, telethon.tl.types.MessageEntityPhone, telethon.tl.types.MessageEntityCashtag, telethon.tl.types.MessageEntityUnderline, telethon.tl.types.MessageEntityStrike, telethon.tl.types.MessageEntityBlockquote, telethon.tl.types.MessageEntityBankCard, telethon.tl.types.MessageEntitySpoiler, telethon.tl.types.MessageEntityCustomEmoji]]] = None, link_preview: bool = True, file: typing.Union[hints.FileLike, typing.Sequence[hints.FileLike]] = None, thumb: hints.FileLike = None, force_document: bool = False, clear_draft: bool = False, buttons: Optional[hints.MarkupLike] = None, silent: bool = None, background: bool = None, supports_streaming: bool = False, schedule: hints.DateLike = None, comment_to: typing.Union[int, types.Message] = None, nosound_video: bool = None) → types.Message

Sends a message to the specified user, chat or channel.

The default parse mode is the same as the official applications (a custom flavour of markdown). **bold**, `code` or __italic__ are available. In addition you can send [links](https://example.com) and [mentions](@username) (or using IDs like in the Bot API: [mention](tg://user?id=123456789)) and pre blocks with three backticks.

Sending a /start command with a parameter (like ?start=data) is also done through this method. Simply send '/start data' to the bot.

See also Message.respond() and Message.reply().

Arguments
entity (entity):
To who will it be sent.
message (str | Message):

The message to be sent, or another message object to resend.

The maximum length for a message is 35,000 bytes or 4,096 characters. Longer messages will not be sliced automatically, and you should slice them manually if the text to send is longer than said length.

reply_to (int | Message, optional):
Whether to reply to a message or not. If an integer is provided, it should be the ID of the message that it should reply to.
attributes (list, optional):
Optional attributes that override the inferred ones, like DocumentAttributeFilename and so on.
parse_mode (object, optional):
See the TelegramClient.parse_mode property for allowed values. Markdown parsing will be used by default.
formatting_entities (list, optional):
A list of message formatting entities. When provided, the parse_mode is ignored.
link_preview (bool, optional):
Should the link preview be shown?
file (file, optional):
Sends a message with a file attached (e.g. a photo, video, audio or document). The message may be empty.
thumb (str | bytes | file, optional):
Optional JPEG thumbnail (for documents). Telegram will ignore this parameter unless you pass a .jpg file! The file must also be small in dimensions and in disk size. Successful thumbnails were files below 20kB and 320x320px. Width/height and dimensions/size ratios may be important. For Telegram to accept a thumbnail, you must provide the dimensions of the underlying media through attributes= with DocumentAttributesVideo or by installing the optional hachoir dependency.
force_document (bool, optional):
Whether to send the given file as a document or not.
clear_draft (bool, optional):
Whether the existing draft should be cleared or not.
buttons (list, custom.Button, KeyboardButton):

The matrix (list of lists), row list or button to be shown after sending the message. This parameter will only work if you have signed in as a bot. You can also pass your own ReplyMarkup here.

All the following limits apply together:

  • There can be 100 buttons at most (any more are ignored).
  • There can be 8 buttons per row at most (more are ignored).
  • The maximum callback data per button is 64 bytes.
  • The maximum data that can be embedded in total is just over 4KB, shared between inline callback data and text.
silent (bool, optional):
Whether the message should notify people in a broadcast channel or not. Defaults to False, which means it will notify them. Set it to True to alter this behaviour.
background (bool, optional):
Whether the message should be send in background.
supports_streaming (bool, optional):
Whether the sent video supports streaming or not. Note that Telegram only recognizes as streamable some formats like MP4, and others like AVI or MKV will not work. You should convert these to MP4 before sending if you want them to be streamable. Unsupported formats will result in VideoContentTypeError.
schedule (hints.DateLike, optional):
If set, the message won’t send immediately, and instead it will be scheduled to be automatically sent at a later time.
comment_to (int | Message, optional):

Similar to reply_to, but replies in the linked group of a broadcast channel instead (effectively leaving a “comment to” the specified message).

This parameter takes precedence over reply_to. If there is no linked chat, telethon.errors.sgIdInvalidError is raised.

nosound_video (bool, optional):
Only applicable when sending a video file without an audio track. If set to True, the video will be displayed in Telegram as a video. If set to False, Telegram will attempt to display the video as an animated gif. (It may still display as a video due to other factors.) The value is ignored if set on non-video files. This is set to True for albums, as gifs cannot be sent in albums.
Returns
The sent custom.Message.
Example
# Markdown is the default
await client.send_message('me', 'Hello **world**!')

# Default to another parse mode
client.parse_mode = 'html'

await client.send_message('me', 'Some <b>bold</b> and <i>italic</i> text')
await client.send_message('me', 'An <a href="https://example.com">URL</a>')
# code and pre tags also work, but those break the documentation :)
await client.send_message('me', '<a href="tg://user?id=me">Mentions</a>')

# Explicit parse mode
# No parse mode by default
client.parse_mode = None

# ...but here I want markdown
await client.send_message('me', 'Hello, **world**!', parse_mode='md')

# ...and here I need HTML
await client.send_message('me', 'Hello, <i>world</i>!', parse_mode='html')

# If you logged in as a bot account, you can send buttons
from telethon import events, Button

@client.on(events.CallbackQuery)
async def callback(event):
    await event.edit('Thank you for clicking {}!'.format(event.data))

# Single inline button
await client.send_message(chat, 'A single button, with "clk1" as data',
                          buttons=Button.inline('Click me', b'clk1'))

# Matrix of inline buttons
await client.send_message(chat, 'Pick one from this grid', buttons=[
    [Button.inline('Left'), Button.inline('Right')],
    [Button.url('Check this site!', 'https://example.com')]
])

# Reply keyboard
await client.send_message(chat, 'Welcome', buttons=[
    Button.text('Thanks!', resize=True, single_use=True),
    Button.request_phone('Send phone'),
    Button.request_location('Send location')
])

# Forcing replies or clearing buttons.
await client.send_message(chat, 'Reply to me', buttons=Button.force_reply())
await client.send_message(chat, 'Bye Keyboard!', buttons=Button.clear())

# Scheduling a message to be sent after 5 minutes
from datetime import timedelta
await client.send_message(chat, 'Hi, future!', schedule=timedelta(minutes=5))
send_read_acknowledge(entity: hints.EntityLike, message: typing.Union[hints.MessageIDLike, typing.Sequence[hints.MessageIDLike]] = None, *, max_id: int = None, clear_mentions: bool = False, clear_reactions: bool = False) → bool

Marks messages as read and optionally clears mentions.

This effectively marks a message as read (or more than one) in the given conversation.

If neither message nor maximum ID are provided, all messages will be marked as read by assuming that max_id = 0.

If a message or maximum ID is provided, all the messages up to and including such ID will be marked as read (for all messages whose ID ≤ max_id).

See also Message.mark_read().

Arguments
entity (entity):
The chat where these messages are located.
message (list | Message):
Either a list of messages or a single message.
max_id (int):
Until which message should the read acknowledge be sent for. This has priority over the message parameter.
clear_mentions (bool):

Whether the mention badge should be cleared (so that there are no more mentions) or not for the given entity.

If no message is provided, this will be the only action taken.

clear_reactions (bool):

Whether the reactions badge should be cleared (so that there are no more reaction notifications) or not for the given entity.

If no message is provided, this will be the only action taken.

Example
# using a Message object
await client.send_read_acknowledge(chat, message)
# ...or using the int ID of a Message
await client.send_read_acknowledge(chat, message_id)
# ...or passing a list of messages to mark as read
await client.send_read_acknowledge(chat, messages)
unpin_message(entity: hints.EntityLike, message: typing.Optional[hints.MessageIDLike] = None, *, notify: bool = False)

Unpins a message in a chat.

If no message ID is specified, all pinned messages will be unpinned.

See also Message.unpin().

Arguments
entity (entity):
The chat where the message should be pinned.
message (int | Message):
The message or the message ID to unpin. If it’s None, all messages will be unpinned instead.
Example
# Unpin all messages from a chat
await client.unpin_message(chat)
class telethon.client.updates.EventBuilderDict(client: TelegramClient, update, others)

Bases: object

Helper “dictionary” to return events from types and cache them.

__getitem__(builder)
__weakref__

list of weak references to the object (if defined)

class telethon.client.updates.UpdateMethods

Bases: object

__weakref__

list of weak references to the object (if defined)

add_event_handler(callback: Callable[[Any], Any], event: telethon.events.common.EventBuilder = None)

Registers a new event handler callback.

The callback will be called when the specified event occurs.

Arguments
callback (callable):

The callable function accepting one parameter to be used.

Note that if you have used telethon.events.register in the callback, event will be ignored, and instead the events you previously registered will be used.

event (_EventBuilder | type, optional):

The event builder class or instance to be used, for instance events.NewMessage.

If left unspecified, telethon.events.raw.Raw (the Update objects with no further processing) will be passed instead.

Example
from telethon import TelegramClient, events
client = TelegramClient(...)

async def handler(event):
    ...

client.add_event_handler(handler, events.NewMessage)
catch_up()

“Catches up” on the missed updates while the client was offline. You should call this method after registering the event handlers so that the updates it loads can by processed by your script.

This can also be used to forcibly fetch new updates if there are any.

Example
await client.catch_up()
list_event_handlers() → typing.Sequence[typing.Tuple[Callback, EventBuilder]]

Lists all registered event handlers.

Returns
A list of pairs consisting of (callback, event).
Example
@client.on(events.NewMessage(pattern='hello'))
async def on_greeting(event):
    '''Greets someone'''
    await event.reply('Hi')

for callback, event in client.list_event_handlers():
    print(id(callback), type(event))
on(event: telethon.events.common.EventBuilder)

Decorator used to add_event_handler more conveniently.

Arguments
event (_EventBuilder | type):
The event builder class or instance to be used, for instance events.NewMessage.
Example
from telethon import TelegramClient, events
client = TelegramClient(...)

# Here we use client.on
@client.on(events.NewMessage)
async def handler(event):
    ...
remove_event_handler(callback: Callable[[Any], Any], event: telethon.events.common.EventBuilder = None) → int

Inverse operation of add_event_handler().

If no event is given, all events for this callback are removed. Returns how many callbacks were removed.

Example
@client.on(events.Raw)
@client.on(events.NewMessage)
async def handler(event):
    ...

# Removes only the "Raw" handling
# "handler" will still receive "events.NewMessage"
client.remove_event_handler(handler, events.Raw)

# "handler" will stop receiving anything
client.remove_event_handler(handler)
run_until_disconnected()

Runs the event loop until the library is disconnected.

It also notifies Telegram that we want to receive updates as described in https://core.telegram.org/api/updates. If an unexpected error occurs during update handling, the client will disconnect and said error will be raised.

Manual disconnections can be made by calling disconnect() or sending a KeyboardInterrupt (e.g. by pressing Ctrl+C on the console window running the script).

If a disconnection error occurs (i.e. the library fails to reconnect automatically), said error will be raised through here, so you have a chance to except it on your own code.

If the loop is already running, this method returns a coroutine that you should await on your own code.

Note

If you want to handle KeyboardInterrupt in your code, simply run the event loop in your code too in any way, such as loop.run_forever() or await client.disconnected (e.g. loop.run_until_complete(client.disconnected)).

Example
# Blocks the current task here until a disconnection occurs.
#
# You will still receive updates, since this prevents the
# script from exiting.
await client.run_until_disconnected()
set_receive_updates(receive_updates)

Change the value of receive_updates.

This is an async method, because in order for Telegram to start sending updates again, a request must be made.

class telethon.client.uploads.UploadMethods

Bases: object

__weakref__

list of weak references to the object (if defined)

send_file(entity: hints.EntityLike, file: typing.Union[hints.FileLike, typing.Sequence[hints.FileLike]], *, caption: Union[str, Sequence[str]] = None, force_document: bool = False, file_size: int = None, clear_draft: bool = False, progress_callback: hints.ProgressCallback = None, reply_to: hints.MessageIDLike = None, attributes: typing.Sequence[types.TypeDocumentAttribute] = None, thumb: hints.FileLike = None, allow_cache: bool = True, parse_mode: str = (), formatting_entities: Optional[List[Union[telethon.tl.types.MessageEntityUnknown, telethon.tl.types.MessageEntityMention, telethon.tl.types.MessageEntityHashtag, telethon.tl.types.MessageEntityBotCommand, telethon.tl.types.MessageEntityUrl, telethon.tl.types.MessageEntityEmail, telethon.tl.types.MessageEntityBold, telethon.tl.types.MessageEntityItalic, telethon.tl.types.MessageEntityCode, telethon.tl.types.MessageEntityPre, telethon.tl.types.MessageEntityTextUrl, telethon.tl.types.MessageEntityMentionName, telethon.tl.types.InputMessageEntityMentionName, telethon.tl.types.MessageEntityPhone, telethon.tl.types.MessageEntityCashtag, telethon.tl.types.MessageEntityUnderline, telethon.tl.types.MessageEntityStrike, telethon.tl.types.MessageEntityBlockquote, telethon.tl.types.MessageEntityBankCard, telethon.tl.types.MessageEntitySpoiler, telethon.tl.types.MessageEntityCustomEmoji]]] = None, voice_note: bool = False, video_note: bool = False, buttons: Optional[hints.MarkupLike] = None, silent: bool = None, background: bool = None, supports_streaming: bool = False, schedule: hints.DateLike = None, comment_to: typing.Union[int, types.Message] = None, ttl: int = None, nosound_video: bool = None, **kwargs) → types.Message

Sends message with the given file to the specified entity.

Note

If the hachoir3 package (hachoir module) is installed, it will be used to determine metadata from audio and video files.

If the pillow package is installed and you are sending a photo, it will be resized to fit within the maximum dimensions allowed by Telegram to avoid errors.PhotoInvalidDimensionsError. This cannot be done if you are sending InputFile, however.

Arguments
entity (entity):
Who will receive the file.
file (str | bytes | file | media):

The file to send, which can be one of:

  • A local file path to an in-disk file. The file name will be the path’s base name.
  • A bytes byte array with the file’s data to send (for example, by using text.encode('utf-8')). A default file name will be used.
  • A bytes io.IOBase stream over the file to send (for example, by using open(file, 'rb')). Its .name property will be used for the file name, or a default if it doesn’t have one.
  • An external URL to a file over the internet. This will send the file as “external” media, and Telegram is the one that will fetch the media and send it.
  • A Bot API-like file_id. You can convert previously sent media to file IDs for later reusing with telethon.utils.pack_bot_file_id.
  • A handle to an existing file (for example, if you sent a message with media before, you can use its message.media as a file here).
  • A handle to an uploaded file (from upload_file).
  • A InputMedia instance. For example, if you want to send a dice use InputMediaDice, or if you want to send a contact use InputMediaContact.

To send an album, you should provide a list in this parameter.

If a list or similar is provided, the files in it will be sent as an album in the order in which they appear, sliced in chunks of 10 if more than 10 are given.

caption (str, optional):
Optional caption for the sent media message. When sending an album, the caption may be a list of strings, which will be assigned to the files pairwise.
force_document (bool, optional):
If left to False and the file is a path that ends with the extension of an image file or a video file, it will be sent as such. Otherwise always as a document.
file_size (int, optional):

The size of the file to be uploaded if it needs to be uploaded, which will be determined automatically if not specified.

If the file size can’t be determined beforehand, the entire file will be read in-memory to find out how large it is.

clear_draft (bool, optional):
Whether the existing draft should be cleared or not.
progress_callback (callable, optional):
A callback function accepting two parameters: (sent bytes, total).
reply_to (int | Message):
Same as reply_to from send_message.
attributes (list, optional):
Optional attributes that override the inferred ones, like DocumentAttributeFilename and so on.
thumb (str | bytes | file, optional):

Optional JPEG thumbnail (for documents). Telegram will ignore this parameter unless you pass a .jpg file!

The file must also be small in dimensions and in disk size. Successful thumbnails were files below 20kB and 320x320px. Width/height and dimensions/size ratios may be important. For Telegram to accept a thumbnail, you must provide the dimensions of the underlying media through attributes= with DocumentAttributesVideo or by installing the optional hachoir dependency.

allow_cache (bool, optional):
This parameter currently does nothing, but is kept for backward-compatibility (and it may get its use back in the future).
parse_mode (object, optional):
See the TelegramClient.parse_mode property for allowed values. Markdown parsing will be used by default.
formatting_entities (list, optional):
A list of message formatting entities. When provided, the parse_mode is ignored.
voice_note (bool, optional):
If True the audio will be sent as a voice note.
video_note (bool, optional):
If True the video will be sent as a video note, also known as a round video message.
buttons (list, custom.Button, KeyboardButton):
The matrix (list of lists), row list or button to be shown after sending the message. This parameter will only work if you have signed in as a bot. You can also pass your own ReplyMarkup here.
silent (bool, optional):
Whether the message should notify people with sound or not. Defaults to False (send with a notification sound unless the person has the chat muted). Set it to True to alter this behaviour.
background (bool, optional):
Whether the message should be send in background.
supports_streaming (bool, optional):
Whether the sent video supports streaming or not. Note that Telegram only recognizes as streamable some formats like MP4, and others like AVI or MKV will not work. You should convert these to MP4 before sending if you want them to be streamable. Unsupported formats will result in VideoContentTypeError.
schedule (hints.DateLike, optional):
If set, the file won’t send immediately, and instead it will be scheduled to be automatically sent at a later time.
comment_to (int | Message, optional):

Similar to reply_to, but replies in the linked group of a broadcast channel instead (effectively leaving a “comment to” the specified message).

This parameter takes precedence over reply_to. If there is no linked chat, telethon.errors.sgIdInvalidError is raised.

ttl (int. optional):

The Time-To-Live of the file (also known as “self-destruct timer” or “self-destructing media”). If set, files can only be viewed for a short period of time before they disappear from the message history automatically.

The value must be at least 1 second, and at most 60 seconds, otherwise Telegram will ignore this parameter.

Not all types of media can be used with this parameter, such as text documents, which will fail with TtlMediaInvalidError.

nosound_video (bool, optional):
Only applicable when sending a video file without an audio track. If set to True, the video will be displayed in Telegram as a video. If set to False, Telegram will attempt to display the video as an animated gif. (It may still display as a video due to other factors.) The value is ignored if set on non-video files. This is set to True for albums, as gifs cannot be sent in albums.
Returns
The Message (or messages) containing the sent file, or messages if a list of them was passed.
Example
# Normal files like photos
await client.send_file(chat, '/my/photos/me.jpg', caption="It's me!")
# or
await client.send_message(chat, "It's me!", file='/my/photos/me.jpg')

# Voice notes or round videos
await client.send_file(chat, '/my/songs/song.mp3', voice_note=True)
await client.send_file(chat, '/my/videos/video.mp4', video_note=True)

# Custom thumbnails
await client.send_file(chat, '/my/documents/doc.txt', thumb='photo.jpg')

# Only documents
await client.send_file(chat, '/my/photos/photo.png', force_document=True)

# Albums
await client.send_file(chat, [
    '/my/photos/holiday1.jpg',
    '/my/photos/holiday2.jpg',
    '/my/drawings/portrait.png'
])

# Printing upload progress
def callback(current, total):
    print('Uploaded', current, 'out of', total,
          'bytes: {:.2%}'.format(current / total))

await client.send_file(chat, file, progress_callback=callback)

# Dices, including dart and other future emoji
from telethon.tl import types
await client.send_file(chat, types.InputMediaDice(''))
await client.send_file(chat, types.InputMediaDice('🎯'))

# Contacts
await client.send_file(chat, types.InputMediaContact(
    phone_number='+34 123 456 789',
    first_name='Example',
    last_name='',
    vcard=''
))
upload_file(file: hints.FileLike, *, part_size_kb: float = None, file_size: int = None, file_name: str = None, use_cache: type = None, key: bytes = None, iv: bytes = None, progress_callback: hints.ProgressCallback = None) → types.TypeInputFile

Uploads a file to Telegram’s servers, without sending it.

Note

Generally, you want to use send_file instead.

This method returns a handle (an instance of InputFile or InputFileBig, as required) which can be later used before it expires (they are usable during less than a day).

Uploading a file will simply return a “handle” to the file stored remotely in the Telegram servers, which can be later used on. This will not upload the file to your own chat or any chat at all.

Arguments
file (str | bytes | file):
The path of the file, byte array, or stream that will be sent. Note that if a byte array or a stream is given, a filename or its type won’t be inferred, and it will be sent as an “unnamed application/octet-stream”.
part_size_kb (int, optional):
Chunk size when uploading files. The larger, the less requests will be made (up to 512KB maximum).
file_size (int, optional):

The size of the file to be uploaded, which will be determined automatically if not specified.

If the file size can’t be determined beforehand, the entire file will be read in-memory to find out how large it is.

file_name (str, optional):
The file name which will be used on the resulting InputFile. If not specified, the name will be taken from the file and if this is not a str, it will be "unnamed".
use_cache (type, optional):
This parameter currently does nothing, but is kept for backward-compatibility (and it may get its use back in the future).
key (‘bytes’, optional):
In case of an encrypted upload (secret chats) a key is supplied
iv (‘bytes’, optional):
In case of an encrypted upload (secret chats) an iv is supplied
progress_callback (callable, optional):

A callback function accepting two parameters: (sent bytes, total).

When sending an album, the callback will receive a number between 0 and the amount of files as the “sent” parameter, and the amount of files as the “total”. Note that the first parameter will be a floating point number to indicate progress within a file (e.g. 2.5 means it has sent 50% of the third file, because it’s between 2 and 3).

Returns
InputFileBig if the file size is larger than 10MB, InputSizedFile (subclass of InputFile) otherwise.
Example
# Photos as photo and document
file = await client.upload_file('photo.jpg')
await client.send_file(chat, file)                       # sends as photo
await client.send_file(chat, file, force_document=True)  # sends as document

file.name = 'not a photo.jpg'
await client.send_file(chat, file, force_document=True)  # document, new name

# As song or as voice note
file = await client.upload_file('song.ogg')
await client.send_file(chat, file)                   # sends as song
await client.send_file(chat, file, voice_note=True)  # sends as voice note
class telethon.client.users.UserMethods

Bases: object

__call__(request, ordered=False, flood_sleep_threshold=None)

Call self as a function.

__weakref__

list of weak references to the object (if defined)

get_entity(entity: hints.EntitiesLike) → hints.Entity

Turns the given entity into a valid Telegram User, Chat or Channel. You can also pass a list or iterable of entities, and they will be efficiently fetched from the network.

Arguments
entity (str | int | Peer | InputPeer):

If a username is given, the username will be resolved making an API call every time. Resolving usernames is an expensive operation and will start hitting flood waits around 50 usernames in a short period of time.

If you want to get the entity for a cached username, you should first get_input_entity(username) which will use the cache), and then use get_entity with the result of the previous call.

Similar limits apply to invite links, and you should use their ID instead.

Using phone numbers (from people in your contact list), exact names, integer IDs or Peer rely on a get_input_entity first, which in turn needs the entity to be in cache, unless a InputPeer was passed.

Unsupported types will raise TypeError.

If the entity can’t be found, ValueError will be raised.

Returns
User, Chat or Channel corresponding to the input entity. A list will be returned if more than one was given.
Example
from telethon import utils

me = await client.get_entity('me')
print(utils.get_display_name(me))

chat = await client.get_input_entity('username')
async for message in client.iter_messages(chat):
    ...

# Note that you could have used the username directly, but it's
# good to use get_input_entity if you will reuse it a lot.
async for message in client.iter_messages('username'):
    ...

# Note that for this to work the phone number must be in your contacts
some_id = await client.get_peer_id('+34123456789')
get_input_entity(peer: hints.EntityLike) → types.TypeInputPeer

Turns the given entity into its input entity version.

Most requests use this kind of InputPeer, so this is the most suitable call to make for those cases. Generally you should let the library do its job and don’t worry about getting the input entity first, but if you’re going to use an entity often, consider making the call:

Arguments
entity (str | int | Peer | InputPeer):

If a username or invite link is given, the library will use the cache. This means that it’s possible to be using a username that changed or an old invite link (this only happens if an invite link for a small group chat is used after it was upgraded to a mega-group).

If the username or ID from the invite link is not found in the cache, it will be fetched. The same rules apply to phone numbers ('+34 123456789') from people in your contact list.

If an exact name is given, it must be in the cache too. This is not reliable as different people can share the same name and which entity is returned is arbitrary, and should be used only for quick tests.

If a positive integer ID is given, the entity will be searched in cached users, chats or channels, without making any call.

If a negative integer ID is given, the entity will be searched exactly as either a chat (prefixed with -) or as a channel (prefixed with -100).

If a Peer is given, it will be searched exactly in the cache as either a user, chat or channel.

If the given object can be turned into an input entity directly, said operation will be done.

Unsupported types will raise TypeError.

If the entity can’t be found, ValueError will be raised.

Returns

InputPeerUser, InputPeerChat or InputPeerChannel or InputPeerSelf if the parameter is 'me' or 'self'.

If you need to get the ID of yourself, you should use get_me with input_peer=True) instead.

Example
# If you're going to use "username" often in your code
# (make a lot of calls), consider getting its input entity
# once, and then using the "user" everywhere instead.
user = await client.get_input_entity('username')

# The same applies to IDs, chats or channels.
chat = await client.get_input_entity(-123456789)
get_me(input_peer: bool = False) → typing.Union[types.User, types.InputPeerUser]

Gets “me”, the current User who is logged in.

If the user has not logged in yet, this method returns None.

Arguments
input_peer (bool, optional):
Whether to return the InputPeerUser version or the normal User. This can be useful if you just need to know the ID of yourself.
Returns
Your own User.
Example
me = await client.get_me()
print(me.username)
get_peer_id(peer: hints.EntityLike, add_mark: bool = True) → int

Gets the ID for the given entity.

This method needs to be async because peer supports usernames, invite-links, phone numbers (from people in your contact list), etc.

If add_mark is False, then a positive ID will be returned instead. By default, bot-API style IDs (signed) are returned.

Example
print(await client.get_peer_id('me'))
is_bot() → bool

Return True if the signed-in user is a bot, False otherwise.

Example
if await client.is_bot():
    print('Beep')
else:
    print('Hello')
is_user_authorized() → bool

Returns True if the user is authorized (logged in).

Example
if not await client.is_user_authorized():
    await client.send_code_request(phone)
    code = input('enter code: ')
    await client.sign_in(phone, code)