pyTelegramBotAPI/README.md

552 lines
24 KiB
Markdown
Raw Normal View History

2015-08-23 21:01:09 +03:00
# <p align="center">pyTelegramBotAPI
2015-08-23 20:32:23 +03:00
2015-08-23 21:01:09 +03:00
<p align="center">A simple, but extensible Python implementation for the [Telegram Bot API](https://core.telegram.org/bots/api).
2015-08-23 20:32:23 +03:00
2015-10-26 17:36:32 +03:00
[![Download Month](https://img.shields.io/pypi/v/pyTelegramBotAPI.svg)](https://pypi.python.org/pypi/pyTelegramBotAPI)
[![Build Status](https://travis-ci.org/eternnoir/pyTelegramBotAPI.svg?branch=master)](https://travis-ci.org/eternnoir/pyTelegramBotAPI)
2015-10-26 17:31:55 +03:00
2015-08-23 20:32:23 +03:00
* [Getting started.](#getting-started)
* [Writing your first bot](#writing-your-first-bot)
* [Prerequisites](#prerequisites)
* [A simple echo bot](#a-simple-echo-bot)
* [General API Documentation](#general-api-documentation)
* [Types](#types)
* [Methods](#methods)
* [General use of the API](#general-use-of-the-api)
* [Message handlers](#message-handlers)
* [Callback Query handlers](#callback-query-handler)
2015-08-23 20:32:23 +03:00
* [TeleBot](#telebot)
* [Reply markup](#reply-markup)
2016-01-05 16:59:34 +03:00
* [Inline Mode](#inline-mode)
2015-08-23 20:32:23 +03:00
* [Advanced use of the API](#advanced-use-of-the-api)
* [Asynchronous delivery of messages](#asynchronous-delivery-of-messages)
* [Sending large text messages](#sending-large-text-messages)
* [Controlling the amount of Threads used by TeleBot](#controlling-the-amount-of-threads-used-by-telebot)
* [The listener mechanism](#the-listener-mechanism)
* [Using web hooks](#using-web-hooks)
* [Logging](#logging)
2015-08-23 21:01:09 +03:00
* [F.A.Q.](#faq)
* [Bot 2.0](#bot-20)
2015-08-23 21:01:09 +03:00
* [How can I distinguish a User and a GroupChat in message.chat?](#how-can-i-distinguish-a-user-and-a-groupchat-in-messagechat)
2015-08-23 20:32:23 +03:00
* [The Telegram Chat Group](#the-telegram-chat-group)
* [More examples](#more-examples)
* [Bots using this API](#bots-using-this-api)
2015-08-23 20:32:23 +03:00
## Getting started.
This API is tested with Python 2.6, Python 2.7, Python 3.4, Pypy and Pypy 3.
There are two ways to install the library:
2015-08-23 21:01:09 +03:00
* Installation using pip (a Python package manager)*:
2015-06-28 17:34:27 +03:00
2015-08-23 20:32:23 +03:00
```
$ pip install pyTelegramBotAPI
```
* Installation from source (requires git):
2015-06-26 17:52:09 +03:00
```
$ git clone https://github.com/eternnoir/pyTelegramBotAPI.git
$ cd pyTelegramBotAPI
$ python setup.py install
```
2015-08-23 20:32:23 +03:00
It is generally recommended to use the first option.
2015-06-26 17:52:09 +03:00
2015-08-23 21:01:09 +03:00
**While the API is production-ready, it is still under development and it has regular updates, do not forget to update it regularly by calling `pip install pytelegrambotapi --upgrade`*
2015-08-23 20:32:23 +03:00
## Writing your first bot
2015-06-26 17:52:09 +03:00
2015-08-23 20:32:23 +03:00
### Prerequisites
2015-06-26 09:58:20 +03:00
2015-08-23 20:32:23 +03:00
It is presumed that you [have obtained an API token with @BotFather](https://core.telegram.org/bots#botfather). We will call this token `TOKEN`.
Furthermore, you have basic knowledge of the Python programming language and more importantly [the Telegram Bot API](https://core.telegram.org/bots/api).
2015-06-26 13:05:23 +03:00
2015-08-23 20:32:23 +03:00
### A simple echo bot
The TeleBot class (defined in \__init__.py) encapsulates all API calls in a single class. It provides functions such as `send_xyz` (`send_message`, `send_document` etc.) and several ways to listen for incoming messages.
Create a file called `echo_bot.py`.
Then, open the file and create an instance of the TeleBot class.
2015-06-26 09:58:20 +03:00
```python
import telebot
2015-08-23 23:06:11 +03:00
bot = telebot.TeleBot("TOKEN")
2015-08-23 20:32:23 +03:00
```
2015-08-23 21:01:09 +03:00
*Note: Make sure to actually replace TOKEN with your own API token.*
2015-06-26 09:58:20 +03:00
2015-08-23 20:32:23 +03:00
After that declaration, we need to register some so-called message handlers. Message handlers define filters which a message must pass. If a message passes the filter, the decorated function is called and the incoming message is passed as an argument.
Let's define a message handler which handles incoming `/start` and `/help` commands.
```python
@bot.message_handler(commands=['start', 'help'])
def send_welcome(message):
bot.reply_to(message, "Howdy, how are you doing?")
2015-06-26 09:58:20 +03:00
```
2015-08-23 20:32:23 +03:00
A function which is decorated by a message handler __can have an arbitrary name, however, it must have only one parameter (the message)__.
2015-06-26 13:05:23 +03:00
2015-08-23 20:32:23 +03:00
Let's add another handler:
```python
2015-08-23 23:23:18 +03:00
@bot.message_handler(func=lambda m: True)
2015-08-23 20:32:23 +03:00
def echo_all(message):
bot.reply_to(message, message.text)
```
2015-08-23 23:06:11 +03:00
This one echoes all incoming text messages back to the sender. It uses a lambda function to test a message. If the lambda returns True, the message is handled by the decorated function. Since we want all messages to be handled by this function, we simply always return True.
2015-06-26 13:05:23 +03:00
2015-08-23 21:01:09 +03:00
*Note: all handlers are tested in the order in which they were declared*
2015-08-23 23:23:18 +03:00
We now have a basic bot which replies a static message to "/start" and "/help" commands and which echoes the rest of the sent messages. To start the bot, add the following to our source file:
2015-06-26 13:05:23 +03:00
```python
2015-08-23 20:32:23 +03:00
bot.polling()
```
Alright, that's it! Our source file now looks like this:
```python
import telebot
2015-06-26 13:05:23 +03:00
2015-08-23 23:06:11 +03:00
bot = telebot.TeleBot("TOKEN")
2015-06-26 13:05:23 +03:00
2015-08-23 20:32:23 +03:00
@bot.message_handler(commands=['start', 'help'])
def send_welcome(message):
bot.reply_to(message, "Howdy, how are you doing?")
2015-06-26 13:05:23 +03:00
2015-08-23 23:23:18 +03:00
@bot.message_handler(func=lambda message: True)
2015-08-23 20:32:23 +03:00
def echo_all(message):
bot.reply_to(message, message.text)
2015-06-26 13:05:23 +03:00
2015-08-23 20:32:23 +03:00
bot.polling()
2015-06-26 13:05:23 +03:00
```
2015-08-23 20:32:23 +03:00
To start the bot, simply open up a terminal and enter `python echo_bot.py` to run the bot! Test it by sending commands ('/start' and '/help') and arbitrary text messages.
## General API Documentation
### Types
2015-06-26 16:56:49 +03:00
2015-08-23 22:56:42 +03:00
All types are defined in types.py. They are all completely in line with the [Telegram API's definition of the types](https://core.telegram.org/bots/api#available-types), except for the Message's `from` field, which is renamed to `from_user` (because `from` is a Python reserved token). Thus, attributes such as `message_id` can be accessed directly with `message.message_id`. Note that `message.chat` can be either an instance of `User` or `GroupChat` (see [How can I distinguish a User and a GroupChat in message.chat?](#how-can-i-distinguish-a-user-and-a-groupchat-in-messagechat)).
The Message object also has a `content_type`attribute, which defines the type of the Message. `content_type` can be one of the following strings:
`text`, `audio`, `document`, `photo`, `sticker`, `video`, `voice`, `location`, `contact`, `new_chat_member`, `left_chat_member`, `new_chat_title`, `new_chat_photo`, `delete_chat_photo`, `group_chat_created`, `supergroup_chat_created`, `channel_chat_created`, `migrate_to_chat_id`, `migrate_from_chat_id`, `pinned_message`.
2015-06-27 05:25:22 +03:00
2015-08-23 20:32:23 +03:00
### Methods
All [API methods](https://core.telegram.org/bots/api#available-methods) are located in the TeleBot class. They are renamed to follow common Python naming conventions. E.g. `getMe` is renamed to `get_me` and `sendMessage` to `send_message`.
### General use of the API
Outlined below are some general use cases of the API.
#### Message handlers
A message handler is a function that is decorated with the `message_handler` decorator of a TeleBot instance. Message handlers consist of one or multiple filters.
Each filter much return True for a certain message in order for a message handler to become eligible to handle that message. A message handler is declared in the following way (provided `bot` is an instance of TeleBot):
2015-09-08 11:44:31 +03:00
```python
@bot.message_handler(filters)
def function_name(message):
bot.reply_to(message, "This is a message handler")
```
`function_name` is not bound to any restrictions. Any function name is permitted with message handlers. The function must accept at most one argument, which will be the message that the function must handle.
`filters` is a list of keyword arguments.
A filter is declared in the following manner: `name=argument`. One handler may have multiple filters.
2015-09-08 11:44:31 +03:00
TeleBot supports the following filters:
2015-09-08 12:29:35 +03:00
2015-09-08 11:44:31 +03:00
|name|argument(s)|Condition|
|:---:|---| ---|
|content_types|list of strings (default `['text']`)|`True` if message.content_type is in the list of strings.|
2015-09-08 20:47:55 +03:00
|regexp|a regular expression as a string|`True` if `re.search(regexp_arg)` returns `True` and `message.content_type == 'text'` (See [Python Regular Expressions](https://docs.python.org/2/library/re.html)|
2015-09-08 11:44:31 +03:00
|commands|list of strings|`True` if `message.content_type == 'text'` and `message.text` starts with a command that is in the list of strings.|
|func|a function (lambda or function reference)|`True` if the lambda or function reference returns `True`
2015-09-08 11:44:31 +03:00
Here are some examples of using the filters and message handlers:
2016-04-16 10:08:01 +03:00
2015-06-27 05:25:22 +03:00
```python
import telebot
2015-08-23 20:32:23 +03:00
bot = telebot.TeleBot("TOKEN")
2015-06-27 05:25:22 +03:00
2015-08-23 20:32:23 +03:00
# Handles all text messages that contains the commands '/start' or '/help'.
@bot.message_handler(commands=['start', 'help'])
def handle_start_help(message):
pass
# Handles all sent documents and audio files
@bot.message_handler(content_types=['document', 'audio'])
def handle_docs_audio(message):
pass
# Handles all text messages that match the regular expression
@bot.message_handler(regexp="SOME_REGEXP")
def handle_message(message):
pass
2015-06-27 05:25:22 +03:00
2015-08-23 20:32:23 +03:00
#Handles all messages for which the lambda returns True
@bot.message_handler(func=lambda message: message.document.mime_type == 'text/plain', content_types=['document'])
def handle_text_doc(message):
pass
2015-07-07 06:51:11 +03:00
2015-08-23 20:32:23 +03:00
#Which could also be defined as:
def test_message(message):
return message.document.mime_type == 'text/plain'
2015-07-07 06:51:11 +03:00
2015-08-23 20:32:23 +03:00
@bot.message_handler(func=test_message, content_types=['document'])
def handle_text_doc(message)
pass
# Handlers can be stacked to create a function which will be called if either message_handler is eligible
# This handler will be called if the message starts with '/hello' OR is some emoji
@bot.message_handler(commands=['hello'])
@bot.message_handler(func=lambda msg: msg.text.encode("utf-8") == SOME_FANCY_EMOJI)
def send_something(message):
pass
2015-08-23 20:32:23 +03:00
```
2015-09-08 11:44:31 +03:00
**Important: all handlers are tested in the order in which they were declared**
2016-04-16 10:08:01 +03:00
2016-06-07 14:40:35 +03:00
#### Edited Message handlers
Same as Message handlers
2016-12-03 08:56:22 +03:00
#### channel_post_handler
Same as Message handlers
#### edited_channel_post_handler
Same as Message handlers
2016-04-16 10:08:01 +03:00
#### Callback Query Handler
In bot2.0 update. You can get `callback_query` in update object. In telebot use `callback_query_handler` to process callback_querys.
```python
@bot.callback_query_handler(func=lambda call: True)
def test_callback(call):
logger.info(call)
```
2016-04-16 10:08:01 +03:00
2015-08-23 20:32:23 +03:00
#### TeleBot
```python
import telebot
TOKEN = '<token_string>'
tb = telebot.TeleBot(TOKEN) #create a new Telegram Bot object
2015-07-24 04:22:02 +03:00
# Upon calling this function, TeleBot starts polling the Telegram servers for new messages.
# - none_stop: True/False (default False) - Don't stop polling when receiving an error from the Telegram servers
# - interval: True/False (default False) - The interval between polling requests
# Note: Editing this parameter harms the bot's response time
# - block: True/False (default True) - Blocks upon calling this function
tb.polling(none_stop=False, interval=0, block=True)
2015-06-27 05:25:22 +03:00
# getMe
user = tb.get_me()
# setWebhook
tb.set_webhook(url="http://example.com", certificate=open('mycert.pem'))
# unset webhook
tb.remove_webhook()
2015-09-05 13:12:52 +03:00
# getUpdates
updates = tb.get_updates()
updates = tb.get_updates(1234,100,20) #get_Updates(offset, limit, timeout):
2015-06-27 05:25:22 +03:00
# sendMessage
tb.send_message(chatid, text)
# forwardMessage
tb.forward_message(to_chat_id, from_chat_id, message_id)
2015-08-23 22:56:42 +03:00
# All send_xyz functions which can take a file as an argument, can also take a file_id instead of a file.
# sendPhoto
2015-06-27 05:25:22 +03:00
photo = open('/tmp/photo.png', 'rb')
tb.send_photo(chat_id, photo)
2015-08-23 22:56:42 +03:00
tb.send_photo(chat_id, "FILEID")
2015-06-27 05:25:22 +03:00
# sendAudio
2015-08-21 18:09:35 +03:00
audio = open('/tmp/audio.mp3', 'rb')
2015-06-27 05:25:22 +03:00
tb.send_audio(chat_id, audio)
2015-08-23 22:56:42 +03:00
tb.send_audio(chat_id, "FILEID")
2015-08-23 20:32:23 +03:00
2015-08-21 18:09:35 +03:00
## sendAudio with duration, performer and title.
tb.send_audio(CHAT_ID, file_data, 1, 'eternnoir', 'pyTelegram')
2015-06-27 05:25:22 +03:00
2015-08-21 18:09:35 +03:00
# sendVoice
voice = open('/tmp/voice.ogg', 'rb')
tb.send_voice(chat_id, voice)
2015-08-23 22:56:42 +03:00
tb.send_voice(chat_id, "FILEID")
2015-08-21 18:09:35 +03:00
2015-06-27 05:25:22 +03:00
# sendDocument
doc = open('/tmp/file.txt', 'rb')
tb.send_document(chat_id, doc)
2015-08-23 22:56:42 +03:00
tb.send_document(chat_id, "FILEID")
2015-06-27 05:25:22 +03:00
# sendSticker
sti = open('/tmp/sti.webp', 'rb')
tb.send_sticker(chat_id, sti)
2015-08-23 22:56:42 +03:00
tb.send_sticker(chat_id, "FILEID")
2015-06-27 05:25:22 +03:00
# sendVideo
video = open('/tmp/video.mp4', 'rb')
tb.send_video(chat_id, video)
2015-08-23 22:56:42 +03:00
tb.send_video(chat_id, "FILEID")
2015-06-27 05:25:22 +03:00
2015-06-27 17:11:18 +03:00
# sendLocation
tb.send_location(chat_id, lat, lon)
2015-06-28 12:58:15 +03:00
# sendChatAction
# action_string can be one of the following strings: 'typing', 'upload_photo', 'record_video', 'upload_video',
# 'record_audio', 'upload_audio', 'upload_document' or 'find_location'.
2015-06-28 12:58:15 +03:00
tb.send_chat_action(chat_id, action_string)
# getFile
# Downloading a file is straightforward
# Returns a File object
import requests
file_info = tb.get_file(file_id)
file = requests.get('https://api.telegram.org/file/bot{0}/{1}'.format(API_TOKEN, file_info.file_path))
2015-08-23 20:32:23 +03:00
```
#### Reply markup
All `send_xyz` functions of TeleBot take an optional `reply_markup` argument. This argument must be an instance of `ReplyKeyboardMarkup`, `ReplyKeyboardRemove` or `ForceReply`, which are defined in types.py.
2015-06-28 12:58:15 +03:00
2015-08-23 20:32:23 +03:00
```python
2015-07-01 04:55:25 +03:00
from telebot import types
2015-08-23 22:56:42 +03:00
# Using the ReplyKeyboardMarkup class
2015-08-23 20:32:23 +03:00
# It's constructor can take the following optional arguments:
# - resize_keyboard: True/False (default False)
# - one_time_keyboard: True/False (default False)
# - selective: True/False (default False)
# - row_width: integer (default 3)
# row_width is used in combination with the add() function.
# It defines how many buttons are fit on each row before continuing on the next row.
markup = types.ReplyKeyboardMarkup(row_width=2)
2016-04-16 10:08:01 +03:00
itembtn1 = types.KeyboardButton('a')
itembtn2 = types.KeyboardButton('v')
itembtn3 = types.KeyboardButton('d')
markup.add(itembtn1, itembtn2, itembtn3)
2015-08-23 22:56:42 +03:00
tb.send_message(chat_id, "Choose one letter:", reply_markup=markup)
2016-04-25 18:54:30 +03:00
# or add KeyboardButton one row at a time:
2015-06-30 08:20:44 +03:00
markup = types.ReplyKeyboardMarkup()
2016-04-16 10:08:01 +03:00
itembtna = types.KeyboardButton('a')
itembtnv = types.KeyboardButton('v')
itembtnc = types.KeyboardButton('c')
itembtnd = types.KeyboardButton('d')
itembtne = types.KeyboardButton('e')
markup.row(itembtna, itembtnv)
markup.row(itembtnc, itembtnd, itembtne)
2015-08-23 22:56:42 +03:00
tb.send_message(chat_id, "Choose one letter:", reply_markup=markup)
```
The last example yields this result:
2015-08-23 23:23:18 +03:00
2015-08-23 22:56:42 +03:00
![ReplyKeyboardMarkup](https://pp.vk.me/c624430/v624430512/473e5/_mxxW7FPe4U.jpg "ReplyKeyboardMarkup")
2015-06-30 08:20:44 +03:00
2015-08-23 22:56:42 +03:00
```python
# ReplyKeyboardRemove: hides a previously sent ReplyKeyboardMarkup
2015-08-23 20:32:23 +03:00
# Takes an optional selective argument (True/False, default False)
markup = types.ReplyKeyboardRemove(selective=False)
2015-08-23 20:32:23 +03:00
tb.send_message(chat_id, message, reply_markup=markup)
2015-08-23 22:56:42 +03:00
```
2015-08-01 16:03:40 +03:00
2015-08-23 22:56:42 +03:00
```python
# ForceReply: forces a user to reply to a message
2015-08-23 20:32:23 +03:00
# Takes an optional selective argument (True/False, default False)
markup = types.ForceReply(selective=False)
2015-08-23 22:56:42 +03:00
tb.send_message(chat_id, "Send me another word:", reply_markup=markup)
2015-06-28 12:35:47 +03:00
```
2015-08-23 23:23:18 +03:00
ForceReply:
2015-08-01 16:03:40 +03:00
2015-08-23 22:56:42 +03:00
![ForceReply](https://pp.vk.me/c624430/v624430512/473ec/602byyWUHcs.jpg "ForceReply")
2016-01-05 16:54:47 +03:00
### Inline Mode
More information about [Inline mode](https://core.telegram.org/bots/inline).
#### inline_handler
2016-01-19 08:56:44 +03:00
2016-01-05 16:54:47 +03:00
Now, you can use inline_handler to get inline_query in telebot.
2016-01-19 08:56:44 +03:00
2016-01-05 16:54:47 +03:00
```python
@bot.inline_handler(lambda query: query.query == 'text')
def query_text(inline_query):
# Query message is text
```
2016-01-19 08:56:44 +03:00
#### chosen_inline_handler
Use chosen_inline_handler to get chosen_inline_result in telebot. Don't forgot add the /setinlinefeedback
command for @Botfather.
More information : [collecting-feedback](https://core.telegram.org/bots/inline#collecting-feedback)
```python
@bot.chosen_inline_handler(func=lambda chosen_inline_result: True)
def test_chosen(chosen_inline_result):
# Process all chosen_inline_result.
```
2016-01-05 16:54:47 +03:00
#### answer_inline_query
```python
@bot.inline_handler(lambda query: query.query == 'text')
def query_text(inline_query):
try:
2016-05-29 16:55:36 +03:00
r = types.InlineQueryResultArticle('1', 'Result', types.InputTextMessageContent('Result message.'))
r2 = types.InlineQueryResultArticle('2', 'Result2', types.InputTextMessageContent('Result message2.'))
2016-01-05 16:54:47 +03:00
bot.answer_inline_query(inline_query.id, [r, r2])
except Exception as e:
print(e)
```
2016-05-14 20:29:21 +03:00
###Working with entities:
This object represents one special entity in a text message. For example, hashtags, usernames, URLs, etc.
2016-05-14 20:29:21 +03:00
Attributes:
* `type`
* `url`
* `offset`
* `length`
* `user`
2016-05-14 20:29:21 +03:00
**Here's an Example:**`message.entities[num].<attribute>`<br>
Here `num` is the entity number or order of entity in a reply, for if incase there are multiple entities in the reply/message.<br>
`message.entities` returns a list of entities object. <br>
`message.entities[0].type` would give the type of the first entity<br>
Refer [Bot Api](https://core.telegram.org/bots/api#messageentity) for extra details
2016-01-05 16:54:47 +03:00
2015-08-23 20:32:23 +03:00
## Advanced use of the API
2015-08-01 16:03:40 +03:00
2015-08-23 20:32:23 +03:00
### Asynchronous delivery of messages
There exists an implementation of TeleBot which executes all `send_xyz` and the `get_me` functions asynchronously. This can speed up you bot __significantly__, but it has unwanted side effects if used without caution.
To enable this behaviour, create an instance of AsyncTeleBot instead of TeleBot.
```python
2015-08-23 20:32:23 +03:00
tb = telebot.AsyncTeleBot("TOKEN")
```
Now, every function that calls the Telegram API is executed in a separate Thread. The functions are modified to return an AsyncTask instance (defined in util.py). Using AsyncTeleBot allows you to do the following:
```python
import telebot
2015-08-23 23:23:18 +03:00
tb = telebot.AsyncTeleBot("TOKEN")
2015-08-23 20:32:23 +03:00
task = tb.get_me() # Execute an API call
# Do some other operations...
a = 0
for a in range(100):
a += 10
2015-08-23 20:32:23 +03:00
result = task.wait() # Get the result of the execution
```
2015-08-23 20:32:23 +03:00
*Note: if you execute send_xyz functions after eachother without calling wait(), the order in which messages are delivered might be wrong.*
2015-08-01 16:03:40 +03:00
2015-08-23 20:32:23 +03:00
### Sending large text messages
2015-08-23 23:23:18 +03:00
Sometimes you must send messages that exceed 5000 characters. The Telegram API can not handle that many characters in one request, so we need to split the message in multiples. Here is how to do that using the API:
```python
from telebot import util
2015-08-23 20:32:23 +03:00
large_text = open("large_text.txt", "rb").read()
2015-08-23 23:23:18 +03:00
# Split the text each 3000 characters.
# split_string returns a list with the splitted text.
splitted_text = util.split_string(large_text, 3000)
2015-08-23 20:32:23 +03:00
for text in splitted_text:
tb.send_message(chat_id, text)
```
2015-08-23 20:32:23 +03:00
### Controlling the amount of Threads used by TeleBot
The TeleBot constructor takes the following optional arguments:
2015-08-23 23:23:18 +03:00
2016-07-17 18:38:37 +03:00
- threaded: True/False (default True). A flag to indicate whether
2015-08-23 23:23:18 +03:00
TeleBot should execute message handlers on it's polling Thread.
2015-08-01 16:03:40 +03:00
2015-08-23 20:32:23 +03:00
### The listener mechanism
As an alternative to the message handlers, one can also register a function as a listener to TeleBot. Example:
```python
2015-08-23 21:07:06 +03:00
def handle_messages(messages):
2016-06-15 14:30:57 +03:00
for message in messages:
2015-08-23 20:32:23 +03:00
# Do something with the message
2015-08-23 21:07:06 +03:00
bot.reply_to(message, 'Hi')
2015-08-23 20:32:23 +03:00
bot.set_update_listener(handle_messages)
bot.polling()
```
2015-06-28 12:35:47 +03:00
### Using webhooks
When using webhooks telegram sends one Update per call, for processing it you should call process_new_messages([update.message]) when you recieve it.
There are some examples using webhooks in the *examples/webhook_examples* directory.
2015-07-20 05:38:33 +03:00
2015-08-23 20:32:23 +03:00
### Logging
2015-08-23 23:23:18 +03:00
You can use the Telebot module logger to log debug info about Telebot. Use `telebot.logger` to get the logger of the TeleBot module.
2015-09-08 20:56:05 +03:00
It is possible to add custom logging Handlers to the logger. Refer to the [Python logging module page](https://docs.python.org/2/library/logging.html) for more info.
2015-07-20 05:38:33 +03:00
```python
2015-09-08 20:56:05 +03:00
import logging
2015-07-20 05:38:33 +03:00
logger = telebot.logger
2015-09-08 20:56:05 +03:00
telebot.logger.setLevel(logging.DEBUG) # Outputs debug messages to console.
2015-07-20 05:38:33 +03:00
```
2015-08-23 21:01:09 +03:00
## F.A.Q.
2016-04-16 10:08:01 +03:00
### Bot 2.0
April 9,2016 Telegram release new bot 2.0 API, which has a drastic revision especially for the change of method's interface.If you want to update to the latest version, please make sure you've switched bot's code to bot 2.0 method interface.
[More information about pyTelegramBotAPI support bot2.0](https://github.com/eternnoir/pyTelegramBotAPI/issues/130)
2015-08-23 21:01:09 +03:00
### How can I distinguish a User and a GroupChat in message.chat?
2015-10-12 18:00:25 +03:00
Telegram Bot API support new type Chat for message.chat.
2015-08-23 21:01:09 +03:00
2015-10-12 18:00:25 +03:00
- Check the ```type``` attribute in ```Chat``` object:
-
2015-08-23 21:01:09 +03:00
```python
2015-10-12 18:00:25 +03:00
if message.chat.type == “private”:
# private chat message
2015-08-23 21:01:09 +03:00
2015-10-12 18:00:25 +03:00
if message.chat.type == “group”:
# group chat message
if message.chat.type == “supergroup”:
# supergroup chat message
2015-10-12 18:00:25 +03:00
if message.chat.type == “channel”:
# channel message
2015-08-23 21:01:09 +03:00
```
2015-08-23 20:32:23 +03:00
## The Telegram Chat Group
2015-07-17 16:40:33 +03:00
Get help. Discuss. Chat.
2016-06-03 12:21:33 +03:00
* Join the [pyTelegramBotAPI Telegram Chat Group](https://telegram.me/joinchat/Bn4ixj84FIZVkwhk2jag6A)
2015-12-24 06:25:19 +03:00
* We now have a Telegram Channel as well! Keep yourself up to date with API changes, and [join it](https://telegram.me/pytelegrambotapi).
2015-07-17 16:40:33 +03:00
2015-08-23 20:32:23 +03:00
## More examples
2015-07-09 05:38:35 +03:00
* [Echo Bot](https://github.com/eternnoir/pyTelegramBotAPI/blob/master/examples/echo_bot.py)
* [Deep Linking](https://github.com/eternnoir/pyTelegramBotAPI/blob/master/examples/deep_linking.py)
2015-08-23 21:03:46 +03:00
* [next_step_handler Example](https://github.com/eternnoir/pyTelegramBotAPI/blob/master/examples/step_example.py)
## Bots using this API
* [SiteAlert bot](https://telegram.me/SiteAlert_bot) ([source](https://github.com/ilteoood/SiteAlert-Python)) by *ilteoood* - Monitors websites and sends a notification on changes
2016-02-13 20:59:31 +03:00
* [TelegramLoggingBot](https://github.com/aRandomStranger/TelegramLoggingBot) by *aRandomStranger*
* [Send to Kindle Bot](https://telegram.me/Send2KindleBot) by *GabrielRF* - Send to Kindle files or links to files.
* [Telegram LMGTFY_bot](https://github.com/GabrielRF/telegram-lmgtfy_bot) ([source](https://github.com/GabrielRF/telegram-lmgtfy_bot)) by *GabrielRF* - Let me Google that for you.
* [Telegram UrlProBot](https://github.com/GabrielRF/telegram-urlprobot) ([source](https://github.com/GabrielRF/telegram-urlprobot)) by *GabrielRF* - URL shortener and URL expander.
2016-02-26 15:34:14 +03:00
* [Telegram Proxy Bot](https://bitbucket.org/master_groosha/telegram-proxy-bot) by *Groosha* - A simple BITM (bot-in-the-middle) for Telegram acting as some kind of "proxy".
2016-04-04 05:51:27 +03:00
* [Telegram Proxy Bot](https://github.com/mrgigabyte/proxybot) by *mrgigabyte* - `Credits for the original version of this bot goes to` **Groosha** `, simply added certain features which I thought were needed`.
2016-02-13 20:59:31 +03:00
* [RadRetroRobot](https://github.com/Tronikart/RadRetroRobot) by *Tronikart* - Multifunctional Telegram Bot RadRetroRobot.
* [League of Legends bot](https://telegram.me/League_of_Legends_bot) ([source](https://github.com/i32ropie/lol)) by *i32ropie*
2016-02-23 16:16:35 +03:00
* [NeoBot](https://github.com/neoranger/NeoBot) by *neoranger*
2016-03-29 06:34:37 +03:00
* [TagAlertBot](https://github.com/pitasi/TagAlertBot) by *pitasi*
2016-06-05 20:20:17 +03:00
* [ComedoresUGRbot](http://telegram.me/ComedoresUGRbot) ([source](https://github.com/alejandrocq/ComedoresUGRbot)) by [*alejandrocq*](https://github.com/alejandrocq) - Telegram bot to check the menu of Universidad de Granada dining hall.
2016-09-17 15:32:54 +03:00
* [picpingbot](https://web.telegram.org/#/im?p=%40picpingbot) - Fun anonymous photo exchange by Boogie Muffin.
2016-09-29 08:25:01 +03:00
* [TheZigZagProject](https://github.com/WebShark025/TheZigZagProject) - The 'All In One' bot for Telegram! by WebShark025
2016-09-29 08:35:42 +03:00
* [proxybot](https://github.com/p-hash/proxybot) - Simple Proxy Bot for Telegram. by p-hash
2016-11-03 11:43:46 +03:00
* [DonantesMalagaBot](https://github.com/vfranch/DonantesMalagaBot)- DonantesMalagaBot facilitates information to Malaga blood donors about the places where they can donate today or in the incoming days. It also records the date of the last donation so that it helps the donors to know when they can donate again. - by vfranch
* [DuttyBot](https://github.com/DmytryiStriletskyi/DuttyBot) by *Dmytryi Striletskyi* - Timetable for one university in Kiev.
* [dailypepebot](https://telegram.me/dailypepebot) by [*jaime*](https://github.com/jiwidi) - Get's you random pepe images and gives you their id, then you can call this image with the number.
2016-11-20 22:04:21 +03:00
* [wat-bridge](https://github.com/rmed/wat-bridge) by [*rmed*](https://github.com/rmed) - Send and receive messages to/from WhatsApp through Telegram
2017-01-14 19:57:05 +03:00
* [flibusta_bot](https://github.com/Kurbezz/flibusta_bot) by [*Kurbezz*](https://github.com/Kurbezz)
* [EmaProject](https://github.com/halkliff/emaproject) by [*halkliff*](https://github.com/halkliff) - Ema - Eastern Media Assistant was made thinking on the ease-to-use feature. Coding here is simple, as much as is fast and powerful.
* [filmratingbot](http://t.me/filmratingbot)([source](https://github.com/jcolladosp/film-rating-bot)) by [*jcolladosp*](https://github.com/jcolladosp) - Telegram bot using the Python API that gets films rating from IMDb and metacritic
2016-02-13 20:52:46 +03:00
Want to have your bot listed here? Send a Telegram message to @eternnoir or @pevdh.