-
Notifications
You must be signed in to change notification settings - Fork 0
Code snippets
This page can be read on its own to find the code snippet you need right now.
It is also a follow-up to the page Introduction to the API. If you come from there, you can leave your command line open and just try out a few of these snippets.
- Pure API
- General code snippets
- Advanced snippets
To fetch messages sent to your Bot, you can use the getUpdates API method.
Note: You don't have to use get_updates
if you are writing your bot with the telegram.ext
submodule, since telegram.ext.Updater
takes care of fetching all updates for you. Read more about that here.
updates = await bot.get_updates()
print([u.message.text for u in updates])
updates = await bot.get_updates()
print([u.message.photo for u in updates if u.message.photo])
You'll always need the chat_id
chat_id = (await bot.get_updates())[-1].message.chat_id
These snippets usually apply to both ways of fetching updates. If you're using telegram.ext
, you can get the chat_id
in your handler callback with update.message.chat_id
.
Note: In general, you can send messages to users by passing their user id as the chat_id
.
If the bot has a chat with the user, it will send the message to that chat.
await bot.send_message(chat_id=chat_id, text="I'm sorry Dave I'm afraid I can't do that.")
Note: send_message
method (as any of send_*
methods of Bot
class) returns the instance of Message
class, so it can be used in code later.
This is a shortcut to bot.send_message
with same defaults. Read more about it in the docs.
await update.message.reply_text("I'm sorry Dave I'm afraid I can't do that.")
Note: There are equivalents of this method for replying with photos, audio etc., and similar shortcuts exist throughout the library.
ᵀᴱᴸᴱᴳᴿᴬᴹ Use this to tell the user that something is happening on the bot's side:
await bot.send_chat_action(chat_id=chat_id, action=telegram.constants.ChatAction.TYPING)
Alternatively, if you have several commands and don't want to repeat the above code snippet inside all commands see this wiki section on how to do that.
location_keyboard = telegram.KeyboardButton(text="send_location", request_location=True)
contact_keyboard = telegram.KeyboardButton(text="send_contact", request_contact=True)
custom_keyboard = [[ location_keyboard, contact_keyboard ]]
reply_markup = telegram.ReplyKeyboardMarkup(custom_keyboard)
await bot.send_message(chat_id=chat_id,
... text="Would you mind sharing your location and contact with me?",
... reply_markup=reply_markup)
To catch the incoming message with the location/contact, use MessageHandler
with filters.LOCATION
and filters.CONTACT
, respectively.
Telegram supports some formatting options for text. All the details about what is supported can be found here. Please keep in mind that you will have to escape the special characters as detailed in the documentation. PTB also offers a helper function for escaping of Markdown text. For escaping of HTML text, you can use html.escape
from the standard library.
You can format text with every API method/type that has a parse_mode
parameter. In addition to editing your text as described in the link above, pass one of the parse modes available through telegram.constants.ParseMode
to the parse_mode
parameter. Since the 5.0
update of the Bot API (version 13.1+
of PTB), you can alternatively pass a list of telegram.MessageEntities
to the entities
parameter.
Note: In the API 4.5 update, Telegram introduced MarkdownV2, which supports nested entities and needs other escaping than v1. Markdown V1 is referred as legacy mode by the official API docs, and you should prefer MarkdownV2. Make sure to also use reply_markdown_v2
instead of reply_markdown
etc.
await bot.send_message(chat_id=chat_id,
text="*bold* _italic_ `fixed width font` [link](http://google.com)\.",
parse_mode=telegram.constants.ParseMode.MARKDOWN_V2)
await bot.send_message(chat_id=chat_id,
text='<b>bold</b> <i>italic</i> <a href="http://google.com">link</a>.',
parse_mode=telegram.constants.ParseMode.HTML)
ᵀᴱᴸᴱᴳᴿᴬᴹ
To use MessageEntity
, extract the entities and their respective text from a Message
object using parse_entities
.
Note: This method should always be used instead of the entities
attribute, since it calculates the correct substring from the message text based on UTF-16 codepoints - that is, it extracts the correct string even on when working with weird characters such as Emojis.
Consider this example which checks for presence of URLs in a message and prints them on screen.
# A dictionary that maps entity to text
entities = message.parse_entities()
for ent in entities:
txt = entities[ent]
if ent.type == ent.TEXT_LINK:
# Text with embedded URL
print(f"{txt} - {ent.url}")
elif ent.type == ent.URL:
# Plain URL
print(txt)
For more narrowed use cases like extracting only Telegram message links, you might be better using ptbcontrib/extract_urls.
This is an example how to use entities to convert Telegram formatting to BBCode. In the current version it does not support nested entities.
Define parsing function:
Click to expand
import sys
def parse_bbcode(message_text, entities, urled=False):
"""BBCode parsing function"""
if message_text is None:
return None
if not sys.maxunicode == 0xffff:
message_text = message_text.encode('utf-16-le')
bbcode_text = ''
last_offset = 0
for entity, text in sorted(entities.items(), key=(lambda item: item[0].offset)):
if entity.type == 'text_link':
insert = '[url={}]{}[/url]'.format(entity.url, text)
elif entity.type == 'mention':
insert = '[url=https://t.me/{0}]{1}[/url]'.format(text.strip('@'),text)
elif entity.type == 'url' and urled:
insert = '[url={0}]{0}[/url]'.format(text)
elif entity.type == 'bold':
insert = '[b]' + text + '[/b]'
elif entity.type == 'italic':
insert = '[i]' + text + '[/i]'
elif entity.type == 'underline':
insert = '[u]' + text + '[/u]'
elif entity.type == 'strikethrough':
insert = '[s]' + text + '[/s]'
elif entity.type == 'code':
insert = '[code]' + text + '[/code]'
elif entity.type == 'pre':
insert = '[pre]' + text + '[/pre]'
else:
insert = text
if sys.maxunicode == 0xffff:
bbcode_text += message_text[last_offset:entity.offset] + insert
else:
bbcode_text += message_text[last_offset * 2:entity.offset * 2].decode('utf-16-le') + insert
last_offset = entity.offset + entity.length
if sys.maxunicode == 0xffff:
bbcode_text += message_text[last_offset:]
else:
bbcode_text += message_text[last_offset * 2:].decode('utf-16-le')
return bbcode_text
Call it with:
entities = update.message.parse_entities()
bbcode = parse_bbcode(update.message.text, entities, urled=True)
...or for photo captions:
entities = update.message.parse_caption_entities()
bbcode = parse_bbcode(caption, entities, urled=True)
bbcode
will contain message/caption text formatted in BBCode. urled
parameter determines if URLs in text are to be processed as links or left as text.
custom_keyboard = [['top-left', 'top-right'],
['bottom-left', 'bottom-right']]
reply_markup = telegram.ReplyKeyboardMarkup(custom_keyboard)
await bot.send_message(
chat_id=chat_id,
text="Custom Keyboard Test",
reply_markup=reply_markup
)
See also: Build a menu with Buttons
reply_markup = telegram.ReplyKeyboardRemove()
await bot.send_message(
chat_id=chat_id, text="I'm back.", reply_markup=reply_markup
)
The Unicode flag emoji for any country can by definition be calculated from the countries 2 letter country code. The following snippet only works in Python 3.
OFFSET = 127462 - ord('A')
def flag(code):
code = code.upper()
return chr(ord(code[0]) + OFFSET) + chr(ord(code[1]) + OFFSET)
>>> flag('un')
'🇺🇳'
>>> flag('eu')
'🇪🇺'
The 🎰 dice can take the values 1-64. Here is a dictionary that maps each value to the unique combination of symbols that produce that value:
(Source: This Gist by @Chase22)
Click to expand
slot_machine_value = {
1: ("bar", "bar", "bar"),
2: ("grape", "bar", "bar"),
3: ("lemon", "bar", "bar"),
4: ("seven", "bar", "bar"),
5: ("bar", "grape", "bar"),
6: ("grape", "grape", "bar"),
7: ("lemon", "grape", "bar"),
8: ("seven", "grape", "bar"),
9: ("bar", "lemon", "bar"),
10: ("grape", "lemon", "bar"),
11: ("lemon", "lemon", "bar"),
12: ("seven", "lemon", "bar"),
13: ("bar", "seven", "bar"),
14: ("grape", "seven", "bar"),
15: ("lemon", "seven", "bar"),
16: ("seven", "seven", "bar"),
17: ("bar", "bar", "grape"),
18: ("grape", "bar", "grape"),
19: ("lemon", "bar", "grape"),
20: ("seven", "bar", "grape"),
21: ("bar", "grape", "grape"),
22: ("grape", "grape", "grape"),
23: ("lemon", "grape", "grape"),
24: ("seven", "grape", "grape"),
25: ("bar", "lemon", "grape"),
26: ("grape", "lemon", "grape"),
27: ("lemon", "lemon", "grape"),
28: ("seven", "lemon", "grape"),
29: ("bar", "seven", "grape"),
30: ("grape", "seven", "grape"),
31: ("lemon", "seven", "grape"),
32: ("seven", "seven", "grape"),
33: ("bar", "bar", "lemon"),
34: ("grape", "bar", "lemon"),
35: ("lemon", "bar", "lemon"),
36: ("seven", "bar", "lemon"),
37: ("bar", "grape", "lemon"),
38: ("grape", "grape", "lemon"),
39: ("lemon", "grape", "lemon"),
40: ("seven", "grape", "lemon"),
41: ("bar", "lemon", "lemon"),
42: ("grape", "lemon", "lemon"),
43: ("lemon", "lemon", "lemon"),
44: ("seven", "lemon", "lemon"),
45: ("bar", "seven", "lemon"),
46: ("grape", "seven", "lemon"),
47: ("lemon", "seven", "lemon"),
48: ("seven", "seven", "lemon"),
49: ("bar", "bar", "seven"),
50: ("grape", "bar", "seven"),
51: ("lemon", "bar", "seven"),
52: ("seven", "bar", "seven"),
53: ("bar", "grape", "seven"),
54: ("grape", "grape", "seven"),
55: ("lemon", "grape", "seven"),
56: ("seven", "grape", "seven"),
57: ("bar", "lemon", "seven"),
58: ("grape", "lemon", "seven"),
59: ("lemon", "lemon", "seven"),
60: ("seven", "lemon", "seven"),
61: ("bar", "seven", "seven"),
62: ("grape", "seven", "seven"),
63: ("lemon", "seven", "seven"),
64: ("seven", "seven", "seven"),
}
import asyncio
from telegram import Update
from telegram.ext import ContextTypes
async def add_group(update: Update, context: ContextTypes.DEFAULT_TYPE):
await asyncio.gather(
update.message.reply_text(f"{member.full_name} just joined the group")
for member in update.message.new_chat_members
)
add_group_handle = MessageHandler(filters.StatusUpdate.NEW_CHAT_MEMBERS, add_group)
application.add_handler(add_group_handle)
Note that service messages about non-bot users joining the chat are removed from large groups. You can get the new members message by following the chatmemberbot.py example.
If you're using MessageHandlers
and do not want them to respond to the channel posts automatically forwarded to the discussion group linked to your channel, you can use this filter in your MessageHandler
(requires PTB v13.9+):
~ filters.IS_AUTOMATIC_FORWARD
If you're using MessageHandlers
and do not want them to respond to messages from anonymous admins, you can use this filter in your MessageHandler
:
~ filters.SenderChat.SUPER_GROUP
This decorator allows you to register a function as a command handler in a Flask like manner.
def command_handler(command):
def decorator(func):
handler = CommandHandler(command, func)
application.add_handler(handler)
return func
return decorator
Add the @command_handler(command)
decorator on top of your handler function:
@command_handler("hello")
async def hello(update, context):
await context.bot.send_message(chat_id=update.effective_chat.id, text="Hello world!")
Note: You can modify this decorator in order to register any type of handler (see Types Of Handlers). Please also note that PTB deliberately does not provide such functionality out of the box due to the reasons mentioned in #899.
This decorator allows you to restrict the access of a handler to only the user_ids
specified in LIST_OF_ADMINS
.
from functools import wraps
LIST_OF_ADMINS = [12345678, 87654321]
def restricted(func):
@wraps(func)
async def wrapped(update, context, *args, **kwargs):
user_id = update.effective_user.id
if user_id not in LIST_OF_ADMINS:
print(f"Unauthorized access denied for {user_id}.")
return
return await func(update, context, *args, **kwargs)
return wrapped
Add a @restricted
decorator on top of your handler declaration:
@restricted
async def my_handler(update, context):
pass # only accessible if `user_id` is in `LIST_OF_ADMINS`.
This parametrized decorator allows you to signal different actions depending on the type of response of your bot. This way users will have similar feedback from your bot as they would from a real human.
from functools import wraps
def send_action(action):
"""Sends `action` while processing func command."""
def decorator(func):
@wraps(func)
async def command_func(update, context, *args, **kwargs):
await context.bot.send_chat_action(chat_id=update.effective_message.chat_id, action=action)
return await func(update, context, *args, **kwargs)
return command_func
return decorator
You can decorate handler callbacks directly with @send_action(ChatAction.<Action>)
or create aliases and decorate with them (more readable) .
send_typing_action = send_action(ChatAction.TYPING)
send_upload_video_action = send_action(ChatAction.UPLOAD_VIDEO)
send_upload_photo_action = send_action(ChatAction.UPLOAD_PHOTO)
With the above aliases, the following decorators are equivalent
@send_typing_action
async def my_handler(update, context):
pass # user will see 'typing' while your bot is handling the request.
@send_action(ChatAction.TYPING)
async def my_handler(update, context):
pass # user will see 'typing' while your bot is handling the request.
All possible actions are documented here.
Often times you will find yourself in need for a menu with dynamic content. Use the following build_menu
method to create a button layout with n_cols
columns out of a list of buttons
.
from typing import Union, List
from telegram import InlineKeyboardButton
def build_menu(
buttons: List[InlineKeyboardButton],
n_cols: int,
header_buttons: Union[InlineKeyboardButton, List[InlineKeyboardButton]]=None,
footer_buttons: Union[InlineKeyboardButton, List[InlineKeyboardButton]]=None
) -> List[List[InlineKeyboardButton]]:
menu = [buttons[i:i + n_cols] for i in range(0, len(buttons), n_cols)]
if header_buttons:
menu.insert(0, header_buttons if isinstance(header_buttons, list) else [header_buttons])
if footer_buttons:
menu.append(footer_buttons if isinstance(footer_buttons, list) else [footer_buttons])
return menu
You can use the header_buttons
and footer_buttons
lists to put buttons in the first or last row respectively.
Replace the ...
in below snippet by an appropriate argument, as indicated in the InlineKeyboardButton documentation. If you want to use KeyboardButtons
, use ReplyKeyboardMarkup
instead of InlineKeyboardMarkup
.
button_list = [
InlineKeyboardButton("col1", callback_data=...),
InlineKeyboardButton("col2", callback_data=...),
InlineKeyboardButton("row 2", callback_data=...)
]
reply_markup = InlineKeyboardMarkup(util.build_menu(button_list, n_cols=2))
await bot.send_message(..., "A two-column menu", reply_markup=reply_markup)
Or, if you need a dynamic version, use list comprehension to generate your button_list
dynamically from a list of strings:
some_strings = ["col1", "col2", "row2"]
button_list = [[KeyboardButton(s)] for s in some_strings]
This is especially useful if put inside a helper method like get_data_buttons
to work on dynamic data and updating the menu according to user input.
To handle the callback_data
, you need to set a CallbackQueryHandler
.
Verify data from Telegram Web Login Widget.
When using a LoginUrl
in an InlineKeyboardButton
to authorize a user on your website via Telegram, you'll have to to check the hash of the received data to verify the data of the integrity as described here
The data JSON data will have the following form:
{
"id": XXXXXXXXX
"first_name": "XXX"
"last_name": "XXX"
"username": "XXXXX"
"photo_url": "https://t.meXXXXXX.jpg"
"auth_date": XXXXXXXXXX
"hash": "XXXXXXXXXXXXXXXXXXXXXX....."
}
The following is an example implementation in Python:
Click to expand
import hashlib
import hmac
BOT_TOKEN = 'YOUR BOT TOKEN'
def verify(request_data):
request_data = request_data.copy()
tg_hash = request_data['hash']
request_data.pop('hash', None)
request_data_alphabetical_order = sorted(request_data.items(), key=lambda x: x[0])
data_check_string = []
for data_pair in request_data_alphabetical_order:
key, value = data_pair[0], data_pair[1]
data_check_string.append(f"{key}={value}")
data_check_string = '\n'.join(data_check_string)
secret_key = hashlib.sha256(BOT_TOKEN.encode()).digest()
received_hash = hmac.new(secret_key, msg=data_check_string.encode(), digestmod=hashlib.sha256).hexdigest()
if received_hash == tg_hash:
# The user clicked to the Auth Button and data is verified.
print('User Logged in.')
return True
else:
# The data is not valid
print('User data mis-matched.')
return False
# Optionally use another if-else block to check the auth_date in order to prevent outdated data from being verified.
A sample of Flask app can be found here.
The following example allows you to restart the bot from within a handler.
It goes without saying that you should protect this method from access by unauthorized users - see here for some tips on this.
The main magic consists of calling Application.stop_running
from within a handler callback to allow for a graceful shutdown.
Actually restarting the python script can then be achieved by different means.
Click to expand
import os
import sys
from telegram import Update
from telegram.ext import ContextTypes, Application, CommandHandler
async def restart(update: Update, context: ContextTypes.DEFAULT_TYPE) -> None:
context.bot_data["restart"] = True
context.application.stop_running()
def main() -> None:
application = Application.builder().token("TOKEN").build()
application.bot_data["restart"] = False
application.add_handler(CommandHandler("restart", restart))
application.run_polling(allowed_updates=Update.ALL_TYPES)
if application.bot_data["restart"]:
os.execl(sys.executable, sys.executable, *sys.argv)
if __name__ == "__main__":
main()
- Wiki of
python-telegram-bot
© Copyright 2015-2025 – Licensed by Creative Commons
- Architecture Overview
- Builder Pattern for
Application
- Types of Handlers
- Working with Files and Media
- Exceptions, Warnings and Logging
- Concurrency in PTB
- Advanced Filters
- Storing data
- Making your bot persistent
- Adding Defaults
- Job Queue
- Arbitrary
callback_data
- Avoiding flood limits
- Webhooks
- Bot API Forward Compatiblity
- Frequently requested design patterns
- Code snippets
- Performance Optimizations
- Telegram Passport
- Bots built with PTB
- Automated Bot Tests