Aiogram Documentation: Release 2.11.2
Aiogram Documentation: Release 2.11.2
Release 2.11.2
2 Features 5
3 Contribute 7
4 Contents 9
4.1 Installation Guide . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 9
4.2 Quick start . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 11
4.3 Migration FAQ (1.4 -> 2.0) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 12
4.4 Telegram . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 17
4.5 Dispatcher . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 158
4.6 Utils . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 185
4.7 Examples . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 200
4.8 Contribution . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 225
4.9 Links . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 225
Index 231
i
ii
aiogram Documentation, Release 2.11.2
aiogram is a pretty simple and fully asynchronous framework for Telegram Bot API written in Python 3.7 with asyncio
and aiohttp. It helps you to make your bots faster and simpler.
CONTENTS 1
aiogram Documentation, Release 2.11.2
2 CONTENTS
CHAPTER
ONE
• News: @aiogram_live
• Community: @aiogram
• Russian community: @aiogram_ru
• Pip: aiogram
• Docs: ReadTheDocs
• Source: Github repo
• Issues/Bug tracker: Github issues tracker
• Test bot: @aiogram_bot
3
aiogram Documentation, Release 2.11.2
TWO
FEATURES
• Asynchronous
• Awesome
• Makes things faster
• Has FSM
• Can reply into webhook. (In other words make requests in response to updates)
5
aiogram Documentation, Release 2.11.2
6 Chapter 2. Features
CHAPTER
THREE
CONTRIBUTE
• Issue Tracker
• Source Code
7
aiogram Documentation, Release 2.11.2
8 Chapter 3. Contribute
CHAPTER
FOUR
CONTENTS
aiogram is also available in Arch User Repository, so you can install this framework on any Arch-based distribution
like ArchLinux, Antergos, Manjaro, etc. To do this, use your favorite AUR-helper and install the python-aiogram
package.
Development versions:
Or if you want to install stable version (The same with version form PyPi):
9
aiogram Documentation, Release 2.11.2
4.1.5 Recommendations
In addition, you don’t need do anything, aiogram automatically starts using that if it is found in your environment.
10 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
import logging
Then you have to initialize bot and dispatcher instances. Bot token you can get from @BotFather
# Configure logging
logging.basicConfig(level=logging.INFO)
Next step: interaction with bots starts with one command. Register your first command handler:
@dp.message_handler(commands=['start', 'help'])
async def send_welcome(message: types.Message):
"""
This handler will be called when user sends `/start` or `/help` command
"""
await message.reply("Hi!\nI'm EchoBot!\nPowered by aiogram.")
If you want to handle all text messages in the chat simply add handler without filters:
@dp.message_handler()
async def echo(message: types.Message):
# old style:
# await bot.send_message(message.chat.id, message.text)
await message.answer(message.text)
if __name__ == '__main__':
executor.start_polling(dp, skip_updates=True)
4.2.2 Summary
1 """
2 This is a echo bot.
3 It echoes any incoming text messages.
4 """
5
6 import logging
7
12 # Configure logging
13 logging.basicConfig(level=logging.INFO)
14
19
20 @dp.message_handler(commands=['start', 'help'])
21 async def send_welcome(message: types.Message):
22 """
23 This handler will be called when user sends `/start` or `/help` command
24 """
25 await message.reply("Hi!\nI'm EchoBot!\nPowered by aiogram.")
26
27
28
29 @dp.message_handler()
30 async def echo(message: types.Message):
31 # old style:
32 # await bot.send_message(message.chat.id, message.text)
33
34 await message.answer(message.text)
35
36
37 if __name__ == '__main__':
38 executor.start_polling(dp, skip_updates=True)
This update make breaking changes in aiogram API and drop backward capability with previous versions of frame-
work.
From this point aiogram supports only Python 3.7 and newer.
4.3.1 Changelog
12 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
4.3.2 Instructions
Contextvars
Context utility (aiogram.utils.context) now is removed due to new features of Python 3.7 and all subclasses of
aiogram.types.base.TelegramObject, aiogram.Bot and aiogram.Dispatcher has .get_current()
and .set_current() methods for getting/setting contextual instances of objects.
Example:
async def my_handler(message: types.Message):
bot = Bot.get_current()
user = types.User.get_current()
...
Filters
Custom filters
Now func keyword argument can’t be used for passing filters to the list of filters instead of that you can pass the filters
as arguments:
@dp.message_handler(lambda message: message.text == 'foo')
@dp.message_handler(types.ChatType.is_private, my_filter)
async def ...
Filters factory
Also you can bind your own filters for using as keyword arguments:
from aiogram.dispatcher.filters import BoundFilter
class MyFilter(BoundFilter):
key = 'is_admin'
dp.filters_factory.bind(MyFilter)
@dp.message_handler(is_admin=True)
async def ...
@dp.message_handler(commands=['admin'], commands_prefix='!/')
@dp.message_handler(Command('admin', prefixes='!/'))
async def ...
You can pass any data from any filter to the handler by returning dict If any key from the received dictionary not in
the handler specification the key will be skipped and and will be unavailable from the handler
Before (<=v1.4)
@dp.message_handler(func=my_filter)
async def my_message_handler(message: types.Message):
bar = message.conf["bar"]
await message.reply(f'bar = {bar}')
Now (v2.0)
@dp.message_handler(my_filter)
async def my_message_handler(message: types.Message, bar: int):
await message.reply(f'bar = {bar}')
Other
14 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
States group
You can use States objects and States groups instead of string names of the states. String values is still also be available.
Writing states group:
class UserForm(StatesGroup):
name = State() # Will be represented in storage as 'Form:name'
age = State() # Will be represented in storage as 'Form:age'
gender = State() # Will be represented in storage as 'Form:gender'
@dp.message_handler(commands=['click'])
async def cmd_start(message: types.Message, state: FSMContext):
async with state.proxy() as proxy: # proxy = FSMContextProxy(state); await proxy.
˓→load()
proxy.setdefault('counter', 0)
proxy['counter'] += 1
return await message.reply(f"Counter: {proxy['counter']}")
Fixed uploading files. Removed BaseBot.send_file method. This allowed to send the thumb field.
Known issue when Telegram can not accept sending file as URL. In this case need to download file locally and then
send.
In this case now you can send file from URL by using pipe. That means you download and send the file without saving
it.
You can open the pipe and use for uploading by calling types.InputFile.from_file(<URL>)
Example:
URL = 'https://docs.aiogram.dev/en/dev-2.x/_static/logo.png'
I18n Middleware
First usage
1. Extract texts
Updating translations
When you change the code of your bot you need to update po & mo files:
1. Regenerate pot file:
2. Update po files
Error handlers
Previously errors handlers had to have three arguments dispatcher, update and exception now dispatcher argument is
removed and will no longer be passed to the error handlers.
16 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
Content types
4.4 Telegram
Subclass of this class used only for splitting network interface from all of API methods.
class aiogram.bot.base.BaseBot(token: String, loop: Op-
tional[Union[asyncio.base_events.BaseEventLoop, asyn-
cio.events.AbstractEventLoop]] = None, connections_limit:
Optional[Integer] = None, proxy: Optional[String] = None,
proxy_auth: Optional[aiohttp.helpers.BasicAuth] = None,
validate_token: Optional[Boolean] = True, parse_mode: Op-
tional[String] = None, timeout: Optional[Union[Integer,
Float, aiohttp.client.ClientTimeout]] = None, server:
aiogram.bot.api.TelegramAPIServer = TelegramAPIS-
erver(base='https://api.telegram.org/bot{token}/{method}',
file='https://api.telegram.org/file/bot{token}/{path}'))
Bases: object
Base class for bot. It’s raw bot.
Instructions how to get Bot token is found here: https://core.telegram.org/bots#3-how-do-i-create-a-bot
Parameters
• token (str) – token from @BotFather
• loop (Optional Union asyncio.BaseEventLoop, asyncio.
AbstractEventLoop) – event loop
• connections_limit (int) – connections limit for aiohttp.ClientSession
• proxy (str) – HTTP proxy URL
• proxy_auth (Optional aiohttp.BasicAuth) – Authentication information
• validate_token (bool) – Validate token.
• parse_mode (str) – You can set default parse mode
• timeout (typing.Optional[typing.Union[base.Integer, base.
Float, aiohttp.ClientTimeout]]) – Request timeout
• server (TelegramAPIServer) – Telegram Bot API Server endpoint.
Raise when token is invalid throw an aiogram.utils.exceptions.ValidationError
request_timeout(timeout: Union[Integer, Float, aiohttp.client.ClientTimeout])
Context manager implements opportunity to change request timeout in current context
Parameters timeout (typing.Optional[typing.Union[base.Integer,
base.Float, aiohttp.ClientTimeout]]) – Request timeout
4.4. Telegram 17
aiogram Documentation, Release 2.11.2
Returns
close()
Close all client sessions
async request(method: String, data: Optional[Dict] = None, files: Optional[Dict] = None,
**kwargs) → Union[List, Dict, Boolean]
Make an request to Telegram Bot API
https://core.telegram.org/bots/api#making-requests
Parameters
• method (str) – API method
• data (dict) – request parameters
• files (dict) – files
Returns result
Return type Union[List, Dict]
Raise aiogram.exceptions.TelegramApiError
async download_file(file_path: String, destination: Optional[InputFile] = None, timeout: Op-
tional[Integer] = <object object>, chunk_size: Optional[Integer] = 65536,
seek: Optional[Boolean] = True) → Union[_io.BytesIO, _io.FileIO]
Download file by file_path to destination
if You want to automatically create destination (io.BytesIO) use default value of destination and handle
result of this method.
Parameters
• file_path (str) – file path on telegram server (You can get it from aiogram.
types.File)
• destination – filename or instance of io.IOBase. For e. g. io.BytesIO
• timeout – Integer
• chunk_size – Integer
• seek – Boolean - go to start of file when downloading is finished.
Returns destination
async send_file(file_type, method, file, payload) → Union[Dict, Boolean]
Send file
https://core.telegram.org/bots/api#inputfile
Parameters
• file_type – field name
• method – API method
• file – String or io.IOBase
• payload – request payload
Returns response
18 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
Telegram Bot
4.4. Telegram 19
aiogram Documentation, Release 2.11.2
20 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
• allowed_updates (typing.Optional[typing.List[base.String]]) –
A list of the update types you want your bot to receive. For example, specify [“mes-
sage”, “edited_channel_post”, “callback_query”] to only receive updates of these types.
See Update for a complete list of available update types. Specify an empty list to re-
ceive all updates regardless of type (default). If not specified, the previous setting will be
used. Please note that this parameter doesn’t affect updates created before the call to the
setWebhook, so unwanted updates may be received for a short period of time.
• drop_pending_updates (typing.Optional[base.Boolean]) – Pass True
to drop all pending updates
Returns Returns true
Return type base.Boolean
async delete_webhook(drop_pending_updates: Optional[Boolean] = None) → Boolean
Use this method to remove webhook integration if you decide to switch back to getUpdates. Returns True
on success.
Source: https://core.telegram.org/bots/api#deletewebhook
Parameters drop_pending_updates (typing.Optional[base.Boolean]) – Pass
True to drop all pending updates
Returns Returns True on success
Return type base.Boolean
async get_webhook_info() → aiogram.types.webhook_info.WebhookInfo
Use this method to get current webhook status. Requires no parameters.
If the bot is using getUpdates, will return an object with the url field empty.
Source: https://core.telegram.org/bots/api#getwebhookinfo
Returns On success, returns a WebhookInfo object
Return type types.WebhookInfo
async get_me() → aiogram.types.user.User
A simple method for testing your bot’s auth token. Requires no parameters.
Source: https://core.telegram.org/bots/api#getme
Returns Returns basic information about the bot in form of a User object
Return type types.User
async log_out() → Boolean
Use this method to log out from the cloud Bot API server before launching the bot locally. You must log
out the bot before running it locally, otherwise there is no guarantee that the bot will receive updates. After
a successful call, you will not be able to log in again using the same token for 10 minutes. Returns True
on success. Requires no parameters.
Source: https://core.telegram.org/bots/api#logout
Returns Returns True on success
Return type base.Boolean
close_bot() → Boolean
Use this method to close the bot instance before moving it from one local server to another. You need
to delete the webhook before calling this method to ensure that the bot isn’t launched again after server
restart. The method will return error 429 in the first 10 minutes after the bot is launched. Returns True on
success. Requires no parameters.
4.4. Telegram 21
aiogram Documentation, Release 2.11.2
Source: https://core.telegram.org/bots/api#close
Returns Returns True on success
Return type base.Boolean
async send_message(chat_id: Union[Integer, String], text: String,
parse_mode: Optional[String] = None, entities: Op-
tional[List[aiogram.types.message_entity.MessageEntity]] =
None, disable_web_page_preview: Optional[Boolean] =
None, disable_notification: Optional[Boolean] = None,
reply_to_message_id: Optional[Integer] = None, al-
low_sending_without_reply: Optional[Boolean] = None, reply_markup:
Optional[Union[aiogram.types.inline_keyboard.InlineKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardRemove,
aiogram.types.force_reply.ForceReply]] = None) →
aiogram.types.message.Message
Use this method to send text messages.
Source: https://core.telegram.org/bots/api#sendmessage
Parameters
• chat_id (typing.Union[base.Integer, base.String]) – Unique identi-
fier for the target chat or username of the target channel
• text (base.String) – Text of the message to be sent
• parse_mode (typing.Optional[base.String]) – Send Markdown or HTML,
if you want Telegram apps to show bold, italic, fixed-width text or inline URLs in your
bot’s message.
• entities (typing.Optional[typing.List[types.MessageEntity]]) –
List of special entities that appear in message text, which can be specified instead of
parse_mode
• disable_web_page_preview (typing.Optional[base.Boolean]) – Dis-
ables link previews for links in this message
• disable_notification (typing.Optional[base.Boolean]) – Sends the
message silently. Users will receive a notification with no sound
• reply_to_message_id (typing.Optional[base.Integer]) – If the mes-
sage is a reply, ID of the original message
• allow_sending_without_reply (typing.Optional[base.Boolean]) –
Pass True, if the message should be sent even if the specified replied-to message is not
found
• reply_markup (typing.Union[types.InlineKeyboardMarkup,
types.ReplyKeyboardMarkup, types.ReplyKeyboardRemove,
types.ForceReply, None]) – Additional interface options. A JSON-serialized
object for an inline keyboard, custom reply keyboard, instructions to remove reply
keyboard or to force a reply from the user
Returns On success, the sent Message is returned
Return type types.Message
22 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
4.4. Telegram 23
aiogram Documentation, Release 2.11.2
• caption_entities (typing.Optional[typing.List[types.
MessageEntity]]) – List of special entities that appear in the new caption,
which can be specified instead of parse_mode
• disable_notification (typing.Optional[base.Boolean]) – Sends the
message silently. Users will receive a notification with no sound
• reply_to_message_id (typing.Optional[base.Integer]) – If the mes-
sage is a reply, ID of the original message
• allow_sending_without_reply (typing.Optional[base.Boolean]) –
Pass True, if the message should be sent even if the specified replied-to message is not
found
• reply_markup (typing.Union[types.InlineKeyboardMarkup,
types.ReplyKeyboardMarkup, types.ReplyKeyboardRemove,
types.ForceReply, None]) – Additional interface options. A JSON-serialized
object for an inline keyboard, custom reply keyboard, instructions to remove reply
keyboard or to force a reply from the user.
Returns On success, the sent Message is returned
Return type types.Message
async send_photo(chat_id: Union[Integer, String], photo: Union[InputFile, String], caption:
Optional[String] = None, parse_mode: Optional[String] = None, cap-
tion_entities: Optional[List[aiogram.types.message_entity.MessageEntity]]
= None, disable_notification: Optional[Boolean] = None,
reply_to_message_id: Optional[Integer] = None, al-
low_sending_without_reply: Optional[Boolean] = None, reply_markup:
Optional[Union[aiogram.types.inline_keyboard.InlineKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardRemove,
aiogram.types.force_reply.ForceReply]] = None) →
aiogram.types.message.Message
Use this method to send photos.
Source: https://core.telegram.org/bots/api#sendphoto
Parameters
• chat_id (typing.Union[base.Integer, base.String]) – Unique identi-
fier for the target chat or username of the target channel
• photo (typing.Union[base.InputFile, base.String]) – Photo to send
• caption (typing.Optional[base.String]) – Photo caption (may also be used
when resending photos by file_id), 0-1024 characters
• parse_mode (typing.Optional[base.String]) – Send Markdown or HTML,
if you want Telegram apps to show bold, italic, fixed-width text or inline URLs in your
bot’s message.
• caption_entities (typing.Optional[typing.List[types.
MessageEntity]]) – List of special entities that appear in message text, which
can be specified instead of parse_mode
• disable_notification (typing.Optional[base.Boolean]) – Sends the
message silently. Users will receive a notification with no sound
• reply_to_message_id (typing.Optional[base.Integer]) – If the mes-
sage is a reply, ID of the original message
24 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
• allow_sending_without_reply (typing.Optional[base.Boolean]) –
Pass True, if the message should be sent even if the specified replied-to message is not
found
• reply_markup (typing.Union[types.InlineKeyboardMarkup,
types.ReplyKeyboardMarkup, types.ReplyKeyboardRemove,
types.ForceReply, None]) – Additional interface options. A JSON-serialized
object for an inline keyboard, custom reply keyboard, instructions to remove reply
keyboard or to force a reply from the user
Returns On success, the sent Message is returned
Return type types.Message
async send_audio(chat_id: Union[Integer, String], audio: Union[InputFile, String], caption:
Optional[String] = None, parse_mode: Optional[String] = None, cap-
tion_entities: Optional[List[aiogram.types.message_entity.MessageEntity]]
= None, duration: Optional[Integer] = None, performer: Op-
tional[String] = None, title: Optional[String] = None, thumb: Op-
tional[Union[InputFile, String]] = None, disable_notification: Op-
tional[Boolean] = None, reply_to_message_id: Optional[Integer] = None,
allow_sending_without_reply: Optional[Boolean] = None, reply_markup:
Optional[Union[aiogram.types.inline_keyboard.InlineKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardRemove,
aiogram.types.force_reply.ForceReply]] = None) →
aiogram.types.message.Message
Use this method to send audio files, if you want Telegram clients to display them in the music player. Your
audio must be in the .mp3 format.
For sending voice messages, use the sendVoice method instead.
Source: https://core.telegram.org/bots/api#sendaudio
Parameters
• chat_id (typing.Union[base.Integer, base.String]) – Unique identi-
fier for the target chat or username of the target channel
• audio (typing.Union[base.InputFile, base.String]) – Audio file to
send
• caption (typing.Optional[base.String]) – Audio caption, 0-1024 charac-
ters
• parse_mode (typing.Optional[base.String]) – Send Markdown or HTML,
if you want Telegram apps to show bold, italic, fixed-width text or inline URLs in your
bot’s message.
• caption_entities (typing.Optional[typing.List[types.
MessageEntity]]) – List of special entities that appear in message text, which
can be specified instead of parse_mode
• duration (typing.Optional[base.Integer]) – Duration of the audio in sec-
onds
• performer (typing.Optional[base.String]) – Performer
• title (typing.Optional[base.String]) – Track name
• thumb (typing.Union[base.InputFile, base.String, None]) –
Thumbnail of the file sent
4.4. Telegram 25
aiogram Documentation, Release 2.11.2
26 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
• caption_entities (typing.Optional[typing.List[types.
MessageEntity]]) – List of special entities that appear in message text, which
can be specified instead of parse_mode
• disable_notification (typing.Optional[base.Boolean]) – Sends the
message silently. Users will receive a notification with no sound
• reply_to_message_id (typing.Optional[base.Integer]) – If the mes-
sage is a reply, ID of the original message
• allow_sending_without_reply (typing.Optional[base.Boolean]) –
Pass True, if the message should be sent even if the specified replied-to message is not
found
• reply_markup (typing.Union[types.InlineKeyboardMarkup,
types.ReplyKeyboardMarkup, types.ReplyKeyboardRemove,
types.ForceReply], None]) – Additional interface options. A JSON-serialized
object for an inline keyboard, custom reply keyboard, instructions to remove reply
keyboard or to force a reply from the user
Returns On success, the sent Message is returned
Return type types.Message
async send_video(chat_id: Union[Integer, String], video: Union[InputFile, String], duration:
Optional[Integer] = None, width: Optional[Integer] = None, height: Op-
tional[Integer] = None, thumb: Optional[Union[InputFile, String]] = None,
caption: Optional[String] = None, parse_mode: Optional[String] = None,
caption_entities: Optional[List[aiogram.types.message_entity.MessageEntity]]
= None, supports_streaming: Optional[Boolean] = None, disable_notification:
Optional[Boolean] = None, reply_to_message_id: Optional[Integer] = None,
allow_sending_without_reply: Optional[Boolean] = None, reply_markup:
Optional[Union[aiogram.types.inline_keyboard.InlineKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardRemove,
aiogram.types.force_reply.ForceReply]] = None) →
aiogram.types.message.Message
Use this method to send video files, Telegram clients support mp4 videos (other formats may be sent as
Document).
Source: https://core.telegram.org/bots/api#sendvideo
Parameters
• chat_id (typing.Union[base.Integer, base.String]) – Unique identi-
fier for the target chat or username of the target channel
• video (typing.Union[base.InputFile, base.String]) – Video to send
• duration (typing.Optional[base.Integer]) – Duration of sent video in sec-
onds
• width (typing.Optional[base.Integer]) – Video width
• height (typing.Optional[base.Integer]) – Video height
• thumb (typing.Union[base.InputFile, base.String, None]) –
Thumbnail of the file sent
• caption (typing.Optional[base.String]) – Video caption (may also be used
when resending videos by file_id), 0-1024 characters
4.4. Telegram 27
aiogram Documentation, Release 2.11.2
28 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
4.4. Telegram 29
aiogram Documentation, Release 2.11.2
Parameters
• chat_id (typing.Union[base.Integer, base.String]) – Unique identi-
fier for the target chat or username of the target channel
• voice (typing.Union[base.InputFile, base.String]) – Audio file to
send
• caption (typing.Optional[base.String]) – Voice message caption, 0-1024
characters
• parse_mode (typing.Optional[base.String]) – Send Markdown or HTML,
if you want Telegram apps to show bold, italic, fixed-width text or inline URLs in your
bot’s message.
• caption_entities (typing.Optional[typing.List[types.
MessageEntity]]) – List of special entities that appear in message text, which
can be specified instead of parse_mode
• duration (typing.Optional[base.Integer]) – Duration of the voice mes-
sage in seconds
• disable_notification (typing.Optional[base.Boolean]) – Sends the
message silently. Users will receive a notification with no sound
• reply_to_message_id (typing.Optional[base.Integer]) – If the mes-
sage is a reply, ID of the original message
• allow_sending_without_reply (typing.Optional[base.Boolean]) –
Pass True, if the message should be sent even if the specified replied-to message is not
found
• reply_markup (typing.Union[types.InlineKeyboardMarkup,
types.ReplyKeyboardMarkup, types.ReplyKeyboardRemove,
types.ForceReply, None]) – Additional interface options. A JSON-serialized
object for an inline keyboard, custom reply keyboard, instructions to remove reply
keyboard or to force a reply from the user
Returns On success, the sent Message is returned
Return type types.Message
async send_video_note(chat_id: Union[Integer, String], video_note: Union[InputFile, String],
duration: Optional[Integer] = None, length: Optional[Integer] =
None, thumb: Optional[Union[InputFile, String]] = None, dis-
able_notification: Optional[Boolean] = None, reply_to_message_id:
Optional[Integer] = None, allow_sending_without_reply:
Optional[Boolean] = None, reply_markup: Op-
tional[Union[aiogram.types.inline_keyboard.InlineKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardRemove,
aiogram.types.force_reply.ForceReply]] = None) →
aiogram.types.message.Message
As of v.4.0, Telegram clients support rounded square mp4 videos of up to 1 minute long. Use this method
to send video messages.
Source: https://core.telegram.org/bots/api#sendvideonote
Parameters
• chat_id (typing.Union[base.Integer, base.String]) – Unique identi-
fier for the target chat or username of the target channel
30 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
4.4. Telegram 31
aiogram Documentation, Release 2.11.2
32 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
4.4. Telegram 33
aiogram Documentation, Release 2.11.2
34 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
• reply_markup (typing.Union[types.InlineKeyboardMarkup,
types.ReplyKeyboardMarkup, types.ReplyKeyboardRemove,
types.ForceReply, None]) – Additional interface options. A JSON-serialized
object for an inline keyboard, custom reply keyboard, instructions to remove reply
keyboard or to force a reply from the user
Returns On success, the sent Message is returned
Return type types.Message
async send_contact(chat_id: Union[Integer, String], phone_number: String, first_name:
String, last_name: Optional[String] = None, vcard: Op-
tional[String] = None, disable_notification: Optional[Boolean]
= None, reply_to_message_id: Optional[Integer] = None, al-
low_sending_without_reply: Optional[Boolean] = None, reply_markup:
Optional[Union[aiogram.types.inline_keyboard.InlineKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardRemove,
aiogram.types.force_reply.ForceReply]] = None) →
aiogram.types.message.Message
Use this method to send phone contacts.
Source: https://core.telegram.org/bots/api#sendcontact
Parameters
• chat_id (typing.Union[base.Integer, base.String]) – Unique identi-
fier for the target chat or username of the target channel
• phone_number (base.String) – Contact’s phone number
• first_name (base.String) – Contact’s first name
• last_name (typing.Optional[base.String]) – Contact’s last name
• vcard (typing.Optional[base.String]) – vcard
• disable_notification (typing.Optional[base.Boolean]) – Sends the
message silently. Users will receive a notification with no sound
• reply_to_message_id (typing.Optional[base.Integer]) – If the mes-
sage is a reply, ID of the original message
• allow_sending_without_reply (typing.Optional[base.Boolean]) –
Pass True, if the message should be sent even if the specified replied-to message is not
found
• reply_markup (typing.Union[types.InlineKeyboardMarkup,
types.ReplyKeyboardMarkup, types.ReplyKeyboardRemove,
types.ForceReply, None]) – Additional interface options. A JSON-serialized
object for an inline keyboard, custom reply keyboard, instructions to remove reply
keyboard or to force a reply from the user
Returns On success, the sent Message is returned
Return type types.Message
4.4. Telegram 35
aiogram Documentation, Release 2.11.2
36 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
4.4. Telegram 37
aiogram Documentation, Release 2.11.2
38 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
Note: In regular groups (non-supergroups), this method will only work if the ‘All Members Are Admins’
setting is off in the target group. Otherwise members may only be removed by the group’s creator or by
the member that added them.
Source: https://core.telegram.org/bots/api#kickchatmember
Parameters
• chat_id (typing.Union[base.Integer, base.String]) – Unique identi-
fier for the target group or username of the target supergroup or channel
• user_id (base.Integer) – Unique identifier of the target user
• until_date (typing.Optional[base.Integer]) – Date when the user will be
unbanned, unix time
Returns Returns True on success
Return type base.Boolean
async unban_chat_member(chat_id: Union[Integer, String], user_id: Integer, only_if_banned:
Optional[Boolean] = None) → Boolean
Use this method to unban a previously kicked user in a supergroup or channel. The user will not return to
the group or channel automatically, but will be able to join via link, etc. The bot must be an administrator
for this to work. By default, this method guarantees that after the call the user is not a member of the chat,
but will be able to join it. So if the user is a member of the chat they will also be removed from the chat.
If you don’t want this, use the parameter only_if_banned. Returns True on success.
Source: https://core.telegram.org/bots/api#unbanchatmember
Parameters
• chat_id (typing.Union[base.Integer, base.String]) – Unique identi-
fier for the target group or username of the target supergroup or channel (in the format
@username)
• user_id (base.Integer) – Unique identifier of the target user
• only_if_banned (typing.Optional[base.Boolean]) – Do nothing if the
user is not banned
Returns Returns True on success
Return type base.Boolean
async restrict_chat_member(chat_id: Union[Integer, String], user_id: Integer, permissions:
Optional[aiogram.types.chat_permissions.ChatPermissions] =
None, until_date: Optional[Union[Integer, datetime.datetime,
datetime.timedelta]] = None, can_send_messages: Op-
tional[Boolean] = None, can_send_media_messages: Op-
tional[Boolean] = None, can_send_other_messages: Op-
tional[Boolean] = None, can_add_web_page_previews: Op-
tional[Boolean] = None) → Boolean
Use this method to restrict a user in a supergroup. The bot must be an administrator in the supergroup
for this to work and must have the appropriate admin rights. Pass True for all boolean parameters to lift
restrictions from a user.
Source: https://core.telegram.org/bots/api#restrictchatmember
Parameters
• chat_id (typing.Union[base.Integer, base.String]) – Unique identi-
fier for the target chat or username of the target supergroup
4.4. Telegram 39
aiogram Documentation, Release 2.11.2
40 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
4.4. Telegram 41
aiogram Documentation, Release 2.11.2
42 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
4.4. Telegram 43
aiogram Documentation, Release 2.11.2
44 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
4.4. Telegram 45
aiogram Documentation, Release 2.11.2
46 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
4.4. Telegram 47
aiogram Documentation, Release 2.11.2
When inline message is edited, new file can’t be uploaded. Use previously uploaded file via its file_id or
specify a URL.
On success, if the edited message was sent by the bot, the edited Message is returned, otherwise True is
returned.
Source https://core.telegram.org/bots/api#editmessagemedia
Parameters
• chat_id (typing.Union[typing.Union[base.Integer, base.
String], None]) – Required if inline_message_id is not specified
• message_id (typing.Optional[base.Integer]) – Required if in-
line_message_id is not specified. Identifier of the sent message
• inline_message_id (typing.Optional[base.String]) – Required if
chat_id and message_id are not specified. Identifier of the inline message
• media (types.InputMedia) – A JSON-serialized object for a new media content of
the message
• reply_markup (typing.Optional[types.InlineKeyboardMarkup]) – A
JSON-serialized object for a new inline keyboard
Returns On success, if the edited message was sent by the bot, the edited Message is returned,
otherwise True is returned
Return type typing.Union[types.Message, base.Boolean]
async edit_message_reply_markup(chat_id: Optional[Union[Integer, String]] = None, mes-
sage_id: Optional[Integer] = None, inline_message_id:
Optional[String] = None, reply_markup: Op-
tional[aiogram.types.inline_keyboard.InlineKeyboardMarkup]
= None) → aiogram.types.message.Message
Use this method to edit only the reply markup of messages sent by the bot or via the bot (for inline bots).
Source: https://core.telegram.org/bots/api#editmessagereplymarkup
Parameters
• chat_id (typing.Union[base.Integer, base.String, None]) – Re-
quired if inline_message_id is not specified Unique identifier for the target chat or user-
name of the target channel
• message_id (typing.Optional[base.Integer]) – Required if in-
line_message_id is not specified. Identifier of the sent message
• inline_message_id (typing.Optional[base.String]) – Required if
chat_id and message_id are not specified. Identifier of the inline message
• reply_markup (typing.Optional[types.InlineKeyboardMarkup]) – A
JSON-serialized object for an inline keyboard
Returns On success, if edited message is sent by the bot, the edited Message is returned, other-
wise True is returned.
Return type typing.Union[types.Message, base.Boolean]
async stop_poll(chat_id: Union[String, Integer], message_id: Integer, reply_markup:
Optional[aiogram.types.inline_keyboard.InlineKeyboardMarkup] = None) →
aiogram.types.poll.Poll
Use this method to stop a poll which was sent by the bot. On success, the stopped Poll with the final results
is returned.
48 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
Parameters
• chat_id (typing.Union[base.String, base.Integer]) – Unique identi-
fier for the target chat or username of the target channel
• message_id (base.Integer) – Identifier of the original message with the poll
• reply_markup (typing.Optional[types.InlineKeyboardMarkup]) – A
JSON-serialized object for a new message inline keyboard.
Returns On success, the stopped Poll with the final results is returned.
Return type types.Poll
async delete_message(chat_id: Union[Integer, String], message_id: Integer) → Boolean
Use this method to delete a message, including service messages, with the following limitations: - A
message can only be deleted if it was sent less than 48 hours ago. - Bots can delete outgoing messages
in private chats, groups, and supergroups. - Bots can delete incoming messages in private chats. - Bots
granted can_post_messages permissions can delete outgoing messages in channels. - If the bot is an
administrator of a group, it can delete any message there. - If the bot has can_delete_messages permission
in a supergroup or a channel, it can delete any message there.
Source: https://core.telegram.org/bots/api#deletemessage
Parameters
• chat_id (typing.Union[base.Integer, base.String]) – Unique identi-
fier for the target chat or username of the target channel
• message_id (base.Integer) – Identifier of the message to delete
Returns Returns True on success
Return type base.Boolean
async send_sticker(chat_id: Union[Integer, String], sticker: Union[InputFile,
String], disable_notification: Optional[Boolean] = None,
reply_to_message_id: Optional[Integer] = None, al-
low_sending_without_reply: Optional[Boolean] = None, reply_markup:
Optional[Union[aiogram.types.inline_keyboard.InlineKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardRemove,
aiogram.types.force_reply.ForceReply]] = None) →
aiogram.types.message.Message
Use this method to send .webp stickers.
Source: https://core.telegram.org/bots/api#sendsticker
Parameters
• chat_id (typing.Union[base.Integer, base.String]) – Unique identi-
fier for the target chat or username of the target channel
• sticker (typing.Union[base.InputFile, base.String]) – Sticker to
send
• disable_notification (typing.Optional[base.Boolean]) – Sends the
message silently. Users will receive a notification with no sound
• reply_to_message_id (typing.Optional[base.Integer]) – If the mes-
sage is a reply, ID of the original message
4.4. Telegram 49
aiogram Documentation, Release 2.11.2
• allow_sending_without_reply (typing.Optional[base.Boolean]) –
Pass True, if the message should be sent even if the specified replied-to message is not
found
• reply_markup (typing.Union[types.InlineKeyboardMarkup,
types.ReplyKeyboardMarkup, types.ReplyKeyboardRemove,
types.ForceReply, None]) – Additional interface options. A JSON-serialized
object for an inline keyboard, custom reply keyboard, instructions to remove reply
keyboard or to force a reply from the user
Returns On success, the sent Message is returned
Return type types.Message
async get_sticker_set(name: String) → aiogram.types.sticker_set.StickerSet
Use this method to get a sticker set.
Source: https://core.telegram.org/bots/api#getstickerset
Parameters name (base.String) – Name of the sticker set
Returns On success, a StickerSet object is returned
Return type types.StickerSet
async upload_sticker_file(user_id: Integer, png_sticker: InputFile) →
aiogram.types.file.File
Use this method to upload a .png file with a sticker for later use in createNewStickerSet and addSticker-
ToSet methods (can be used multiple times).
Source: https://core.telegram.org/bots/api#uploadstickerfile
Parameters
• user_id (base.Integer) – User identifier of sticker file owner
• png_sticker (base.InputFile) – Png image with the sticker, must be up to 512
kilobytes in size, dimensions must not exceed 512px, and either width or height must be
exactly 512px.
Returns Returns the uploaded File on success
Return type types.File
async create_new_sticker_set(user_id: Integer, name: String, title: String, emo-
jis: String, png_sticker: Optional[Union[InputFile, String]]
= None, tgs_sticker: Optional[InputFile] = None, con-
tains_masks: Optional[Boolean] = None, mask_position: Op-
tional[aiogram.types.mask_position.MaskPosition] = None)
→ Boolean
Use this method to create a new sticker set owned by a user. The bot will be able to edit the sticker set thus
created. You must use exactly one of the fields png_sticker or tgs_sticker.
Source: https://core.telegram.org/bots/api#createnewstickerset
Parameters
• user_id (base.Integer) – User identifier of created sticker set owner
• name (base.String) – Short name of sticker set, to be used in t.me/addstickers/ URLs
(e.g., animals). Can contain only english letters, digits and underscores. Must begin with
a letter, can’t contain consecutive underscores and must end in “_by_<bot username>”.
<bot_username> is case insensitive. 1-64 characters.
• title (base.String) – Sticker set title, 1-64 characters
50 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
4.4. Telegram 51
aiogram Documentation, Release 2.11.2
Parameters
• sticker (base.String) – File identifier of the sticker
• position (base.Integer) – New sticker position in the set, zero-based
Returns Returns True on success
Return type base.Boolean
async delete_sticker_from_set(sticker: String) → Boolean
Use this method to delete a sticker from a set created by the bot.
Source: https://core.telegram.org/bots/api#deletestickerfromset
Parameters sticker (base.String) – File identifier of the sticker
Returns Returns True on success
Return type base.Boolean
async set_sticker_set_thumb(name: String, user_id: Integer, thumb: Op-
tional[Union[InputFile, String]] = None) → Boolean
Use this method to set the thumbnail of a sticker set. Animated thumbnails can be set for animated sticker
sets only.
Source: https://core.telegram.org/bots/api#setstickersetthumb
Parameters
• name (base.String) – Sticker set name
• user_id (base.Integer) – User identifier of the sticker set owner
• thumb (typing.Union[base.InputFile, base.String]) – A PNG image
with the thumbnail, must be up to 128 kilobytes in size and have width and height ex-
actly 100px, or a TGS animation with the thumbnail up to 32 kilobytes in size; see
https://core.telegram.org/animated_stickers#technical-requirements for animated sticker
technical requirements. Pass a file_id as a String to send a file that already exists
on the Telegram servers, pass an HTTP URL as a String for Telegram to get a file
from the Internet, or upload a new one using multipart/form-data. More info on https:
//core.telegram.org/bots/api#sending-files. Animated sticker set thumbnail can’t be up-
loaded via HTTP URL.
Returns Returns True on success
Return type base.Boolean
async answer_inline_query(inline_query_id: String, results:
List[aiogram.types.inline_query_result.InlineQueryResult],
cache_time: Optional[Integer] = None, is_personal: Op-
tional[Boolean] = None, next_offset: Optional[String] = None,
switch_pm_text: Optional[String] = None, switch_pm_parameter:
Optional[String] = None) → Boolean
Use this method to send answers to an inline query. No more than 50 results per query are allowed.
Source: https://core.telegram.org/bots/api#answerinlinequery
Parameters
• inline_query_id (base.String) – Unique identifier for the answered query
• results (typing.List[types.InlineQueryResult]) – A JSON-serialized
array of results for the inline query
52 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
4.4. Telegram 53
aiogram Documentation, Release 2.11.2
• currency (base.String) – Three-letter ISO 4217 currency code, see more on cur-
rencies
• prices (typing.List[types.LabeledPrice]) – Price breakdown, a list of
components (e.g. product price, tax, discount, delivery cost, delivery tax, bonus, etc.)
• provider_data (typing.Optional[typing.Dict]) – JSON-encoded data
about the invoice, which will be shared with the payment provider
• photo_url (typing.Optional[base.String]) – URL of the product photo for
the invoice
• photo_size (typing.Optional[base.Integer]) – Photo size
• photo_width (typing.Optional[base.Integer]) – Photo width
• photo_height (typing.Optional[base.Integer]) – Photo height
• need_name (typing.Optional[base.Boolean]) – Pass True, if you require the
user’s full name to complete the order
• need_phone_number (typing.Optional[base.Boolean]) – Pass True, if
you require the user’s phone number to complete the order
• need_email (typing.Optional[base.Boolean]) – Pass True, if you require
the user’s email to complete the order
• need_shipping_address (typing.Optional[base.Boolean]) – Pass True,
if you require the user’s shipping address to complete the order
• send_phone_number_to_provider (typing.Optional[base.Boolean])
– Pass True, if user’s phone number should be sent to provider
• send_email_to_provider (typing.Optional[base.Boolean]) – Pass
True, if user’s email address should be sent to provider
• is_flexible (typing.Optional[base.Boolean]) – Pass True, if the final
price depends on the shipping method
• disable_notification (typing.Optional[base.Boolean]) – Sends the
message silently. Users will receive a notification with no sound
• reply_to_message_id (typing.Optional[base.Integer]) – If the mes-
sage is a reply, ID of the original message
• allow_sending_without_reply (typing.Optional[base.Boolean]) –
Pass True, if the message should be sent even if the specified replied-to message is not
found
• reply_markup (typing.Optional[types.InlineKeyboardMarkup]) – A
JSON-serialized object for an inline keyboard If empty, one ‘Pay total price’ button will
be shown. If not empty, the first button must be a Pay button.
Returns On success, the sent Message is returned
Return type types.Message
async answer_shipping_query(shipping_query_id: String, ok: Boolean, shipping_options: Op-
tional[List[aiogram.types.shipping_option.ShippingOption]] =
None, error_message: Optional[String] = None) → Boolean
If you sent an invoice requesting a shipping address and the parameter is_flexible was specified, the Bot
API will send an Update with a shipping_query field to the bot.
Source: https://core.telegram.org/bots/api#answershippingquery
54 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
Parameters
• shipping_query_id (base.String) – Unique identifier for the query to be an-
swered
• ok (base.Boolean) – Specify True if delivery to the specified address is possible and
False if there are any problems (for example, if delivery to the specified address is not
possible)
• shipping_options (typing.Union[typing.List[types.
ShippingOption], None]) – Required if ok is True. A JSON-serialized array of
available shipping options
• error_message (typing.Optional[base.String]) – Required if ok is False
Error message in human readable form that explains why it is impossible to complete the
order (e.g. “Sorry, delivery to your desired address is unavailable’). Telegram will display
this message to the user.
Returns On success, True is returned
Return type base.Boolean
async answer_pre_checkout_query(pre_checkout_query_id: String, ok: Boolean, er-
ror_message: Optional[String] = None) → Boolean
Once the user has confirmed their payment and shipping details, the Bot API sends the final confirmation in
the form of an Update with the field pre_checkout_query. Use this method to respond to such pre-checkout
queries.
Source: https://core.telegram.org/bots/api#answerprecheckoutquery
Parameters
• pre_checkout_query_id (base.String) – Unique identifier for the query to be
answered
• ok (base.Boolean) – Specify True if everything is alright (goods are available, etc.)
and the bot is ready to proceed with the order. Use False if there are any problems.
• error_message (typing.Optional[base.String]) – Required if ok is False
Error message in human readable form that explains the reason for failure to proceed with
the checkout (e.g. “Sorry, somebody just bought the last of our amazing black T-shirts
while you were busy filling out your payment details. Please choose a different color or
garment!”). Telegram will display this message to the user.
Returns On success, True is returned
Return type base.Boolean
async set_passport_data_errors(user_id: Integer, errors:
List[aiogram.types.passport_element_error.PassportElementError])
→ Boolean
Informs a user that some of the Telegram Passport elements they provided contains errors. The user will
not be able to re-submit their Passport to you until the errors are fixed (the contents of the field for which
you returned the error must change). Returns True on success.
Use this if the data submitted by the user doesn’t satisfy the standards your service requires for any reason.
For example, if a birthday date seems invalid, a submitted document is blurry, a scan shows evidence of
tampering, etc. Supply some details in the error message to make sure the user knows how to correct the
issues.
Source https://core.telegram.org/bots/api#setpassportdataerrors
Parameters
4.4. Telegram 55
aiogram Documentation, Release 2.11.2
56 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
API Helpers
4.4. Telegram 57
aiogram Documentation, Release 2.11.2
Returns URL
file_url(token: str, path: str) → str
Generate URL for downloading files
Parameters
• token – Bot token
• path – file path
Returns URL
aiogram.bot.api.check_token(token: str) → bool
Validate BOT token
Parameters token –
Returns
aiogram.bot.api.check_result(method_name: str, content_type: str, status_code: int, body: str)
Checks whether result is a valid API response. A result is considered invalid if: - The server returned an HTTP
response code other than 200 - The content of the result is invalid JSON. - The method call was unsuccessful
(The JSON ‘ok’ field equals False)
Parameters
• method_name – The name of the method called
• status_code – status code
• content_type – content type of result
• body – result body
Returns The result parsed to a JSON dictionary
Raises ApiException – if one of the above listed cases is applicable
aiogram.bot.api.guess_filename(obj)
Get file name from object
Parameters obj –
Returns
aiogram.bot.api.compose_data(params=None, files=None)
Prepare request data
Parameters
• params –
• files –
Returns
class aiogram.bot.api.Methods
Bases: aiogram.utils.helper.Helper
Helper for Telegram API Methods listed on https://core.telegram.org/bots/api
List is updated to Bot API 5.0
58 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
Bases
Base TelegramObject
MetaTelegramObject
TelegramObject
4.4. Telegram 59
aiogram Documentation, Release 2.11.2
Returns JSON
Return type str
iter_keys() → Generator[Any, None, None]
Iterate over keys
Returns
iter_values() → Generator[Any, None, None]
Iterate over values
Returns
Fields
BaseField
60 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
Field
ListField
4.4. Telegram 61
aiogram Documentation, Release 2.11.2
Parameters value –
Returns
deserialize(value, parent=None)
Deserialize python object value to TelegramObject value
ListOfLists
DateTimeField
62 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
Returns
deserialize(value, parent=None)
Deserialize python object value to TelegramObject value
TextField
Mixins
Downloadable
class aiogram.types.mixins.Downloadable
Bases: object
Mixin for files
async download(destination=None, timeout=30, chunk_size=65536, seek=True, make_dirs=True)
Download file
Parameters
• destination – filename or instance of io.IOBase. For e. g. io.BytesIO
• timeout – Integer
• chunk_size – Integer
• seek – Boolean - go to start of file when downloading is finished.
• make_dirs – Make dirs if not exist
Returns destination
async get_file()
Get file information
4.4. Telegram 63
aiogram Documentation, Release 2.11.2
Returns aiogram.types.File
async get_url()
Get file url.
Attention!! This method has security vulnerabilities for the reason that result contains bot’s access token
in open form. Use at your own risk!
Returns url
Types
StickerSet
EncryptedCredentials
64 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
CallbackQuery
4.4. Telegram 65
aiogram Documentation, Release 2.11.2
SuccessfulPayment
MessageEntity
66 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
MessageEntityType
class aiogram.types.message_entity.MessageEntityType
Bases: aiogram.utils.helper.Helper
List of entity types
Key MENTION
Key HASHTAG
Key CASHTAG
Key BOT_COMMAND
Key URL
Key EMAIL
Key PHONE_NUMBER
Key BOLD
Key ITALIC
Key CODE
Key PRE
Key UNDERLINE
Key STRIKETHROUGH
Key TEXT_LINK
Key TEXT_MENTION
ShippingQuery
4.4. Telegram 67
aiogram Documentation, Release 2.11.2
PassportData
InlineKeyboardMarkup
68 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
InlineKeyboardButton
User
4.4. Telegram 69
aiogram Documentation, Release 2.11.2
Returns babel.core.Locale
Video
EncryptedPassportElement
class aiogram.types.encrypted_passport_element.EncryptedPassportElement(conf:
Op-
tional[Dict[str,
Any]]
=
None,
**kwargs:
Any)
Bases: aiogram.types.base.TelegramObject
Contains information about documents or other Telegram Passport elements shared with the bot by the user.
https://core.telegram.org/bots/api#encryptedpassportelement
Deserialize object
Parameters
• conf –
• kwargs –
Game
70 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
File
LabeledPrice
CallbackGame
4.4. Telegram 71
aiogram Documentation, Release 2.11.2
ReplyKeyboardMarkup
KeyboardButton
72 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
mutually exclusive. Note: request_contact and request_location options will only work in Telegram versions
released after 9 April, 2016. Older clients will ignore them. Note: request_poll option will only work in
Telegram versions released after 23 January, 2020. Older clients will receive unsupported message.
https://core.telegram.org/bots/api#keyboardbutton
Deserialize object
Parameters
• conf –
• kwargs –
ReplyKeyboardRemove
Chat
4.4. Telegram 73
aiogram Documentation, Release 2.11.2
async update_chat()
User this method to update Chat data
Returns None
async set_photo(photo: aiogram.types.input_file.InputFile) → Boolean
Use this method to set a new profile photo for the chat. Photos can’t be changed for private chats. The bot
must be an administrator in the chat for this to work and must have the appropriate admin rights.
Note: In regular groups (non-supergroups), this method will only work if the ‘All Members Are Admins’
setting is off in the target group.
Source: https://core.telegram.org/bots/api#setchatphoto
Parameters photo (base.InputFile) – New chat photo, uploaded using multipart/form-
data
Returns Returns True on success.
Return type base.Boolean
async delete_photo() → Boolean
Use this method to delete a chat photo. Photos can’t be changed for private chats. The bot must be an
administrator in the chat for this to work and must have the appropriate admin rights.
Note: In regular groups (non-supergroups), this method will only work if the ‘All Members Are Admins’
setting is off in the target group.
Source: https://core.telegram.org/bots/api#deletechatphoto
Returns Returns True on success.
Return type base.Boolean
async set_title(title: String) → Boolean
Use this method to change the title of a chat. Titles can’t be changed for private chats. The bot must be an
administrator in the chat for this to work and must have the appropriate admin rights.
Note: In regular groups (non-supergroups), this method will only work if the ‘All Members Are Admins’
setting is off in the target group.
Source: https://core.telegram.org/bots/api#setchattitle
Parameters title (base.String) – New chat title, 1-255 characters
Returns Returns True on success.
Return type base.Boolean
async set_description(description: String) → Boolean
Use this method to change the description of a supergroup or a channel. The bot must be an administrator
in the chat for this to work and must have the appropriate admin rights.
Source: https://core.telegram.org/bots/api#setchatdescription
Parameters description (typing.Optional[base.String]) – New chat descrip-
tion, 0-255 characters
Returns Returns True on success.
Return type base.Boolean
async kick(user_id: Integer, until_date: Optional[Union[Integer, datetime.datetime, date-
time.timedelta]] = None) → Boolean
Use this method to kick a user from a group, a supergroup or a channel. In the case of supergroups
74 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
and channels, the user will not be able to return to the group on their own using invite links, etc., unless
unbanned first.
The bot must be an administrator in the chat for this to work and must have the appropriate admin rights.
Note: In regular groups (non-supergroups), this method will only work if the ‘All Members Are Admins’
setting is off in the target group. Otherwise members may only be removed by the group’s creator or by
the member that added them.
Source: https://core.telegram.org/bots/api#kickchatmember
Parameters
• user_id (base.Integer) – Unique identifier of the target user
• until_date (typing.Optional[base.Integer]) – Date when the user will be
unbanned, unix time.
Returns Returns True on success.
Return type base.Boolean
async unban(user_id: Integer, only_if_banned: Optional[Boolean] = None) → Boolean
Use this method to unban a previously kicked user in a supergroup or channel. The user will not return to
the group or channel automatically, but will be able to join via link, etc. The bot must be an administrator
for this to work. By default, this method guarantees that after the call the user is not a member of the chat,
but will be able to join it. So if the user is a member of the chat they will also be removed from the chat.
If you don’t want this, use the parameter only_if_banned. Returns True on success.
Source: https://core.telegram.org/bots/api#unbanchatmember
Parameters
• user_id (base.Integer) – Unique identifier of the target user
• only_if_banned (typing.Optional[base.Boolean]) – Do nothing if the
user is not banned
Returns Returns True on success.
Return type base.Boolean
async restrict(user_id: Integer, permissions: Optional[aiogram.types.chat_permissions.ChatPermissions]
= None, until_date: Optional[Union[Integer, datetime.datetime, date-
time.timedelta]] = None, can_send_messages: Optional[Boolean]
= None, can_send_media_messages: Optional[Boolean] =
None, can_send_other_messages: Optional[Boolean] = None,
can_add_web_page_previews: Optional[Boolean] = None) → Boolean
Use this method to restrict a user in a supergroup. The bot must be an administrator in the supergroup
for this to work and must have the appropriate admin rights. Pass True for all boolean parameters to lift
restrictions from a user.
Source: https://core.telegram.org/bots/api#restrictchatmember
Parameters
• user_id (base.Integer) – Unique identifier of the target user
• permissions (ChatPermissions) – New user permissions
• until_date (typing.Optional[base.Integer]) – Date when restrictions will
be lifted for the user, unix time.
• can_send_messages (typing.Optional[base.Boolean]) – Pass True, if the
user can send text messages, contacts, locations and venues
4.4. Telegram 75
aiogram Documentation, Release 2.11.2
76 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
4.4. Telegram 77
aiogram Documentation, Release 2.11.2
async unpin_all_messages()
Use this method to clear the list of pinned messages in a chat. If the chat is not a private chat, the bot must
be an administrator in the chat for this to work and must have the ‘can_pin_messages’ admin right in a
supergroup or ‘can_edit_messages’ admin right in a channel. Returns True on success.
Source: https://core.telegram.org/bots/api#unpinallchatmessages
Returns Returns True on success
Return type base.Boolean
async leave() → Boolean
Use this method for your bot to leave a group, supergroup or channel.
Source: https://core.telegram.org/bots/api#leavechat
Returns Returns True on success.
Return type base.Boolean
async get_administrators() → List[aiogram.types.chat_member.ChatMember]
Use this method to get a list of administrators in a chat.
Source: https://core.telegram.org/bots/api#getchatadministrators
Returns On success, returns an Array of ChatMember objects that contains information about
all chat administrators except other bots. If the chat is a group or a supergroup and no
administrators were appointed, only the creator will be returned.
Return type typing.List[types.ChatMember]
async get_members_count() → Integer
Use this method to get the number of members in a chat.
Source: https://core.telegram.org/bots/api#getchatmemberscount
Returns Returns Int on success.
Return type base.Integer
async get_member(user_id: Integer) → aiogram.types.chat_member.ChatMember
Use this method to get information about a member of a chat.
Source: https://core.telegram.org/bots/api#getchatmember
Parameters user_id (base.Integer) – Unique identifier of the target user
Returns Returns a ChatMember object on success.
Return type types.ChatMember
async set_sticker_set(sticker_set_name: String) → Boolean
Use this method to set a new group sticker set for a supergroup. The bot must be an administrator in the
chat for this to work and must have the appropriate admin rights.
Use the field can_set_sticker_set optionally returned in getChat requests to check if the bot can use this
method.
Source: https://core.telegram.org/bots/api#setchatstickerset
Parameters sticker_set_name (base.String) – Name of the sticker set to be set as the
group sticker set
Returns Returns True on success
Return type base.Boolean
78 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
ChatType
class aiogram.types.chat.ChatType
Bases: aiogram.utils.helper.Helper
List of chat types
Key PRIVATE
Key GROUP
Key SUPER_GROUP
Key SUPERGROUP
Key CHANNEL
classmethod is_private(obj) → bool
Check chat is private
Parameters obj –
Returns
classmethod is_group(obj) → bool
Check chat is group
4.4. Telegram 79
aiogram Documentation, Release 2.11.2
Parameters obj –
Returns
classmethod is_super_group(obj) → bool
Check chat is super-group
Parameters obj –
Returns
classmethod is_group_or_super_group(obj) → bool
Check chat is group or super-group
Parameters obj –
Returns
classmethod is_channel(obj) → bool
Check chat is channel
Parameters obj –
Returns
ChatActions
class aiogram.types.chat.ChatActions
Bases: aiogram.utils.helper.Helper
List of chat actions
Key TYPING
Key UPLOAD_PHOTO
Key RECORD_VIDEO
Key UPLOAD_VIDEO
Key RECORD_AUDIO
Key UPLOAD_AUDIO
Key UPLOAD_DOCUMENT
Key FIND_LOCATION
Key RECORD_VIDEO_NOTE
Key UPLOAD_VIDEO_NOTE
classmethod calc_timeout(text, timeout=0.8)
Calculate timeout for text
Parameters
• text –
• timeout –
Returns
async classmethod typing(sleep=None)
Do typing
Parameters sleep – sleep timeout
80 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
Returns
async classmethod upload_photo(sleep=None)
Do upload_photo
Parameters sleep – sleep timeout
Returns
async classmethod record_video(sleep=None)
Do record video
Parameters sleep – sleep timeout
Returns
async classmethod upload_video(sleep=None)
Do upload video
Parameters sleep – sleep timeout
Returns
async classmethod record_audio(sleep=None)
Do record audio
Parameters sleep – sleep timeout
Returns
async classmethod upload_audio(sleep=None)
Do upload audio
Parameters sleep – sleep timeout
Returns
async classmethod upload_document(sleep=None)
Do upload document
Parameters sleep – sleep timeout
Returns
async classmethod find_location(sleep=None)
Do find location
Parameters sleep – sleep timeout
Returns
async classmethod record_video_note(sleep=None)
Do record video note
Parameters sleep – sleep timeout
Returns
async classmethod upload_video_note(sleep=None)
Do upload video note
Parameters sleep – sleep timeout
Returns
4.4. Telegram 81
aiogram Documentation, Release 2.11.2
Document
Audio
ForceReply
82 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
PassportElementError
PassportElementErrorDataField
class aiogram.types.passport_element_error.PassportElementErrorDataField(source:
String,
type:
String,
field_name:
String,
data_hash:
String,
mes-
sage:
String)
Bases: aiogram.types.passport_element_error.PassportElementError
Represents an issue in one of the data fields that was provided by the user. The error is considered resolved
when the field’s value changes.
https://core.telegram.org/bots/api#passportelementerrordatafield
Deserialize object
Parameters
• conf –
• kwargs –
4.4. Telegram 83
aiogram Documentation, Release 2.11.2
PassportElementErrorFile
class aiogram.types.passport_element_error.PassportElementErrorFile(source:
String,
type:
String,
file_hash:
String,
mes-
sage:
String)
Bases: aiogram.types.passport_element_error.PassportElementError
Represents an issue with a document scan. The error is considered resolved when the file with the document
scan changes.
https://core.telegram.org/bots/api#passportelementerrorfile
Deserialize object
Parameters
• conf –
• kwargs –
PassportElementErrorFiles
class aiogram.types.passport_element_error.PassportElementErrorFiles(source:
String,
type:
String,
file_hashes:
List[String],
mes-
sage:
String)
Bases: aiogram.types.passport_element_error.PassportElementError
Represents an issue with a list of scans. The error is considered resolved when the list of files containing the
scans changes.
https://core.telegram.org/bots/api#passportelementerrorfiles
Deserialize object
Parameters
• conf –
• kwargs –
84 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
PassportElementErrorFrontSide
class aiogram.types.passport_element_error.PassportElementErrorFrontSide(source:
String,
type:
String,
file_hash:
String,
mes-
sage:
String)
Bases: aiogram.types.passport_element_error.PassportElementError
Represents an issue with the front side of a document. The error is considered resolved when the file with the
front side of the document changes.
https://core.telegram.org/bots/api#passportelementerrorfrontside
Deserialize object
Parameters
• conf –
• kwargs –
PassportElementErrorReverseSide
class aiogram.types.passport_element_error.PassportElementErrorReverseSide(source:
String,
type:
String,
file_hash:
String,
mes-
sage:
String)
Bases: aiogram.types.passport_element_error.PassportElementError
Represents an issue with the reverse side of a document. The error is considered resolved when the file with
reverse side of the document changes.
https://core.telegram.org/bots/api#passportelementerrorreverseside
Deserialize object
Parameters
• conf –
• kwargs –
4.4. Telegram 85
aiogram Documentation, Release 2.11.2
PassportElementErrorSelfie
class aiogram.types.passport_element_error.PassportElementErrorSelfie(source:
String,
type:
String,
file_hash:
String,
mes-
sage:
String)
Bases: aiogram.types.passport_element_error.PassportElementError
Represents an issue with the selfie with a document. The error is considered resolved when the file with the
selfie changes.
https://core.telegram.org/bots/api#passportelementerrorselfie
Deserialize object
Parameters
• conf –
• kwargs –
ShippingAddress
ResponseParameters
86 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
• kwargs –
OrderInfo
GameHighScore
Sticker
4.4. Telegram 87
aiogram Documentation, Release 2.11.2
InlineQuery
88 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
Location
Animation
InputMedia
4.4. Telegram 89
aiogram Documentation, Release 2.11.2
InputMediaAnimation
InputMediaDocument
90 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
• kwargs –
InputMediaAudio
InputMediaPhoto
4.4. Telegram 91
aiogram Documentation, Release 2.11.2
InputMediaVideo
MediaGroup
92 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
InlineQueryResult
class aiogram.types.inline_query_result.InlineQueryResult(**kwargs)
Bases: aiogram.types.base.TelegramObject
This object represents one result of an inline query.
Telegram clients currently support results of the following 20 types
https://core.telegram.org/bots/api#inlinequeryresult
Deserialize object
Parameters
• conf –
• kwargs –
4.4. Telegram 93
aiogram Documentation, Release 2.11.2
InlineQueryResultArticle
94 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
InlineQueryResultPhoto
4.4. Telegram 95
aiogram Documentation, Release 2.11.2
InlineQueryResultGif
96 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
InlineQueryResultMpeg4Gif
4.4. Telegram 97
aiogram Documentation, Release 2.11.2
• conf –
• kwargs –
InlineQueryResultVideo
98 Chapter 4. Contents
aiogram Documentation, Release 2.11.2
If an InlineQueryResultVideo message contains an embedded video (e.g., YouTube), you must replace its con-
tent using input_message_content.
https://core.telegram.org/bots/api#inlinequeryresultvideo
Deserialize object
Parameters
• conf –
• kwargs –
InlineQueryResultAudio
4.4. Telegram 99
aiogram Documentation, Release 2.11.2
• kwargs –
InlineQueryResultVoice
InlineQueryResultDocument
put_message_content to send a message with the specified content instead of the file. Currently, only .PDF
and .ZIP files can be sent using this method.
Note: This will only work in Telegram versions released after 9 April, 2016. Older clients will ignore them.
https://core.telegram.org/bots/api#inlinequeryresultdocument
Deserialize object
Parameters
• conf –
• kwargs –
InlineQueryResultLocation
Parameters
• conf –
• kwargs –
InlineQueryResultVenue
Note: This will only work in Telegram versions released after 9 April, 2016. Older clients will ignore them.
https://core.telegram.org/bots/api#inlinequeryresultvenue
Deserialize object
Parameters
• conf –
• kwargs –
InlineQueryResultContact
Deserialize object
Parameters
• conf –
• kwargs –
InlineQueryResultGame
InlineQueryResultCachedPhoto
Deserialize object
Parameters
• conf –
• kwargs –
InlineQueryResultCachedGif
InlineQueryResultCachedMpeg4Gif
class aiogram.types.inline_query_result.InlineQueryResultCachedMpeg4Gif(*,
id:
String,
mpeg4_file_id:
String,
ti-
tle:
Op-
tional[String]
=
None,
cap-
tion:
Op-
tional[String]
=
None,
parse_mode:
Op-
tional[String]
=
None,
cap-
tion_entities:
Op-
tional[List[aiogram.types.m
=
None,
re-
ply_markup:
Op-
tional[aiogram.types.inline_
=
None,
in-
put_message_content:
Op-
tional[aiogram.types.input_
=
None)
Bases: aiogram.types.inline_query_result.InlineQueryResult
Represents a link to a video animation (H.264/MPEG-4 AVC video without sound) stored on the Telegram
servers.
By default, this animated MPEG-4 file will be sent by the user with an optional caption. Alternatively, you can
use input_message_content to send a message with the specified content instead of the animation.
https://core.telegram.org/bots/api#inlinequeryresultcachedmpeg4gif
Deserialize object
Parameters
• conf –
• kwargs –
InlineQueryResultCachedSticker
class aiogram.types.inline_query_result.InlineQueryResultCachedSticker(*,
id:
String,
sticker_file_id:
String,
re-
ply_markup:
Op-
tional[aiogram.types.inline_k
=
None,
in-
put_message_content:
Op-
tional[aiogram.types.input_m
=
None)
Bases: aiogram.types.inline_query_result.InlineQueryResult
Represents a link to a sticker stored on the Telegram servers.
By default, this sticker will be sent by the user. Alternatively, you can use input_message_content to send a
message with the specified content instead of the sticker.
Note: This will only work in Telegram versions released after 9 April, 2016. Older clients will ignore them.
https://core.telegram.org/bots/api#inlinequeryresultcachedsticker
Deserialize object
Parameters
• conf –
• kwargs –
InlineQueryResultCachedDocument
class aiogram.types.inline_query_result.InlineQueryResultCachedDocument(*,
id:
String,
ti-
tle:
String,
doc-
u-
ment_file_id:
String,
de-
scrip-
tion:
Op-
tional[String]
=
None,
cap-
tion:
Op-
tional[String]
=
None,
parse_mode:
Op-
tional[String]
=
None,
cap-
tion_entities:
Op-
tional[List[aiogram.types.m
=
None,
re-
ply_markup:
Op-
tional[aiogram.types.inline_
=
None,
in-
put_message_content:
Op-
tional[aiogram.types.input_
=
None)
Bases: aiogram.types.inline_query_result.InlineQueryResult
Represents a link to a file stored on the Telegram servers. By default, this file will be sent by the user with an
optional caption. Alternatively, you can use input_message_content to send a message with the specified content
instead of the file.
Note: This will only work in Telegram versions released after 9 April, 2016. Older clients will ignore them.
https://core.telegram.org/bots/api#inlinequeryresultcacheddocument
Deserialize object
Parameters
• conf –
• kwargs –
InlineQueryResultCachedVideo
InlineQueryResultCachedVoice
By default, this voice message will be sent by the user. Alternatively, you can use input_message_content to
send a message with the specified content instead of the voice message.
Note: This will only work in Telegram versions released after 9 April, 2016. Older clients will ignore them.
https://core.telegram.org/bots/api#inlinequeryresultcachedvoice
Deserialize object
Parameters
• conf –
• kwargs –
InlineQueryResultCachedAudio
Note: This will only work in Telegram versions released after 9 April, 2016. Older clients will ignore them.
https://core.telegram.org/bots/api#inlinequeryresultcachedaudio
Deserialize object
Parameters
• conf –
• kwargs –
InputFile
to_python()
Get object as JSON serializable
Returns
classmethod to_object(data)
Deserialize object
Parameters data –
Returns
PreCheckoutQuery
Voice
InputMessageContent
InputContactMessageContent
class aiogram.types.input_message_content.InputContactMessageContent(phone_number:
String,
first_name:
Op-
tional[String]
=
None,
last_name:
Op-
tional[String]
=
None)
Bases: aiogram.types.input_message_content.InputMessageContent
Represents the content of a contact message to be sent as the result of an inline query.
Note: This will only work in Telegram versions released after 9 April, 2016. Older clients will ignore them.
https://core.telegram.org/bots/api#inputcontactmessagecontent
Deserialize object
Parameters
• conf –
• kwargs –
InputLocationMessageContent
class aiogram.types.input_message_content.InputLocationMessageContent(latitude:
Float,
longi-
tude:
Float,
hori-
zon-
tal_accuracy:
Op-
tional[Float]
=
None,
live_period:
Op-
tional[Integer]
=
None,
head-
ing:
Op-
tional[Integer]
=
None,
prox-
im-
ity_alert_radius:
Op-
tional[Integer]
=
None)
Bases: aiogram.types.input_message_content.InputMessageContent
Represents the content of a location message to be sent as the result of an inline query.
https://core.telegram.org/bots/api#inputlocationmessagecontent
Deserialize object
Parameters
• conf –
• kwargs –
InputTextMessageContent
class aiogram.types.input_message_content.InputTextMessageContent(message_text:
Op-
tional[String]
= None,
parse_mode:
Op-
tional[String]
= None,
cap-
tion_entities:
Op-
tional[List[aiogram.types.message_e
= None,
dis-
able_web_page_preview:
Op-
tional[Boolean]
= None)
Bases: aiogram.types.input_message_content.InputMessageContent
Represents the content of a text message to be sent as the result of an inline query.
https://core.telegram.org/bots/api#inputtextmessagecontent
Deserialize object
Parameters
• conf –
• kwargs –
InputVenueMessageContent
class aiogram.types.input_message_content.InputVenueMessageContent(latitude:
Op-
tional[Float]
= None,
longi-
tude: Op-
tional[Float]
= None,
title: Op-
tional[String]
= None,
address:
Op-
tional[String]
= None,
foursquare_id:
Op-
tional[String]
= None,
foursquare_type:
Op-
tional[String]
= None,
google_place_id:
Op-
tional[String]
= None,
google_place_type:
Op-
tional[String]
= None)
Bases: aiogram.types.input_message_content.InputMessageContent
Represents the content of a venue message to be sent as the result of an inline query.
Note: This will only work in Telegram versions released after 9 April, 2016. Older clients will ignore them.
https://core.telegram.org/bots/api#inputvenuemessagecontent
Deserialize object
Parameters
• conf –
• kwargs –
Update
AllowedUpdates
class aiogram.types.update.AllowedUpdates
Bases: aiogram.utils.helper.Helper
Helper for allowed_updates parameter in getUpdates and setWebhook methods.
You can use &, + or | operators for make combination of allowed updates.
Example:
PhotoSize
Venue
ChosenInlineResult
VideoNote
WebhookInfo
PassportFile
ChatMember
ChatMemberStatus
class aiogram.types.chat_member.ChatMemberStatus
Bases: aiogram.utils.helper.Helper
Chat member status
ShippingOption
ChatPhoto
Contact
Message
Returns bool
get_full_command() → Optional[Tuple[str, str]]
Split command and args
Returns tuple of (command, args)
get_command(pure=False) → Optional[str]
Get command from message
Returns
get_args() → Optional[str]
Get arguments
Returns
parse_entities(as_html=True) → str
Text or caption formatted as HTML or Markdown.
Returns str
property md_text
Text or caption formatted as markdown.
Returns str
property html_text
Text or caption formatted as HTML
Returns str
property url
Get URL for the message
Returns str
link(text, as_html=True) → str
Generate URL for using in text messages with HTML or MD parse mode
Parameters
• text – link label
• as_html – generate as HTML
Returns str
async answer(text: String, parse_mode: Optional[String] = None, enti-
ties: Optional[List[aiogram.types.message_entity.MessageEntity]]
= None, disable_web_page_preview: Optional[Boolean] =
None, disable_notification: Optional[Boolean] = None, al-
low_sending_without_reply: Optional[Boolean] = None, reply_markup:
Optional[Union[aiogram.types.inline_keyboard.InlineKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardRemove,
aiogram.types.force_reply.ForceReply]] = None, reply: Boolean = False) →
aiogram.types.message.Message
Answer to this message
Parameters
• text (base.String) – Text of the message to be sent
• allow_sending_without_reply (typing.Optional[base.Boolean]) –
Pass True, if the message should be sent even if the specified replied-to message is not
found
• reply_markup (typing.Union[types.InlineKeyboardMarkup,
types.ReplyKeyboardMarkup, types.ReplyKeyboardRemove,
types.ForceReply, None]) – Additional interface options. A JSON-serialized
object for an inline keyboard, custom reply keyboard, instructions to remove reply
keyboard or to force a reply from the user
• reply (base.Boolean) – fill ‘reply_to_message_id’
Returns On success, the sent Message is returned
Return type types.Message
async answer_audio(audio: Union[InputFile, String], caption: Optional[String] = None,
parse_mode: Optional[String] = None, caption_entities: Op-
tional[List[aiogram.types.message_entity.MessageEntity]] = None,
duration: Optional[Integer] = None, performer: Optional[String] =
None, title: Optional[String] = None, thumb: Optional[Union[InputFile,
String]] = None, disable_notification: Optional[Boolean] = None, al-
low_sending_without_reply: Optional[Boolean] = None, reply_markup:
Optional[Union[aiogram.types.inline_keyboard.InlineKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardRemove,
aiogram.types.force_reply.ForceReply]] = None, reply: Boolean = False)
→ aiogram.types.message.Message
Use this method to send audio files, if you want Telegram clients to display them in the music player. Your
audio must be in the .mp3 format.
For sending voice messages, use the sendVoice method instead.
Source: https://core.telegram.org/bots/api#sendaudio
Parameters
• audio (typing.Union[base.InputFile, base.String]) – Audio file to
send.
• caption (typing.Optional[base.String]) – Audio caption, 0-200 characters
• parse_mode (typing.Optional[base.String]) – Send Markdown or HTML,
if you want Telegram apps to show bold, italic, fixed-width text or inline URLs in your
bot’s message.
• caption_entities (typing.Optional[typing.
List[MessageEntity]]) – List of special entities that appear in message text,
which can be specified instead of parse_mode
• duration (typing.Optional[base.Integer]) – Duration of the audio in sec-
onds
• performer (typing.Optional[base.String]) – Performer
• title (typing.Optional[base.String]) – Track name
• thumb (typing.Union[typing.Union[base.InputFile, base.
String], None]) – Thumbnail of the file sent. The thumbnail should be in
JPEG format and less than 200 kB in size. A thumbnail‘s width and height should not
exceed 320.
• caption_entities (typing.Optional[typing.
List[MessageEntity]]) – List of special entities that appear in message text,
which can be specified instead of parse_mode
• disable_notification (typing.Optional[base.Boolean]) – Sends the
message silently. Users will receive a notification with no sound
• allow_sending_without_reply (typing.Optional[base.Boolean]) –
Pass True, if the message should be sent even if the specified replied-to message is not
found
• reply_markup (typing.Union[types.InlineKeyboardMarkup,
types.ReplyKeyboardMarkup, types.ReplyKeyboardRemove,
types.ForceReply], None]) – Additional interface options. A JSON-serialized
object for an inline keyboard, custom reply keyboard, instructions to remove reply
keyboard or to force a reply from the user
• reply (typing.Optional[base.Boolean]) – True if the message is a reply
Returns On success, the sent Message is returned
Return type types.Message
async answer_video(video: Union[InputFile, String], duration: Optional[Integer] = None,
width: Optional[Integer] = None, height: Optional[Integer] = None,
thumb: Optional[Union[InputFile, String]] = None, caption: Op-
tional[String] = None, parse_mode: Optional[String] = None, cap-
tion_entities: Optional[List[aiogram.types.message_entity.MessageEntity]]
= None, supports_streaming: Optional[Boolean] = None,
disable_notification: Optional[Boolean] = None, al-
low_sending_without_reply: Optional[Boolean] = None, reply_markup:
Optional[Union[aiogram.types.inline_keyboard.InlineKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardRemove,
aiogram.types.force_reply.ForceReply]] = None, reply: Boolean = False)
→ aiogram.types.message.Message
Use this method to send video files, Telegram clients support mp4 videos (other formats may be sent as
Document).
Source: https://core.telegram.org/bots/api#sendvideo
Parameters
• video (typing.Union[base.InputFile, base.String]) – Video to send.
• duration (typing.Optional[base.Integer]) – Duration of sent video in sec-
onds
• width (typing.Optional[base.Integer]) – Video width
• height (typing.Optional[base.Integer]) – Video height
• thumb (typing.Union[base.InputFile, base.String, None]) –
Thumbnail of the file sent. The thumbnail should be in JPEG format and less than 200 kB
in size. A thumbnail‘s width and height should not exceed 320.
• caption (typing.Optional[base.String]) – Video caption (may also be used
when resending videos by file_id), 0-200 characters
• parse_mode (typing.Optional[base.String]) – Send Markdown or HTML,
if you want Telegram apps to show bold, italic, fixed-width text or inline URLs in the
media caption
• caption_entities (typing.Optional[typing.
List[MessageEntity]]) – List of special entities that appear in message text,
which can be specified instead of parse_mode
• supports_streaming (typing.Optional[base.Boolean]) – Pass True, if
the uploaded video is suitable for streaming
• disable_notification (typing.Optional[base.Boolean]) – Sends the
message silently. Users will receive a notification with no sound.
• allow_sending_without_reply (typing.Optional[base.Boolean]) –
Pass True, if the message should be sent even if the specified replied-to message is not
found
• reply_markup (typing.Union[types.InlineKeyboardMarkup,
types.ReplyKeyboardMarkup, types.ReplyKeyboardRemove,
types.ForceReply, None]) – Additional interface options. A JSON-serialized
object for an inline keyboard, custom reply keyboard, instructions to remove reply
keyboard or to force a reply from the user
• reply (base.Boolean) – fill ‘reply_to_message_id’
Returns On success, the sent Message is returned.
Return type types.Message
async answer_voice(voice: Union[InputFile, String], caption: Optional[String] =
None, parse_mode: Optional[String] = None, caption_entities:
Optional[List[aiogram.types.message_entity.MessageEntity]] =
None, duration: Optional[Integer] = None, disable_notification:
Optional[Boolean] = None, allow_sending_without_reply:
Optional[Boolean] = None, reply_markup: Op-
tional[Union[aiogram.types.inline_keyboard.InlineKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardRemove,
aiogram.types.force_reply.ForceReply]] = None, reply: Boolean = False)
→ aiogram.types.message.Message
Use this method to send audio files, if you want Telegram clients to display the file as a playable voice
message.
For this to work, your audio must be in an .ogg file encoded with OPUS (other formats may be sent as
Audio or Document).
Source: https://core.telegram.org/bots/api#sendvoice
Parameters
• voice (typing.Union[base.InputFile, base.String]) – Audio file to
send.
• caption (typing.Optional[base.String]) – Voice message caption, 0-200
characters
• parse_mode (typing.Optional[base.String]) – Send Markdown or HTML,
if you want Telegram apps to show bold, italic, fixed-width text or inline URLs in the
media caption
• caption_entities (typing.Optional[typing.
List[MessageEntity]]) – List of special entities that appear in message text,
which can be specified instead of parse_mode
object for an inline keyboard, custom reply keyboard, instructions to remove reply
keyboard or to force a reply from the user
• reply (base.Boolean) – fill ‘reply_to_message_id’
Returns On success, the sent Message is returned.
Return type types.Message
async answer_media_group(media: Union[aiogram.types.input_media.MediaGroup,
List], disable_notification: Optional[Boolean] = None, al-
low_sending_without_reply: Optional[Boolean] = None, reply:
Boolean = False) → List[aiogram.types.message.Message]
Use this method to send a group of photos, videos, documents or audios as an album. Documents and audio
files can be only group in an album with messages of the same type. On success, an array of Messages that
were sent is returned.
Source: https://core.telegram.org/bots/api#sendmediagroup
Parameters
• media (typing.Union[types.MediaGroup, typing.List]) – A JSON-
serialized array describing photos and videos to be sent
• disable_notification (typing.Optional[base.Boolean]) – Sends the
message silently. Users will receive a notification with no sound.
• allow_sending_without_reply (typing.Optional[base.Boolean]) –
Pass True, if the message should be sent even if the specified replied-to message is not
found
• reply (base.Boolean) – fill ‘reply_to_message_id’
Returns On success, an array of the sent Messages is returned.
Return type typing.List[types.Message]
async answer_location(latitude: Float, longitude: Float, live_period: Op-
tional[Integer] = None, disable_notification: Op-
tional[Boolean] = None, allow_sending_without_reply:
Optional[Boolean] = None, reply_markup: Op-
tional[Union[aiogram.types.inline_keyboard.InlineKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardRemove,
aiogram.types.force_reply.ForceReply]] = None, reply: Boolean =
False) → aiogram.types.message.Message
Use this method to send point on the map.
Source: https://core.telegram.org/bots/api#sendlocation
Parameters
• latitude (base.Float) – Latitude of the location
• longitude (base.Float) – Longitude of the location
• live_period (typing.Optional[base.Integer]) – Period in seconds for
which the location will be updated
• disable_notification (typing.Optional[base.Boolean]) – Sends the
message silently. Users will receive a notification with no sound.
• allow_sending_without_reply (typing.Optional[base.Boolean]) –
Pass True, if the message should be sent even if the specified replied-to message is not
found
• reply_markup (typing.Union[types.InlineKeyboardMarkup,
types.ReplyKeyboardMarkup, types.ReplyKeyboardRemove,
types.ForceReply, None]) – Additional interface options. A JSON-serialized
object for an inline keyboard, custom reply keyboard, instructions to remove reply
keyboard or to force a reply from the user
• reply (base.Boolean) – fill ‘reply_to_message_id’
Returns On success, the sent Message is returned.
Return type types.Message
async answer_venue(latitude: Float, longitude: Float, title: String, address: String,
foursquare_id: Optional[String] = None, foursquare_type: Optional[String]
= None, google_place_id: Optional[String] = None, google_place_type:
Optional[String] = None, disable_notification: Optional[Boolean] = None,
allow_sending_without_reply: Optional[Boolean] = None, reply_markup:
Optional[Union[aiogram.types.inline_keyboard.InlineKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardRemove,
aiogram.types.force_reply.ForceReply]] = None, reply: Boolean = False)
→ aiogram.types.message.Message
Use this method to send information about a venue.
Source: https://core.telegram.org/bots/api#sendvenue
Parameters
• latitude (base.Float) – Latitude of the venue
• longitude (base.Float) – Longitude of the venue
• title (base.String) – Name of the venue
• address (base.String) – Address of the venue
• foursquare_id (typing.Optional[base.String]) – Foursquare identifier of
the venue
• foursquare_type (typing.Optional[base.String]) – Foursquare type of
the venue, if known
• google_place_id (typing.Optional[base.String]) – Google Places iden-
tifier of the venue
• google_place_type (typing.Optional[base.String]) – Google Places
type of the venue. See supported types: https://developers.google.com/places/
web-service/supported_types
• disable_notification (typing.Optional[base.Boolean]) – Sends the
message silently. Users will receive a notification with no sound
• allow_sending_without_reply (typing.Optional[base.Boolean]) –
Pass True, if the message should be sent even if the specified replied-to message is not
found
• reply_markup (typing.Union[types.InlineKeyboardMarkup,
types.ReplyKeyboardMarkup, types.ReplyKeyboardRemove,
types.ForceReply, None]) – Additional interface options. A JSON-serialized
object for an inline keyboard, custom reply keyboard, instructions to remove reply
keyboard or to force a reply from the user
• reply (base.Boolean) – fill ‘reply_to_message_id’
Returns On success, the sent Message is returned.
Return type types.Message
async answer_contact(phone_number: String, first_name: String, last_name: Optional[String]
= None, disable_notification: Optional[Boolean] = None, al-
low_sending_without_reply: Optional[Boolean] = None, reply_markup:
Optional[Union[aiogram.types.inline_keyboard.InlineKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardRemove,
aiogram.types.force_reply.ForceReply]] = None, reply: Boolean =
False) → aiogram.types.message.Message
Use this method to send phone contacts.
Source: https://core.telegram.org/bots/api#sendcontact
Parameters
• phone_number (base.String) – Contact’s phone number
• first_name (base.String) – Contact’s first name
• last_name (typing.Optional[base.String]) – Contact’s last name
• disable_notification (typing.Optional[base.Boolean]) – Sends the
message silently. Users will receive a notification with no sound.
• allow_sending_without_reply (typing.Optional[base.Boolean]) –
Pass True, if the message should be sent even if the specified replied-to message is not
found
• reply_markup (typing.Union[types.InlineKeyboardMarkup,
types.ReplyKeyboardMarkup, types.ReplyKeyboardRemove,
types.ForceReply, None]) – Additional interface options. A JSON-serialized
object for an inline keyboard, custom reply keyboard, instructions to remove reply
keyboard or to force a reply from the user
• reply (base.Boolean) – fill ‘reply_to_message_id’
Returns On success, the sent Message is returned.
Return type types.Message
async answer_sticker(sticker: Union[InputFile, String], disable_notification: Op-
tional[Boolean] = None, allow_sending_without_reply:
Optional[Boolean] = None, reply_markup: Op-
tional[Union[aiogram.types.inline_keyboard.InlineKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardRemove,
aiogram.types.force_reply.ForceReply]] = None, reply: Boolean =
False) → aiogram.types.message.Message
Use this method to send .webp stickers.
Source: https://core.telegram.org/bots/api#sendsticker
Parameters
• sticker (typing.Union[base.InputFile, base.String]) – Sticker to
send.
• reply_markup (typing.Union[types.InlineKeyboardMarkup,
types.ReplyKeyboardMarkup, types.ReplyKeyboardRemove,
types.ForceReply, None]) – Additional interface options. A JSON-serialized
object for an inline keyboard, custom reply keyboard, instructions to remove reply
keyboard or to force a reply from the user
• reply (base.Boolean) – fill ‘reply_to_message_id’
Returns On success, the sent Message is returned.
Return type types.Message
async reply(text: String, parse_mode: Optional[String] = None, entities: Op-
tional[List[aiogram.types.message_entity.MessageEntity]] = None, dis-
able_web_page_preview: Optional[Boolean] = None, disable_notification: Op-
tional[Boolean] = None, allow_sending_without_reply: Optional[Boolean] = None, re-
ply_markup: Optional[Union[aiogram.types.inline_keyboard.InlineKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardRemove,
aiogram.types.force_reply.ForceReply]] = None, reply: Boolean = True) →
aiogram.types.message.Message
Reply to this message
Parameters
• text (base.String) – Text of the message to be sent
• parse_mode (typing.Optional[base.String]) – Send Markdown or HTML,
if you want Telegram apps to show bold, italic, fixed-width text or inline URLs in your
bot’s message.
• entities (typing.Optional[typing.List[MessageEntity]]) – List of
special entities that appear in message text, which can be specified instead of parse_mode
• disable_web_page_preview (typing.Optional[base.Boolean]) – Dis-
ables link previews for links in this message
• disable_notification (typing.Optional[base.Boolean]) – Sends the
message silently. Users will receive a notification with no sound
• allow_sending_without_reply (typing.Optional[base.Boolean]) –
Pass True, if the message should be sent even if the specified replied-to message is not
found
• reply_markup (typing.Union[types.InlineKeyboardMarkup,
types.ReplyKeyboardMarkup, types.ReplyKeyboardRemove,
types.ForceReply, None]) – Additional interface options. A JSON-serialized
object for an inline keyboard, custom reply keyboard, instructions to remove reply
keyboard or to force a reply from the user
• reply (base.Boolean) – fill ‘reply_to_message_id’
Returns On success, the sent Message is returned
Return type types.Message
face options. A JSON-serialized object for an inline keyboard, custom reply keyboard,
instructions to remove reply keyboard or to force a reply from the user
• reply (base.Boolean) – fill ‘reply_to_message_id’
Returns On success, the sent Message is returned
Return type types.Message
async reply_document(document: Union[InputFile, String], thumb: Optional[Union[InputFile,
String]] = None, caption: Optional[String] = None,
parse_mode: Optional[String] = None, caption_entities: Op-
tional[List[aiogram.types.message_entity.MessageEntity]] =
None, disable_content_type_detection: Optional[Boolean] =
None, disable_notification: Optional[Boolean] = None, al-
low_sending_without_reply: Optional[Boolean] = None, reply_markup:
Optional[Union[aiogram.types.inline_keyboard.InlineKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardRemove,
aiogram.types.force_reply.ForceReply]] = None, reply: Boolean =
True) → aiogram.types.message.Message
Use this method to send general files. On success, the sent Message is returned. Bots can currently send
files of any type of up to 50 MB in size, this limit may be changed in the future.
Source: https://core.telegram.org/bots/api#senddocument
Parameters
• document (typing.Union[base.InputFile, base.String]) – File to send
• thumb (typing.Union[base.InputFile, base.String, None]) –
Thumbnail of the file sent
• caption (typing.Optional[base.String]) – Document caption (may also be
used when resending documents by file_id), 0-1024 characters
• disable_content_type_detection (typing.Optional[base.
Boolean]) – Disables automatic server-side content type detection for files uploaded
using multipart/form-data
• parse_mode (typing.Optional[base.String]) – Send Markdown or HTML,
if you want Telegram apps to show bold, italic, fixed-width text or inline URLs in your
bot’s message.
• caption_entities (typing.Optional[typing.
List[MessageEntity]]) – List of special entities that appear in message text,
which can be specified instead of parse_mode
• disable_notification (typing.Optional[base.Boolean]) – Sends the
message silently. Users will receive a notification with no sound
• allow_sending_without_reply (typing.Optional[base.Boolean]) –
Pass True, if the message should be sent even if the specified replied-to message is not
found
• reply_markup (typing.Union[types.InlineKeyboardMarkup,
types.ReplyKeyboardMarkup, types.ReplyKeyboardRemove,
types.ForceReply], None]) – Additional interface options. A JSON-serialized
object for an inline keyboard, custom reply keyboard, instructions to remove reply
keyboard or to force a reply from the user
• reply (typing.Optional[base.Boolean]) – True if the message is a reply
object for an inline keyboard, custom reply keyboard, instructions to remove reply
keyboard or to force a reply from the user
• reply (base.Boolean) – fill ‘reply_to_message_id’
Returns On success, the sent Message is returned.
Return type types.Message
async reply_voice(voice: Union[InputFile, String], caption: Optional[String] = None,
parse_mode: Optional[String] = None, caption_entities: Op-
tional[List[aiogram.types.message_entity.MessageEntity]] = None, duration:
Optional[Integer] = None, disable_notification: Optional[Boolean] = None,
allow_sending_without_reply: Optional[Boolean] = None, reply_markup:
Optional[Union[aiogram.types.inline_keyboard.InlineKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardRemove,
aiogram.types.force_reply.ForceReply]] = None, reply: Boolean = True) →
aiogram.types.message.Message
Use this method to send audio files, if you want Telegram clients to display the file as a playable voice
message.
For this to work, your audio must be in an .ogg file encoded with OPUS (other formats may be sent as
Audio or Document).
Source: https://core.telegram.org/bots/api#sendvoice
Parameters
• voice (typing.Union[base.InputFile, base.String]) – Audio file to
send.
• caption (typing.Optional[base.String]) – Voice message caption, 0-200
characters
• parse_mode (typing.Optional[base.String]) – Send Markdown or HTML,
if you want Telegram apps to show bold, italic, fixed-width text or inline URLs in the
media caption
• caption_entities (typing.Optional[typing.
List[MessageEntity]]) – List of special entities that appear in message text,
which can be specified instead of parse_mode
• duration (typing.Optional[base.Integer]) – Duration of the voice mes-
sage in seconds
• disable_notification (typing.Optional[base.Boolean]) – Sends the
message silently. Users will receive a notification with no sound.
• allow_sending_without_reply (typing.Optional[base.Boolean]) –
Pass True, if the message should be sent even if the specified replied-to message is not
found
• reply_markup (typing.Union[types.InlineKeyboardMarkup,
types.ReplyKeyboardMarkup, types.ReplyKeyboardRemove,
types.ForceReply, None]) – Additional interface options. A JSON-serialized
object for an inline keyboard, custom reply keyboard, instructions to remove reply
keyboard or to force a reply from the user
• reply (base.Boolean) – fill ‘reply_to_message_id’
Returns On success, the sent Message is returned.
Source: https://core.telegram.org/bots/api#sendvenue
Parameters
• latitude (base.Float) – Latitude of the venue
• longitude (base.Float) – Longitude of the venue
• title (base.String) – Name of the venue
• address (base.String) – Address of the venue
• foursquare_id (typing.Optional[base.String]) – Foursquare identifier of
the venue
• foursquare_type (typing.Optional[base.String]) – Foursquare type of
the venue, if known
• google_place_id (typing.Optional[base.String]) – Google Places iden-
tifier of the venue
• google_place_type (typing.Optional[base.String]) – Google Places
type of the venue. See supported types: https://developers.google.com/places/
web-service/supported_types
• disable_notification (typing.Optional[base.Boolean]) – Sends the
message silently. Users will receive a notification with no sound
• allow_sending_without_reply (typing.Optional[base.Boolean]) –
Pass True, if the message should be sent even if the specified replied-to message is not
found
• reply_markup (typing.Union[types.InlineKeyboardMarkup,
types.ReplyKeyboardMarkup, types.ReplyKeyboardRemove,
types.ForceReply, None]) – Additional interface options. A JSON-serialized
object for an inline keyboard, custom reply keyboard, instructions to remove reply
keyboard or to force a reply from the user
• reply (base.Boolean) – fill ‘reply_to_message_id’
Returns On success, the sent Message is returned.
Return type types.Message
async reply_contact(phone_number: String, first_name: String, last_name: Optional[String]
= None, disable_notification: Optional[Boolean] = None, al-
low_sending_without_reply: Optional[Boolean] = None, reply_markup:
Optional[Union[aiogram.types.inline_keyboard.InlineKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardMarkup,
aiogram.types.reply_keyboard.ReplyKeyboardRemove,
aiogram.types.force_reply.ForceReply]] = None, reply: Boolean =
True) → aiogram.types.message.Message
Use this method to send phone contacts.
Source: https://core.telegram.org/bots/api#sendcontact
Parameters
• phone_number (base.String) – Contact’s phone number
• first_name (base.String) – Contact’s first name
• last_name (typing.Optional[base.String]) – Contact’s last name
Use this method to edit audio, document, photo, or video messages. If a message is a part of a message
album, then it can be edited only to a photo or a video. Otherwise, message type can be changed arbitrarily.
When inline message is edited, new file can’t be uploaded. Use previously uploaded file via its file_id or
specify a URL.
On success, if the edited message was sent by the bot, the edited Message is returned, otherwise True is
returned.
Source https://core.telegram.org/bots/api#editmessagemedia
Parameters
• media (types.InputMedia) – A JSON-serialized object for a new media content of
the message
• reply_markup (typing.Optional[types.InlineKeyboardMarkup]) – A
JSON-serialized object for a new inline keyboard
Returns On success, if the edited message was sent by the bot, the edited Message is returned,
otherwise True is returned
Return type typing.Union[types.Message, base.Boolean]
async edit_reply_markup(reply_markup: Optional[aiogram.types.inline_keyboard.InlineKeyboardMarkup]
= None) → Union[aiogram.types.message.Message, Boolean]
Use this method to edit only the reply markup of messages sent by the bot or via the bot (for inline bots).
Source: https://core.telegram.org/bots/api#editmessagereplymarkup
Parameters reply_markup (typing.Optional[types.
InlineKeyboardMarkup]) – A JSON-serialized object for an inline keyboard
Returns On success, if edited message is sent by the bot, the edited Message is returned, other-
wise True is returned.
Return type typing.Union[types.Message, base.Boolean]
async delete_reply_markup() → Union[aiogram.types.message.Message, Boolean]
Use this method to delete reply markup of messages sent by the bot or via the bot (for inline bots).
Returns On success, if edited message is sent by the bot, the edited Message is returned, other-
wise True is returned.
Return type typing.Union[types.Message, base.Boolean]
async edit_live_location(latitude: Float, longitude: Float, reply_markup: Op-
tional[aiogram.types.inline_keyboard.InlineKeyboardMarkup]
= None) → Union[aiogram.types.message.Message, Boolean]
Use this method to edit live location messages sent by the bot or via the bot (for inline bots). A location can
be edited until its live_period expires or editing is explicitly disabled by a call to stopMessageLiveLocation.
Source: https://core.telegram.org/bots/api#editmessagelivelocation
Parameters
• latitude (base.Float) – Latitude of new location
• longitude (base.Float) – Longitude of new location
• reply_markup (typing.Optional[types.InlineKeyboardMarkup]) – A
JSON-serialized object for a new inline keyboard.
Returns On success, if the edited message was sent by the bot, the edited Message is returned,
otherwise True is returned.
Return type typing.Union[types.Message, base.Boolean]
• chat_id –
• disable_notification –
• disable_web_page_preview – for text messages only
• reply_to_message_id –
• allow_sending_without_reply –
• reply_markup –
Returns
ContentType
class aiogram.types.message.ContentType
Bases: aiogram.utils.helper.Helper
List of message content types
WARNING: Single elements
Key TEXT
Key AUDIO
Key DOCUMENT
Key GAME
Key PHOTO
Key STICKER
Key VIDEO
Key VIDEO_NOTE
Key VOICE
Key CONTACT
Key LOCATION
Key VENUE
Key NEW_CHAT_MEMBERS
Key LEFT_CHAT_MEMBER
Key INVOICE
Key SUCCESSFUL_PAYMENT
Key CONNECTED_WEBSITE
Key MIGRATE_TO_CHAT_ID
Key MIGRATE_FROM_CHAT_ID
Key UNKNOWN
Key ANY
ContentTypes
class aiogram.types.message.ContentTypes
Bases: aiogram.utils.helper.Helper
List of message content types
WARNING: List elements.
Key TEXT
Key AUDIO
Key DOCUMENT
Key GAME
Key PHOTO
Key STICKER
Key VIDEO
Key VIDEO_NOTE
Key VOICE
Key CONTACT
Key LOCATION
Key VENUE
Key NEW_CHAT_MEMBERS
Key LEFT_CHAT_MEMBER
Key INVOICE
Key SUCCESSFUL_PAYMENT
Key CONNECTED_WEBSITE
Key MIGRATE_TO_CHAT_ID
Key MIGRATE_FROM_CHAT_ID
Key UNKNOWN
Key ANY
ParseMode
class aiogram.types.message.ParseMode
Bases: aiogram.utils.helper.Helper
Parse modes
Key MARKDOWN
Key HTML
MaskPosition
UserProfilePhotos
Invoice
AuthWidgetData
4.5 Dispatcher
4.5.1 Filters
Basics
Filter factory greatly simplifies the reuse of filters when registering handlers.
Filters factory
class aiogram.dispatcher.filters.FiltersFactory(dispatcher)
Bases: object
Filters factory
bind(callback: Union[Callable, aiogram.dispatcher.filters.filters.AbstractFilter], validator: Op-
tional[Callable] = None, event_handlers: Optional[List[aiogram.dispatcher.handler.Handler]]
= None, exclude_event_handlers: Optional[Iterable[aiogram.dispatcher.handler.Handler]] =
None)
Register filter
Parameters
• callback – callable or subclass of AbstractFilter
• validator – custom validator.
• event_handlers – list of instances of Handler
• exclude_event_handlers – list of excluded event handlers (Handler)
unbind(callback: Union[Callable, aiogram.dispatcher.filters.filters.AbstractFilter])
Unregister filter
Parameters callback – callable of subclass of AbstractFilter
Builtin filters
aiogram has some builtin filters. Here you can see all of them:
Command
@dp.message_handler(commands=['myCommand'])
@dp.message_handler(Command(['myCommand']))
@dp.message_handler(commands=['myCommand'], commands_prefix='!/')
Parameters
• commands – Command or list of commands always without leading slashes (prefix)
• prefixes – Allowed commands prefix. By default is slash. If you change the default
behavior pass the list of prefixes to this argument.
• ignore_case – Ignore case of the command
• ignore_mention – Ignore mention in command (By default this filter pass only the
commands addressed to current bot)
• ignore_caption – Ignore caption from message (in message types like photo, video,
audio, etc) By default is True. If you want check commands in captions, you also should set
required content_types.
Examples:
@dp.message_handler(commands=['myCommand'], commands_ignore_
˓→caption=False, content_types=ContentType.ANY)
@dp.message_handler(Command(['myCommand'], ignore_caption=False),
˓→content_types=[ContentType.TEXT, ContentType.DOCUMENT])
Parameters full_config –
Returns config or empty dict
CommandStart
@dp.message_handler(CommandStart(re.compile(r'ref-([\d]+)')))
Parameters
• deep_link – string or compiled regular expression (by re.compile(...)).
• encoded – set True if you’re waiting for encoded payload (default - False).
CommandHelp
class aiogram.dispatcher.filters.CommandHelp
Bases: aiogram.dispatcher.filters.builtin.Command
This filter based on Command filter but can handle only /help command.
Filter can be initialized from filters factory or by simply creating instance of this class.
Examples:
@dp.message_handler(commands=['myCommand'])
@dp.message_handler(Command(['myCommand']))
@dp.message_handler(commands=['myCommand'], commands_prefix='!/')
Parameters
• commands – Command or list of commands always without leading slashes (prefix)
• prefixes – Allowed commands prefix. By default is slash. If you change the default
behavior pass the list of prefixes to this argument.
• ignore_case – Ignore case of the command
• ignore_mention – Ignore mention in command (By default this filter pass only the
commands addressed to current bot)
• ignore_caption – Ignore caption from message (in message types like photo, video,
audio, etc) By default is True. If you want check commands in captions, you also should set
required content_types.
Examples:
@dp.message_handler(commands=['myCommand'], commands_ignore_
˓→caption=False, content_types=ContentType.ANY)
@dp.message_handler(Command(['myCommand'], ignore_caption=False),
˓→content_types=[ContentType.TEXT, ContentType.DOCUMENT])
CommandSettings
class aiogram.dispatcher.filters.CommandSettings
Bases: aiogram.dispatcher.filters.builtin.Command
This filter based on Command filter but can handle only /settings command.
Filter can be initialized from filters factory or by simply creating instance of this class.
Examples:
@dp.message_handler(commands=['myCommand'])
@dp.message_handler(Command(['myCommand']))
@dp.message_handler(commands=['myCommand'], commands_prefix='!/')
Parameters
• commands – Command or list of commands always without leading slashes (prefix)
• prefixes – Allowed commands prefix. By default is slash. If you change the default
behavior pass the list of prefixes to this argument.
• ignore_case – Ignore case of the command
• ignore_mention – Ignore mention in command (By default this filter pass only the
commands addressed to current bot)
• ignore_caption – Ignore caption from message (in message types like photo, video,
audio, etc) By default is True. If you want check commands in captions, you also should set
required content_types.
Examples:
@dp.message_handler(commands=['myCommand'], commands_ignore_
˓→caption=False, content_types=ContentType.ANY)
@dp.message_handler(Command(['myCommand'], ignore_caption=False),
˓→content_types=[ContentType.TEXT, ContentType.DOCUMENT])
CommandPrivacy
class aiogram.dispatcher.filters.CommandPrivacy
Bases: aiogram.dispatcher.filters.builtin.Command
This filter based on Command filter but can handle only /privacy command.
Filter can be initialized from filters factory or by simply creating instance of this class.
Examples:
@dp.message_handler(commands=['myCommand'])
@dp.message_handler(Command(['myCommand']))
@dp.message_handler(commands=['myCommand'], commands_prefix='!/')
Parameters
• commands – Command or list of commands always without leading slashes (prefix)
• prefixes – Allowed commands prefix. By default is slash. If you change the default
behavior pass the list of prefixes to this argument.
• ignore_case – Ignore case of the command
• ignore_mention – Ignore mention in command (By default this filter pass only the
commands addressed to current bot)
• ignore_caption – Ignore caption from message (in message types like photo, video,
audio, etc) By default is True. If you want check commands in captions, you also should set
required content_types.
Examples:
@dp.message_handler(commands=['myCommand'], commands_ignore_
˓→caption=False, content_types=ContentType.ANY)
@dp.message_handler(Command(['myCommand'], ignore_caption=False),
˓→content_types=[ContentType.TEXT, ContentType.DOCUMENT])
Text
HashTag
Regexp
class aiogram.dispatcher.filters.Regexp(regexp)
Bases: aiogram.dispatcher.filters.filters.Filter
Regexp filter for messages and callback query
classmethod validate(full_config: Dict[str, Any])
Here method validate is optional. If you need to use filter from filters factory you need to override this
method.
Parameters full_config – dict with arguments passed to handler registrar
Returns Current filter config
async check(obj: Union[aiogram.types.message.Message, aiogram.types.callback_query.CallbackQuery,
aiogram.types.inline_query.InlineQuery, aiogram.types.poll.Poll])
Will be called when filters checks.
This method must be overridden.
Parameters args –
Returns
RegexpCommandsFilter
class aiogram.dispatcher.filters.RegexpCommandsFilter(regexp_commands)
Bases: aiogram.dispatcher.filters.filters.BoundFilter
Check commands by regexp in message
async check(message)
Will be called when filters checks.
This method must be overridden.
Parameters args –
Returns
ContentTypeFilter
class aiogram.dispatcher.filters.ContentTypeFilter(content_types)
Bases: aiogram.dispatcher.filters.filters.BoundFilter
Check message content type
async check(message)
Will be called when filters checks.
This method must be overridden.
Parameters args –
Returns
IsSenderContact
StateFilter
ExceptionsFilter
class aiogram.dispatcher.filters.ExceptionsFilter(exception)
Bases: aiogram.dispatcher.filters.filters.BoundFilter
Filter for exceptions
async check(update, exception)
Will be called when filters checks.
This method must be overridden.
Parameters args –
Returns
IDFilter
Parameters args –
Returns
AdminFilter
IsReplyFilter
class aiogram.dispatcher.filters.IsReplyFilter(is_reply)
Bases: aiogram.dispatcher.filters.filters.BoundFilter
Check if message is replied and send reply message to handler
async check(msg: aiogram.types.message.Message)
Will be called when filters checks.
This method must be overridden.
Parameters args –
Returns
ForwardedMessageFilter
Returns
ChatTypeFilter
AbstractFilter
class aiogram.dispatcher.filters.AbstractFilter
Bases: abc.ABC
Abstract class for custom filters.
abstract classmethod validate(full_config: Dict[str, Any]) → Optional[Dict[str, Any]]
Validate and parse config.
This method will be called by the filters factory when you bind this filter. Must be overridden.
Parameters full_config – dict with arguments passed to handler registrar
Returns Current filter config
abstract async check(*args) → bool
Will be called when filters checks.
This method must be overridden.
Parameters args –
Returns
Filter
class aiogram.dispatcher.filters.Filter
Bases: aiogram.dispatcher.filters.filters.AbstractFilter
You can make subclasses of that class for custom filters.
Method check must be overridden
classmethod validate(full_config: Dict[str, Any]) → Optional[Dict[str, Any]]
Here method validate is optional. If you need to use filter from filters factory you need to override this
method.
Parameters full_config – dict with arguments passed to handler registrar
Returns Current filter config
BoundFilter
class aiogram.dispatcher.filters.BoundFilter
Bases: aiogram.dispatcher.filters.filters.Filter
To easily create your own filters with one parameter, you can inherit from this filter.
You need to implement __init__ method with single argument related with key attribute and check method
where you need to implement filter logic.
key = None
Unique name of the filter argument. You need to override this attribute.
required = False
If True this filter will be added to the all of the registered handlers
default = None
Default value for configure required filters
classmethod validate(full_config: Dict[str, Any]) → Dict[str, Any]
If cls.key is not None and that is in config returns config with that argument.
Parameters full_config –
Returns
class ChatIdFilter(BoundFilter):
key = 'chat_id'
dp.filters_factory.bind(ChatIdFilter, event_handlers=[dp.message_handlers])
Storage
Coming soon. . .
Available storage’s
Coming soon. . .
Memory storage
class aiogram.contrib.fsm_storage.memory.MemoryStorage
Bases: aiogram.dispatcher.storage.BaseStorage
In-memory based states storage.
This type of storage is not recommended for usage in bots, because you will lost all states after restarting.
Redis storage
await dp.storage.close()
await dp.storage.wait_closed()
Mongo storage
await dp.storage.close()
await dp.storage.wait_closed()
Rethink DB storage
await storage.close()
await storage.wait_closed()
Coming soon. . .
States
Coming soon. . .
State utils
Coming soon. . .
State
Coming soon. . .
States group
Coming soon. . .
4.5.3 Middleware
Bases
Coming soon. . .
Coming soon. . .
Available middleware’s
Coming soon. . .
4.5.4 Webhook
Coming soon. . .
Bases
Coming soon. . .
Security
Coming soon. . .
Coming soon. . .
4.5.5 Basics
Coming soon. . .
Coming soon. . .
Handler class
Coming soon. . .
4.5.7 Features
Coming soon. . .
Parameters
• callback –
• commands – list of commands
• regexp – REGEXP
• content_types – List of content types.
• custom_filters – list of custom filters
• kwargs –
• state –
Returns decorated function
@dp.message_handler(regexp='^[a-z]+-[0-9]+')
async def msg_handler(message: types.Message):
@dp.message_handler(filters.RegexpCommandsFilter(regexp_commands=['item_([0-
˓→9]*)']))
@dp.message_handler(content_types=ContentType.PHOTO | ContentType.DOCUMENT)
async def audio_handler(message: types.Message):
@dp.message_handler(commands=['command'], content_types=ContentType.TEXT)
async def text_handler(message: types.Message):
@dp.message_handler(commands=['command'])
@dp.message_handler(lambda message: demojize(message.text) == ':new_moon_with_
˓→face:')
This handler will be called if the message starts with ‘/command’ OR is some emoji
By default content_type is ContentType.TEXT
Parameters
• commands – list of commands
• regexp – REGEXP
• content_types – List of content types.
• custom_filters – list of custom filters
• kwargs –
• state –
• run_task – run callback in task (no wait results)
Returns decorated function
register_edited_message_handler(callback, *custom_filters, commands=None, reg-
exp=None, content_types=None, state=None,
run_task=None, **kwargs)
Register handler for edited message
Parameters
• callback –
• commands – list of commands
• regexp – REGEXP
• content_types – List of content types.
• state –
• custom_filters – list of custom filters
• run_task – run callback in task (no wait results)
• kwargs –
Returns decorated function
edited_message_handler(*custom_filters, commands=None, regexp=None, content_types=None,
state=None, run_task=None, **kwargs)
Decorator for edited message handler
You can use combination of different handlers
@dp.message_handler()
@dp.edited_message_handler()
async def msg_handler(message: types.Message):
Parameters
• commands – list of commands
• regexp – REGEXP
• content_types – List of content types.
• state –
• custom_filters – list of custom filters
Parameters
• callback –
• custom_filters – list of custom filters
• state –
• run_task – run callback in task (no wait results)
• kwargs –
Returns decorated function
Parameters
• state –
• custom_filters – list of custom filters
• run_task – run callback in task (no wait results)
• kwargs –
Returns decorated function
Parameters
• callback –
• state –
• custom_filters –
• run_task – run callback in task (no wait results)
• kwargs –
Returns
Parameters
• state –
• custom_filters –
• run_task – run callback in task (no wait results)
• kwargs –
Returns
Parameters
• callback –
• state –
• custom_filters –
• run_task – run callback in task (no wait results)
• kwargs –
Parameters
• state –
• custom_filters –
• run_task – run callback in task (no wait results)
• kwargs –
dp.register_shipping_query_handler(some_shipping_query_handler, lambda
˓→shipping_query: True)
Parameters
• callback –
• state –
• custom_filters –
• run_task – run callback in task (no wait results)
• kwargs –
Parameters
• state –
• custom_filters –
• run_task – run callback in task (no wait results)
• kwargs –
dp.register_pre_checkout_query_handler(some_pre_checkout_query_handler,
˓→lambda shipping_query: True)
Parameters
• callback –
• state –
• custom_filters –
• run_task – run callback in task (no wait results)
• kwargs –
Parameters
• state –
• custom_filters –
• run_task – run callback in task (no wait results)
• kwargs –
dp.register_poll_handler(some_poll_handler)
Parameters
• callback –
• custom_filters –
• run_task – run callback in task (no wait results)
• kwargs –
@dp.poll_handler()
async def some_poll_handler(poll: types.Poll)
Parameters
• custom_filters –
• run_task – run callback in task (no wait results)
• kwargs –
dp.register_poll_answer_handler(some_poll_answer_handler)
Parameters
• callback –
• custom_filters –
• run_task – run callback in task (no wait results)
• kwargs –
@dp.poll_answer_handler()
async def some_poll_answer_handler(poll_answer: types.PollAnswer)
Parameters
• custom_filters –
• run_task – run callback in task (no wait results)
• kwargs –
state = dp.current_state()
state.set_state('my_state')
Parameters
• chat –
• user –
Returns
async_task(func)
Execute handler as task and return None. Use this decorator for slow handlers (with timeouts)
@dp.message_handler(commands=['command'])
@dp.async_task
async def cmd_with_timeout(message: types.Message):
await asyncio.sleep(120)
return SendMessage(message.chat.id, 'KABOOM').reply(message)
Parameters func –
Returns
@dp.throttled(handler_throttled)
async def some_handler(message: types.Message):
await message.answer("Didn't throttled!")
Parameters
• on_throttled – the callable object that should be either a function or return a coroutine
• key – key in storage
• rate – limit (by default is equal to default rate limit)
• user_id – user id
• chat_id – chat id
Returns decorator
Parameters middleware –
Returns
4.6 Utils
Implementation of Telegram site authorization checking mechanism for more information https://core.telegram.org/
widgets/login#checking-authorization
Source: https://gist.github.com/JrooTJunior/887791de7273c9df5277d2b1ecadc839
aiogram.utils.auth_widget.generate_hash(data: dict, token: str) → str
Generate secret hash
Parameters
• data –
• token –
Returns
aiogram.utils.auth_widget.check_token(data: dict, token: str) → bool
Validate auth token
Parameters
• data –
• token –
Returns
aiogram.utils.auth_widget.check_signature(token: str, hash: str, **kwargs) → bool
Generate hexadecimal representation of the HMAC-SHA-256 signature of the data-check-string with the
SHA256 hash of the bot’s token used as a secret key
Parameters
• token –
• hash –
• kwargs – all params received on auth
Returns
aiogram.utils.auth_widget.check_integrity(token: str, data: dict) → bool
Verify the authentication and the integrity of the data received on user’s auth
Parameters
• token – Bot’s token
• data – all data that came on auth
Returns
4.6.2 Executor
4.6.3 Exceptions
• TelegramAPIError
– ValidationError
– Throttled
– BadRequest
* MessageError
· MessageNotModified
· MessageToForwardNotFound
· MessageToDeleteNotFound
· MessageToPinNotFound
· MessageIdentifierNotSpecified
· MessageTextIsEmpty
· MessageCantBeEdited
· MessageCantBeDeleted
· MessageCantBeForwarded
· MessageToEditNotFound
· MessageToReplyNotFound
· ToMuchMessages
* PollError
· PollCantBeStopped
· PollHasAlreadyClosed
· PollsCantBeSentToPrivateChats
· PollSizeError
PollMustHaveMoreOptions
PollCantHaveMoreOptions
PollsOptionsLengthTooLong
PollOptionsMustBeNonEmpty
PollQuestionMustBeNonEmpty
· MessageWithPollNotFound (with MessageError)
· MessageIsNotAPoll (with MessageError)
* ObjectExpectedAsReplyMarkup
* InlineKeyboardExpected
* ChatNotFound
* ChatDescriptionIsNotModified
* InvalidQueryID
* InvalidPeerID
* InvalidHTTPUrlContent
* ButtonURLInvalid
* URLHostIsEmpty
* StartParamInvalid
* ButtonDataInvalid
* FileIsTooBig
* WrongFileIdentifier
* GroupDeactivated
* BadWebhook
· WebhookRequireHTTPS
· BadWebhookPort
· BadWebhookAddrInfo
· BadWebhookNoAddressAssociatedWithHostname
* NotFound
· MethodNotKnown
* PhotoAsInputFileRequired
* InvalidStickersSet
* NoStickerInRequest
* ChatAdminRequired
* NeedAdministratorRightsInTheChannel
* MethodNotAvailableInPrivateChats
* CantDemoteChatCreator
* CantRestrictSelf
* NotEnoughRightsToRestrict
* PhotoDimensions
* UnavailableMembers
* TypeOfFileMismatch
* WrongRemoteFileIdSpecified
* PaymentProviderInvalid
* CurrencyTotalAmountInvalid
* CantParseUrl
* UnsupportedUrlProtocol
* CantParseEntities
* ResultIdDuplicate
* MethodIsNotAvailable
– ConflictError
* TerminatedByOtherGetUpdates
* CantGetUpdates
– Unauthorized
* BotKicked
* BotBlocked
* UserDeactivated
* CantInitiateConversation
* CantTalkWithBots
– NetworkError
– RetryAfter
– MigrateToChat
– RestartingTelegram
• AIOGramWarning
– TimeoutWarning
exception aiogram.utils.exceptions.TelegramAPIError(message=None)
exception aiogram.utils.exceptions.AIOGramWarning
exception aiogram.utils.exceptions.TimeoutWarning
exception aiogram.utils.exceptions.FSMStorageWarning
exception aiogram.utils.exceptions.ValidationError(message=None)
exception aiogram.utils.exceptions.BadRequest(message=None)
exception aiogram.utils.exceptions.MessageError(message=None)
exception aiogram.utils.exceptions.MessageNotModified(message=None)
Will be raised when you try to set new text is equals to current text.
exception aiogram.utils.exceptions.MessageToForwardNotFound(message=None)
Will be raised when you try to forward very old or deleted or unknown message.
exception aiogram.utils.exceptions.MessageToDeleteNotFound(message=None)
Will be raised when you try to delete very old or deleted or unknown message.
exception aiogram.utils.exceptions.MessageToPinNotFound(message=None)
Will be raised when you try to pin deleted or unknown message.
exception aiogram.utils.exceptions.MessageToReplyNotFound(message=None)
Will be raised when you try to reply to very old or deleted or unknown message.
exception aiogram.utils.exceptions.MessageIdentifierNotSpecified(message=None)
exception aiogram.utils.exceptions.MessageTextIsEmpty(message=None)
exception aiogram.utils.exceptions.MessageCantBeEdited(message=None)
exception aiogram.utils.exceptions.MessageCantBeDeleted(message=None)
exception aiogram.utils.exceptions.MessageCantBeForwarded(message=None)
exception aiogram.utils.exceptions.MessageToEditNotFound(message=None)
exception aiogram.utils.exceptions.MessageIsTooLong(message=None)
exception aiogram.utils.exceptions.ToMuchMessages(message=None)
Will be raised when you try to send media group with more than 10 items.
exception aiogram.utils.exceptions.ObjectExpectedAsReplyMarkup(message=None)
exception aiogram.utils.exceptions.InlineKeyboardExpected(message=None)
exception aiogram.utils.exceptions.PollError(message=None)
exception aiogram.utils.exceptions.PollCantBeStopped(message=None)
exception aiogram.utils.exceptions.PollHasAlreadyBeenClosed(message=None)
exception aiogram.utils.exceptions.PollsCantBeSentToPrivateChats(message=None)
exception aiogram.utils.exceptions.PollSizeError(message=None)
exception aiogram.utils.exceptions.PollMustHaveMoreOptions(message=None)
exception aiogram.utils.exceptions.PollCantHaveMoreOptions(message=None)
exception aiogram.utils.exceptions.PollOptionsMustBeNonEmpty(message=None)
exception aiogram.utils.exceptions.PollQuestionMustBeNonEmpty(message=None)
exception aiogram.utils.exceptions.PollOptionsLengthTooLong(message=None)
exception aiogram.utils.exceptions.PollQuestionLengthTooLong(message=None)
exception aiogram.utils.exceptions.PollCanBeRequestedInPrivateChatsOnly(message=None)
exception aiogram.utils.exceptions.MessageWithPollNotFound(message=None)
Will be raised when you try to stop poll with message without poll
exception aiogram.utils.exceptions.MessageIsNotAPoll(message=None)
Will be raised when you try to stop poll with message without poll
exception aiogram.utils.exceptions.ChatNotFound(message=None)
exception aiogram.utils.exceptions.ChatIdIsEmpty(message=None)
exception aiogram.utils.exceptions.InvalidUserId(message=None)
exception aiogram.utils.exceptions.ChatDescriptionIsNotModified(message=None)
exception aiogram.utils.exceptions.InvalidQueryID(message=None)
exception aiogram.utils.exceptions.InvalidPeerID(message=None)
exception aiogram.utils.exceptions.InvalidHTTPUrlContent(message=None)
exception aiogram.utils.exceptions.ButtonURLInvalid(message=None)
exception aiogram.utils.exceptions.URLHostIsEmpty(message=None)
exception aiogram.utils.exceptions.StartParamInvalid(message=None)
exception aiogram.utils.exceptions.ButtonDataInvalid(message=None)
exception aiogram.utils.exceptions.FileIsTooBig(message=None)
exception aiogram.utils.exceptions.WrongFileIdentifier(message=None)
exception aiogram.utils.exceptions.GroupDeactivated(message=None)
exception aiogram.utils.exceptions.PhotoAsInputFileRequired(message=None)
Will be raised when you try to set chat photo from file ID.
exception aiogram.utils.exceptions.InvalidStickersSet(message=None)
exception aiogram.utils.exceptions.NoStickerInRequest(message=None)
exception aiogram.utils.exceptions.ChatAdminRequired(message=None)
exception aiogram.utils.exceptions.NeedAdministratorRightsInTheChannel(message=None)
exception aiogram.utils.exceptions.NotEnoughRightsToPinMessage(message=None)
exception aiogram.utils.exceptions.MethodNotAvailableInPrivateChats(message=None)
exception aiogram.utils.exceptions.CantDemoteChatCreator(message=None)
exception aiogram.utils.exceptions.CantRestrictSelf(message=None)
exception aiogram.utils.exceptions.NotEnoughRightsToRestrict(message=None)
exception aiogram.utils.exceptions.PhotoDimensions(message=None)
exception aiogram.utils.exceptions.UnavailableMembers(message=None)
exception aiogram.utils.exceptions.TypeOfFileMismatch(message=None)
exception aiogram.utils.exceptions.WrongRemoteFileIdSpecified(message=None)
exception aiogram.utils.exceptions.PaymentProviderInvalid(message=None)
exception aiogram.utils.exceptions.CurrencyTotalAmountInvalid(message=None)
exception aiogram.utils.exceptions.BadWebhook(message=None)
exception aiogram.utils.exceptions.WebhookRequireHTTPS(message=None)
exception aiogram.utils.exceptions.BadWebhookPort(message=None)
exception aiogram.utils.exceptions.BadWebhookAddrInfo(message=None)
exception aiogram.utils.exceptions.BadWebhookNoAddressAssociatedWithHostname(message=None)
exception aiogram.utils.exceptions.CantParseUrl(message=None)
exception aiogram.utils.exceptions.UnsupportedUrlProtocol(message=None)
exception aiogram.utils.exceptions.CantParseEntities(message=None)
exception aiogram.utils.exceptions.ResultIdDuplicate(message=None)
exception aiogram.utils.exceptions.BotDomainInvalid(message=None)
exception aiogram.utils.exceptions.MethodIsNotAvailable(message=None)
exception aiogram.utils.exceptions.NotFound(message=None)
exception aiogram.utils.exceptions.MethodNotKnown(message=None)
exception aiogram.utils.exceptions.ConflictError(message=None)
exception aiogram.utils.exceptions.TerminatedByOtherGetUpdates(message=None)
exception aiogram.utils.exceptions.CantGetUpdates(message=None)
exception aiogram.utils.exceptions.Unauthorized(message=None)
exception aiogram.utils.exceptions.BotKicked(message=None)
exception aiogram.utils.exceptions.BotBlocked(message=None)
exception aiogram.utils.exceptions.UserDeactivated(message=None)
exception aiogram.utils.exceptions.CantInitiateConversation(message=None)
exception aiogram.utils.exceptions.CantTalkWithBots(message=None)
exception aiogram.utils.exceptions.NetworkError(message=None)
exception aiogram.utils.exceptions.RestartingTelegram
exception aiogram.utils.exceptions.RetryAfter(retry_after)
exception aiogram.utils.exceptions.MigrateToChat(chat_id)
exception aiogram.utils.exceptions.Throttled(**kwargs)
4.6.4 Markdown
• content –
• sep –
Returns
aiogram.utils.markdown.code(*content, sep=' ') → str
Make mono-width text (Markdown)
Parameters
• content –
• sep –
Returns
aiogram.utils.markdown.hcode(*content, sep=' ') → str
Make mono-width text (HTML)
Parameters
• content –
• sep –
Returns
aiogram.utils.markdown.pre(*content, sep='\n') → str
Make mono-width text block (Markdown)
Parameters
• content –
• sep –
Returns
aiogram.utils.markdown.hpre(*content, sep='\n') → str
Make mono-width text block (HTML)
Parameters
• content –
• sep –
Returns
aiogram.utils.markdown.underline(*content, sep=' ') → str
Make underlined text (Markdown)
Parameters
• content –
• sep –
Returns
aiogram.utils.markdown.hunderline(*content, sep=' ') → str
Make underlined text (HTML)
Parameters
• content –
• sep –
Returns
aiogram.utils.markdown.strikethrough(*content, sep=' ') → str
Make strikethrough text (Markdown)
Parameters
• content –
• sep –
Returns
aiogram.utils.markdown.hstrikethrough(*content, sep=' ') → str
Make strikethrough text (HTML)
Parameters
• content –
• sep –
Returns
aiogram.utils.markdown.link(title: str, url: str) → str
Format URL (Markdown)
Parameters
• title –
• url –
Returns
aiogram.utils.markdown.hlink(title: str, url: str) → str
Format URL (HTML)
Parameters
• title –
• url –
Returns
aiogram.utils.markdown.hide_link(url: str) → str
Hide URL (HTML only) Can be used for adding an image to a text message
Parameters url –
Returns
4.6.5 Helper
Example:
class aiogram.utils.helper.Item(value=None)
Helper item
If a value is not provided, it will be automatically generated based on a variable’s name
class aiogram.utils.helper.ListItem(value=None)
This item is always a list
You can use &, | and + operators for that.
class aiogram.utils.helper.ItemsList(*seq)
Patch for default list
This class provides +, &, |, +=, &=, |= operators for extending the list
4.6.6 Deprecated
Parameters
• old_name –
• new_name –
• until_version – the version in which the argument is scheduled to be removed
• stacklevel – leave it to default if it’s the first decorator used.
Increment with any new decorator used. :return: decorator
class aiogram.utils.deprecated.DeprecatedReadOnlyClassVar(warning_message:
str, new_value_getter:
Callable[[_OwnerCls],
_VT])
DeprecatedReadOnlyClassVar[Owner, ValueType]
Parameters
• warning_message – Warning message when getter gets called
• new_value_getter – Any callable with (owner_class: Type[Owner]) -> Value-
Type signature that will be executed
Usage example:
4.6.7 Payload
aiogram.utils.payload.generate_payload(exclude=None, **kwargs)
Generate payload
Usage: payload = generate_payload(**locals(), exclude=[‘foo’])
Parameters
• exclude –
• kwargs –
Returns dict
aiogram.utils.payload.prepare_arg(value)
Stringify dicts/lists and convert datetime/timedelta to unix-time
Parameters value –
Returns
4.6.8 Parts
4.6.9 JSON
4.6.10 Emoji
Deep linking
Telegram bots have a deep linking mechanism, that allows for passing additional parameters to the bot on startup. It
could be a command that launches the bot — or an auth token to connect the user’s Telegram account to their account
on some external service.
You can read detailed description in the source: https://core.telegram.org/bots#deep-linking
We have add some utils to get deep links more handy.
Basic link example:
4.7 Examples
Listing 1: echo_bot.py
1 """
2 This is a echo bot.
3 It echoes any incoming text messages.
4 """
5
6 import logging
7
12 # Configure logging
13 logging.basicConfig(level=logging.INFO)
14
19
20 @dp.message_handler(commands=['start', 'help'])
21 async def send_welcome(message: types.Message):
22 """
23 This handler will be called when user sends `/start` or `/help` command
24 """
25 await message.reply("Hi!\nI'm EchoBot!\nPowered by aiogram.")
26
27
28 @dp.message_handler(regexp='(^cat[s]?$|puss)')
29 async def cats(message: types.Message):
30 with open('data/cats.jpg', 'rb') as photo:
31 '''
32 # Old fashioned way:
33 await bot.send_photo(
34 message.chat.id,
35 photo,
36 caption='Cats are here ',
37 reply_to_message_id=message.message_id,
38 )
39 '''
40
43
44 @dp.message_handler()
45 async def echo(message: types.Message):
46 # old style:
47 # await bot.send_message(message.chat.id, message.text)
48
49 await message.answer(message.text)
50
52 if __name__ == '__main__':
53 executor.start_polling(dp, skip_updates=True)
Listing 2: inline_bot.py
1 import hashlib
2 import logging
3
8 API_TOKEN = 'BOT_TOKEN_HERE'
9
10 logging.basicConfig(level=logging.DEBUG)
11
12 bot = Bot(token=API_TOKEN)
13 dp = Dispatcher(bot)
14
15
16 @dp.inline_handler()
17 async def inline_echo(inline_query: InlineQuery):
18 # id affects both preview and content,
19 # so it has to be unique for each result
20 # (Unique identifier for this result, 1-64 Bytes)
21 # you can set your unique id's
22 # but for example i'll generate it based on text because I know, that
23 # only text will be passed in this example
24 text = inline_query.query or 'echo'
25 input_content = InputTextMessageContent(text)
26 result_id: str = hashlib.md5(text.encode()).hexdigest()
27 item = InlineQueryResultArticle(
28 id=result_id,
29 title=f'Result {text!r}',
30 input_message_content=input_content,
31 )
32 # don't forget to set cache_time=1 for testing (default is 300s or 5m)
33 await bot.answer_inline_query(inline_query.id, results=[item], cache_time=1)
34
35
36 if __name__ == '__main__':
37 executor.start_polling(dp, skip_updates=True)
Listing 3: advanced_executor_example.py
1 #!/usr/bin/env python3
2 """
3 **This example is outdated**
4 In this example used ArgumentParser for configuring Your bot.
5
14 Or long polling:
15 python advanced_executor_example.py --token TOKEN_HERE
16
20
21 If you want to automatic change getting updates method use executor utils (from
˓→aiogram.utils.executor)
22 """
23 # TODO: Move token to environment variables.
24
25 import argparse
26 import logging
27 import ssl
28 import sys
29
35 logging.basicConfig(level=logging.INFO)
36
48
49
53
58
62 bot = dispatcher.bot
63
67 if url:
68 # If URL is bad
69 if webhook.url != url:
70 # If URL doesnt match with by current remove webhook
71 if not webhook.url:
72 await bot.delete_webhook()
73
84
88
89 def main(arguments):
90 args = parser.parse_args(arguments)
91 token = args.token
92 sock = args.sock
93 host = args.host
94 port = args.port
95 cert = args.cert
96 pkey = args.pkey
97 host_name = args.host_name or host
98 webhook_port = args.webhook_port or port
99 webhook_path = args.webhook_path
100
121 on_shutdown=on_shutdown,
122 host=host, port=port, path=sock, ssl_context=ssl_context)
123 else:
124 start_polling(dispatcher, on_startup=on_startup, on_shutdown=on_shutdown)
125
126
134 main(argv)
Listing 4: proxy_and_emojize.py
1 import logging
2
3 import aiohttp
4
16 # NOTE: If authentication is required in your proxy then uncomment next line and
˓→change login/password for it
22 # Get my ip URL
23 GET_IP_URL = 'http://bot.whatismyipaddress.com/'
24
25 logging.basicConfig(level=logging.INFO)
26
29 # If auth is required:
30 # bot = Bot(token=API_TOKEN, proxy=PROXY_URL, proxy_auth=PROXY_AUTH)
31 dp = Dispatcher(bot)
32
33
38
39 @dp.message_handler(commands=['start'])
40 async def cmd_start(message: types.Message):
41 # fetching urls will take some time, so notify user that everything is OK
42 await types.ChatActions.typing()
43
44 content = []
45
57 # Send content
58 await bot.send_message(message.chat.id, emojize(text(*content, sep='\n')), parse_
˓→mode=ParseMode.MARKDOWN)
59
62 # For representing emoji codes into real emoji use emoji util (aiogram.utils.
˓→emoji)
67
68 if __name__ == '__main__':
69 start_polling(dp, skip_updates=True)
Listing 5: finite_state_machine_example.py
1 import logging
2
3 import aiogram.utils.markdown as md
4 from aiogram import Bot, Dispatcher, types
5 from aiogram.contrib.fsm_storage.memory import MemoryStorage
6 from aiogram.dispatcher import FSMContext
7 from aiogram.dispatcher.filters import Text
8 from aiogram.dispatcher.filters.state import State, StatesGroup
9 from aiogram.types import ParseMode
10 from aiogram.utils import executor
11
12 logging.basicConfig(level=logging.INFO)
13
16
17 bot = Bot(token=API_TOKEN)
18
23
24 # States
25 class Form(StatesGroup):
26 name = State() # Will be represented in storage as 'Form:name'
27 age = State() # Will be represented in storage as 'Form:age'
28 gender = State() # Will be represented in storage as 'Form:gender'
29
30
31 @dp.message_handler(commands='start')
32 async def cmd_start(message: types.Message):
33 """
34 Conversation's entry point
35 """
36 # Set state
37 await Form.name.set()
38
41
42 # You can use state '*' if you need to handle all states
43 @dp.message_handler(state='*', commands='cancel')
44 @dp.message_handler(Text(equals='cancel', ignore_case=True), state='*')
45 async def cancel_handler(message: types.Message, state: FSMContext):
46 """
47 Allow user to cancel any action
48 """
49 current_state = await state.get_state()
50 if current_state is None:
51 return
52
59
60 @dp.message_handler(state=Form.name)
61 async def process_name(message: types.Message, state: FSMContext):
62 """
63 Process user name
64 """
65 async with state.proxy() as data:
66 data['name'] = message.text
67
68 await Form.next()
69 await message.reply("How old are you?")
70
71
79
80
87 # Configure ReplyKeyboardMarkup
88 markup = types.ReplyKeyboardMarkup(resize_keyboard=True, selective=True)
89 markup.add("Male", "Female")
90 markup.add("Other")
91
94
101
102
103 @dp.message_handler(state=Form.gender)
104 async def process_gender(message: types.Message, state: FSMContext):
105 async with state.proxy() as data:
106 data['gender'] = message.text
107
(continues on next page)
127
Listing 6: throttling_example.py
1 """
2 Example for throttling manager.
3
7 import logging
8
15
16 API_TOKEN = 'BOT_TOKEN_HERE'
17
18 logging.basicConfig(level=logging.INFO)
19
20 bot = Bot(token=API_TOKEN)
21
27
28 @dp.message_handler(commands=['start'])
(continues on next page)
40
41 @dp.message_handler(commands=['hi'])
42 @dp.throttled(lambda msg, loop, *args, **kwargs: loop.create_task(bot.send_
˓→message(msg.from_user.id, "Throttled")),
43 rate=5)
44 # loop is added to the function to run coroutines from it
45 async def say_hi(message: types.Message):
46 await message.answer("Hi")
47
48
57
58 @dp.message_handler(commands=['hello'])
59 @dp.throttled(hello_throttled, rate=4)
60 async def say_hello(message: types.Message):
61 await message.answer("Hello!")
62
63
64 @dp.message_handler(commands=['help'])
65 @dp.throttled(rate=5)
66 # nothing will happen if the handler will be throttled
67 async def help_handler(message: types.Message):
68 await message.answer('Help!')
69
70 if __name__ == '__main__':
71 start_polling(dp, skip_updates=True)
Listing 7: i18n_example.py
1 """
2 Internationalize your bot
3
26
30 Step 5: When you change the code of your bot you need to update po & mo files.
31 Step 5.1: regenerate pot file:
32 command from step 1
33 Step 5.2: update po files
34 # pybabel update -d locales -D mybot -i locales/mybot.pot
35 Step 5.3: update your translations
36 location and tools you know from step 3
37 Step 5.4: compile mo files
38 command from step 4
39 """
40
46 TOKEN = 'BOT_TOKEN_HERE'
47 I18N_DOMAIN = 'mybot'
48
49 BASE_DIR = Path(__file__).parent
50 LOCALES_DIR = BASE_DIR / 'locales'
51
62
63 @dp.message_handler(commands='start')
64 async def cmd_start(message: types.Message):
65 # Simply use `_('message')` instead of `'message'` and never use f-strings for
˓→translatable texts.
67
68
69 @dp.message_handler(commands='lang')
70 async def cmd_lang(message: types.Message, locale):
71 # For setting custom lang you have to modify i18n middleware
72 await message.reply(_('Your current language: <i>{language}</i>').
˓→format(language=locale))
73
76
77 # Alias for gettext method, parser will understand double underscore as plural (aka
˓→ngettext)
78 __ = i18n.gettext
79
80
84
88
93
94 @dp.message_handler(commands='like')
95 async def cmd_like(message: types.Message, locale):
96 likes = increase_likes()
97
100
101
Listing 8: regexp_commands_filter_example.py
1 from aiogram import Bot, types
2 from aiogram.dispatcher import Dispatcher, filters
3 from aiogram.utils import executor
4
10 @dp.message_handler(filters.RegexpCommandsFilter(regexp_commands=['item_([0-9]*)']))
11 async def send_welcome(message: types.Message, regexp_command):
12 await message.reply(f"You have requested an item with id <code>{regexp_command.
˓→group(1)}</code>")
13
14
15 @dp.message_handler(commands='start')
16 async def create_deeplink(message: types.Message):
17 bot_user = await bot.me
18 bot_username = bot_user.username
19 deeplink = f'https://t.me/{bot_username}?start=item_12345'
20 text = (
21 f'Either send a command /item_1234 or follow this link {deeplink} and then
˓→click start\n'
27
28 if __name__ == '__main__':
29 executor.start_polling(dp, skip_updates=True)
Babel is required.
Listing 9: check_user_language.py
1 """
2 Babel is required.
3 """
4
5 import logging
6
11 logging.basicConfig(level=logging.INFO)
12
13
17
18 @dp.message_handler()
19 async def check_language(message: types.Message):
20 locale = message.from_user.locale
21
22 await message.reply(md.text(
23 md.bold('Info about your language:'),
24 md.text('', md.bold('Code:'), md.code(locale.language)),
25 md.text('', md.bold('Territory:'), md.code(locale.territory or 'Unknown')),
26 md.text('', md.bold('Language name:'), md.code(locale.language_name)),
27 md.text('', md.bold('English language name:'), md.code(locale.english_name)),
28 sep='\n',
29 ))
30
31
32 if __name__ == '__main__':
33 executor.start_polling(dp, skip_updates=True)
10 TOKEN = 'BOT_TOKEN_HERE'
11
15 bot = Bot(token=TOKEN)
16 dp = Dispatcher(bot, storage=storage)
17
18
23 :param limit:
24 :param key:
25 :return:
26 """
27
28 def decorator(func):
29 setattr(func, 'throttling_rate_limit', limit)
30 if key:
31 setattr(func, 'throttling_key', key)
(continues on next page)
34 return decorator
35
36
37 class ThrottlingMiddleware(BaseMiddleware):
38 """
39 Simple middleware
40 """
41
51 :param message:
52 """
53 # Get current handler
54 handler = current_handler.get()
55
79
80 :param message:
81 :param throttled:
82 """
83 handler = current_handler.get()
84 dispatcher = Dispatcher.get_current()
85 if handler:
86 key = getattr(handler, 'throttling_key', f"{self.prefix}_{handler.__name__
˓→ }") (continues on next page)
93 # Prevent flooding
94 if throttled.exceeded_count <= 2:
95 await message.reply('Too many requests! ')
96
97 # Sleep.
98 await asyncio.sleep(delta)
99
103 # If current message is not last with current key - do not send message
104 if thr.exceeded_count == throttled.exceeded_count:
105 await message.reply('Unlocked.')
106
107
108 @dp.message_handler(commands=['start'])
109 @rate_limit(5, 'start') # this is not required but you can configure throttling
˓→manager for current handler using it
114
10 API_TOKEN = 'BOT_TOKEN_HERE'
11
12 # webhook settings
13 WEBHOOK_HOST = 'https://your.domain'
14 WEBHOOK_PATH = '/path/to/api'
15 WEBHOOK_URL = f"{WEBHOOK_HOST}{WEBHOOK_PATH}"
(continues on next page)
17 # webserver settings
18 WEBAPP_HOST = 'localhost' # or ip
19 WEBAPP_PORT = 3001
20
21 logging.basicConfig(level=logging.INFO)
22
23 bot = Bot(token=API_TOKEN)
24 dp = Dispatcher(bot)
25 dp.middleware.setup(LoggingMiddleware())
26
27
28 @dp.message_handler()
29 async def echo(message: types.Message):
30 # Regular request
31 # await bot.send_message(message.chat.id, message.text)
32
36
41
54 logging.warning('Bye!')
55
56
57 if __name__ == '__main__':
58 start_webhook(
59 dispatcher=dp,
60 webhook_path=WEBHOOK_PATH,
61 on_startup=on_startup,
62 on_shutdown=on_shutdown,
63 skip_updates=True,
64 host=WEBAPP_HOST,
65 port=WEBAPP_PORT,
66 )
5 import asyncio
6 import ssl
7 import sys
8
11 import aiogram
12 from aiogram import Bot, types
13 from aiogram.contrib.fsm_storage.memory import MemoryStorage
14 from aiogram.dispatcher import Dispatcher
15 from aiogram.dispatcher.webhook import get_new_configured_app, SendMessage
16 from aiogram.types import ChatType, ParseMode, ContentTypes
17 from aiogram.utils.markdown import hbold, bold, text, link
18
30 WEBHOOK_URL = f"https://{WEBHOOK_HOST}:{WEBHOOK_PORT}{WEBHOOK_URL_PATH}"
31
35 WEBAPP_HOST = 'localhost'
36 WEBAPP_PORT = 3001
37
39
40 bot = Bot(TOKEN)
41 storage = MemoryStorage()
42 dp = Dispatcher(bot, storage=storage)
43
44
59 sep='\n'
60 ), parse_mode=ParseMode.MARKDOWN)
61
62
73
80
81
104 result_msg.extend([hbold('Chat:'),
105 f"Type: {chat.type}",
(continues on next page)
112 parse_mode=ParseMode.HTML)
113
114
124
125 # You are able to register one function handler for multiple conditions
126 dp.register_message_handler(cancel, commands=['cancel'], state='*')
127 dp.register_message_handler(cancel, func=lambda message: message.text.lower().
˓→strip() in ['cancel'], state='*')
128
132 message.chat.type ==
˓→ChatType.PRIVATE, state='*')
133
146
147
159
4.7.13 Payments
8 BOT_TOKEN = 'BOT_TOKEN_HERE'
9 PAYMENTS_PROVIDER_TOKEN = '123456789:TEST:1422'
10
11 bot = Bot(BOT_TOKEN)
12 dp = Dispatcher(bot)
13
14 # Setup prices
15 prices = [
16 types.LabeledPrice(label='Working Time Machine', amount=5750),
17 types.LabeledPrice(label='Gift wrapping', amount=500),
18 ]
19
24 ]
25
26
27 @dp.message_handler(commands=['start'])
(continues on next page)
34
35 @dp.message_handler(commands=['terms'])
36 async def cmd_terms(message: types.Message):
37 await bot.send_message(message.chat.id,
38 'Thank you for shopping with our demo bot. We hope you
˓→like your new time machine!\n'
47
48 @dp.message_handler(commands=['buy'])
49 async def cmd_buy(message: types.Message):
50 await bot.send_message(message.chat.id,
51 "Real cards won't work with me, no money will be debited
˓→from your account."
52 " Use this test card number to pay for your Time Machine:
˓→`4242 4242 4242 4242`"
66 prices=prices,
67 start_parameter='time-machine-example',
68 payload='HAPPY FRIDAYS COUPON')
69
70
77
84
85
86 @dp.message_handler(content_types=ContentTypes.SUCCESSFUL_PAYMENT)
87 async def got_payment(message: types.Message):
88 await bot.send_message(message.chat.id,
89 'Hoooooray! Thanks for payment! We will proceed your order
˓→for `{} {}`'
93 parse_mode='Markdown')
94
95
96 if __name__ == '__main__':
97 executor.start_polling(dp, skip_updates=True)
9 logging.basicConfig(level=logging.INFO)
10 log = logging.getLogger('broadcast')
11
15
16 def get_users():
17 """
18 Return users list
19
(continues on next page)
24
25 async def send_message(user_id: int, text: str, disable_notification: bool = False) ->
˓→ bool:
26 """
27 Safe messages sender
28
29 :param user_id:
30 :param text:
31 :param disable_notification:
32 :return:
33 """
34 try:
35 await bot.send_message(user_id, text, disable_notification=disable_
˓→notification)
36 except exceptions.BotBlocked:
37 log.error(f"Target [ID:{user_id}]: blocked by user")
38 except exceptions.ChatNotFound:
39 log.error(f"Target [ID:{user_id}]: invalid user ID")
40 except exceptions.RetryAfter as e:
41 log.error(f"Target [ID:{user_id}]: Flood limit is exceeded. Sleep {e.timeout}
˓→seconds.")
42 await asyncio.sleep(e.timeout)
43 return await send_message(user_id, text) # Recursive call
44 except exceptions.UserDeactivated:
45 log.error(f"Target [ID:{user_id}]: user is deactivated")
46 except exceptions.TelegramAPIError:
47 log.exception(f"Target [ID:{user_id}]: failed")
48 else:
49 log.info(f"Target [ID:{user_id}]: success")
50 return True
51 return False
52
53
66 finally:
67 log.info(f"{count} messages successful sent.")
68
69 return count
70
71
72 if __name__ == '__main__':
(continues on next page)
6 API_TOKEN = 'BOT_TOKEN_HERE'
7
8 bot = Bot(token=API_TOKEN)
9 dp = Dispatcher(bot)
10
11
12 @dp.message_handler(filters.CommandStart())
13 async def send_welcome(message: types.Message):
14 # So... At first I want to send something like this:
15 await message.reply("Do you want to see many pussies? Are you ready?")
16
17 # Wait a little...
18 await asyncio.sleep(1)
19
41
42 if __name__ == '__main__':
43 executor.start_polling(dp, skip_updates=True)
9 # Configure logging
10 logging.basicConfig(level=logging.INFO)
11
20
21 @dp.message_handler(content_types=ContentType.ANY)
22 async def echo(message: types.Message):
23 await message.copy_to(message.chat.id)
24
25
26 if __name__ == '__main__':
27 executor.start_polling(dp, skip_updates=True)
4.8 Contribution
TODO
4.9 Links
TODO
FIVE
• genindex
• modindex
• search
227
aiogram Documentation, Release 2.11.2
a
aiogram.bot.api, 57
aiogram.utils.auth_widget, 185
aiogram.utils.deep_linking, 199
aiogram.utils.deprecated, 197
aiogram.utils.emoji, 199
aiogram.utils.exceptions, 188
aiogram.utils.executor, 186
aiogram.utils.helper, 196
aiogram.utils.json, 199
aiogram.utils.markdown, 194
aiogram.utils.parts, 198
aiogram.utils.payload, 198
229
aiogram Documentation, Release 2.11.2
A answer() (aiogram.types.inline_query.InlineQuery
AbstractFilter (class in aiogram.dispatcher.filters), method), 88
168 answer() (aiogram.types.message.Message method),
add() (aiogram.types.inline_keyboard.InlineKeyboardMarkup 126
method), 68 answer_animation()
add() (aiogram.types.reply_keyboard.ReplyKeyboardMarkup (aiogram.types.message.Message method),
method), 72 129
add() (aiogram.types.shipping_option.ShippingOption answer_audio() (aiogram.types.message.Message
method), 124 method), 128
add_sticker_to_set() (aiogram.bot.bot.Bot answer_callback_query() (aiogram.bot.bot.Bot
method), 51 method), 45
AdminFilter (class in aiogram.dispatcher.filters), 167 answer_contact() (aiogram.types.message.Message
aiogram.bot.api method), 136
module, 57 answer_dice() (aiogram.types.message.Message
aiogram.utils.auth_widget method), 138
module, 185 answer_document()
aiogram.utils.deep_linking (aiogram.types.message.Message method),
module, 199 130
aiogram.utils.deprecated answer_inline_query() (aiogram.bot.bot.Bot
module, 197 method), 52
aiogram.utils.emoji answer_location()
module, 199 (aiogram.types.message.Message method),
aiogram.utils.exceptions 134
module, 188 answer_media_group()
aiogram.utils.executor (aiogram.types.message.Message method),
module, 186 134
aiogram.utils.helper answer_photo() (aiogram.types.message.Message
module, 196 method), 127
aiogram.utils.json answer_poll() (aiogram.types.message.Message
module, 199 method), 137
aiogram.utils.markdown answer_pre_checkout_query()
module, 194 (aiogram.bot.bot.Bot method), 55
aiogram.utils.parts answer_shipping_query() (aiogram.bot.bot.Bot
module, 198 method), 54
aiogram.utils.payload answer_sticker() (aiogram.types.message.Message
module, 198 method), 136
AIOGramWarning, 191 answer_venue() (aiogram.types.message.Message
AllowedUpdates (class in aiogram.types.update), method), 135
121 answer_video() (aiogram.types.message.Message
Animation (class in aiogram.types.animation), 89 method), 131
answer() (aiogram.types.callback_query.CallbackQuery answer_video_note()
method), 65 (aiogram.types.message.Message method),
231
aiogram Documentation, Release 2.11.2
232 Index
aiogram Documentation, Release 2.11.2
Index 233
aiogram Documentation, Release 2.11.2
234 Index
aiogram Documentation, Release 2.11.2
Index 235
aiogram Documentation, Release 2.11.2
236 Index
aiogram Documentation, Release 2.11.2
Index 237
aiogram Documentation, Release 2.11.2
238 Index
aiogram Documentation, Release 2.11.2
Index 239
aiogram Documentation, Release 2.11.2
240 Index
aiogram Documentation, Release 2.11.2
W
wait_closed() (aiogram.Dispatcher method), 174
WebhookInfo (class in aiogram.types.webhook_info),
123
WebhookRequireHTTPS, 193
WrongFileIdentifier, 192
WrongRemoteFileIdSpecified, 193
Index 241