Skip to main content

Python asyncio Telegram client based on TDLib

Project description

aiotdlib - Python asyncio Telegram client based on TDLib

PyPI version shields.io PyPI pyversions PyPI license

[!WARNING] This library is still in development, so any updates before version 1.0.0 may include breaking changes. Please be cautious and pin the library version when using it. If you wish to update, I recommend reviewing the Git commit history.

This wrapper is actual for TDLib v1.8.46

This package includes prebuilt TDLib binaries for macOS (arm64) and Debian (amd64). You can use your own binary by passing library_path argument to Client class constructor. Make sure it's built from this commit. Compatibility with other versions of library is not guaranteed.

Features

  • All types and functions are generated automatically from tl schema
  • All types and functions come with validation and good IDE type hinting (thanks to Pydantic)
  • A set of high-level API methods which makes work with tdlib much simpler

Requirements

  • Python 3.9+
  • Get your api_id and api_hash. Read more in Telegram docs

Installation

PyPI

pip install aiotdlib

or if you use Poetry

poetry add aiotdlib

Examples

Base example

import asyncio
import logging

from aiotdlib import Client, ClientSettings

API_ID = 123456
API_HASH = ""
PHONE_NUMBER = ""


async def main():
    client = Client(
        settings=ClientSettings(
            api_id=API_ID,
            api_hash=API_HASH,
            phone_number=PHONE_NUMBER
        )
    )

    async with client:
        me = await client.api.get_me()
        logging.info(f"Successfully logged in as {me.model_dump_json()}")


if __name__ == '__main__':
    logging.basicConfig(level=logging.INFO)
    asyncio.run(main())

Any parameter of Client class could be also set via environment variables with prefix AIOTDLIB_*.

import asyncio
import logging

from aiotdlib import Client


async def main():
    async with Client() as client:
        me = await client.api.get_me()
        logging.info(f"Successfully logged in as {me.model_dump_json()}")


if __name__ == '__main__':
    logging.basicConfig(level=logging.INFO)
    asyncio.run(main())

and run it like this:

export AIOTDLIB_API_ID=123456
export AIOTDLIB_API_HASH=<my_api_hash>
export AIOTDLIB_BOT_TOKEN=<my_bot_token>
python main.py

Events handlers

import asyncio
import logging

from aiotdlib import Client, ClientSettings
from aiotdlib.api import API, BaseObject, UpdateNewMessage

API_ID = 123456
API_HASH = ""
PHONE_NUMBER = ""


async def on_update_new_message(client: Client, update: UpdateNewMessage):
    chat_id = update.message.chat_id

    # api field of client instance contains all TDLib functions, for example get_chat
    chat = await client.api.get_chat(chat_id)
    logging.info(f'Message received in chat {chat.title}')


async def any_event_handler(client: Client, update: BaseObject):
    logging.info(f'Event of type {update.ID} received')


async def main():
    client = Client(
        settings=ClientSettings(
            api_id=API_ID,
            api_hash=API_HASH,
            phone_number=PHONE_NUMBER
        )
    )

    # Registering event handler for 'updateNewMessage' event
    # You can register many handlers for certain event type
    client.add_event_handler(on_update_new_message, update_type=API.Types.UPDATE_NEW_MESSAGE)

    # You can register handler for special event type "*". 
    # It will be called for each received event
    client.add_event_handler(any_event_handler, update_type=API.Types.ANY)

    async with client:
        # idle() will run client until it's stopped
        await client.idle()


if __name__ == '__main__':
    logging.basicConfig(level=logging.INFO)
    asyncio.run(main())

Bot command handler

import logging

from aiotdlib import Client, ClientSettings
from aiotdlib.api import UpdateNewMessage

API_ID = 123456
API_HASH = ""
BOT_TOKEN = ""

bot = Client(
    settings=ClientSettings(
        api_id=API_ID,
        api_hash=API_HASH,
        bot_token=BOT_TOKEN
    )
)

# Note: bot_command_handler method is universal and can be used directly or as decorator
# Registering handler for '/help' command
@bot.bot_command_handler(command='help')
async def on_help_command(client: Client, update: UpdateNewMessage):
    # Each command handler registered with this method will update update.EXTRA field
    # with command related data: {'bot_command': 'help', 'bot_command_args': []}
    await client.send_text(update.message.chat_id, "I will help you!")


async def on_start_command(client: Client, update: UpdateNewMessage):
    # So this will print "{'bot_command': 'help', 'bot_command_args': []}"
    print(update.EXTRA)
    await client.send_text(update.message.chat_id, "Have a good day! :)")


async def on_custom_command(client: Client, update: UpdateNewMessage):
    # So when you send a message "/custom 1 2 3 test" 
    # So this will print "{'bot_command': 'custom', 'bot_command_args': ['1', '2', '3', 'test']}"
    print(update.EXTRA)


if __name__ == '__main__':
    logging.basicConfig(level=logging.INFO)
    # Registering handler for '/start' command
    bot.bot_command_handler(on_start_command, command='start')
    bot.bot_command_handler(on_custom_command, command='custom')
    bot.run()

Proxy

import asyncio
import logging

from aiotdlib import Client
from aiotdlib import ClientSettings
from aiotdlib import ClientProxySettings
from aiotdlib import ClientProxyType

API_ID = 123456
API_HASH = ""
PHONE_NUMBER = ""


async def main():
    client = Client(
        settings=ClientSettings(
            api_id=API_ID,
            api_hash=API_HASH,
            phone_number=PHONE_NUMBER,
            proxy_settings=ClientProxySettings(
                host="10.0.0.1",
                port=3333,
                type=ClientProxyType.SOCKS5,
                username="aiotdlib",
                password="somepassword",
            )
        )
    )

    async with client:
        await client.idle()


if __name__ == '__main__':
    logging.basicConfig(level=logging.INFO)
    asyncio.run(main())

Middlewares

import asyncio
import logging

from aiotdlib import Client, HandlerCallable, ClientSettings
from aiotdlib.api import API, BaseObject, UpdateNewMessage

API_ID = 12345
API_HASH = ""
PHONE_NUMBER = ""


async def some_pre_updates_work(event: BaseObject):
    logging.info(f"Before call all update handlers for event {event.ID}")


async def some_post_updates_work(event: BaseObject):
    logging.info(f"After call all update handlers for event {event.ID}")


# Note that call_next argument would always be passed as keyword argument,
# so it should be called "call_next" only.
async def my_middleware(client: Client, event: BaseObject, /, *, call_next: HandlerCallable):
    # Middlewares useful for opening database connections for example
    await some_pre_updates_work(event)

    try:
        await call_next(client, event)
    finally:
        await some_post_updates_work(event)


async def on_update_new_message(client: Client, update: UpdateNewMessage):
    logging.info('on_update_new_message handler called')


async def main():
    client = Client(
        settings=ClientSettings(
            api_id=API_ID,
            api_hash=API_HASH,
            phone_number=PHONE_NUMBER
        )
    )

    client.add_event_handler(on_update_new_message, update_type=API.Types.UPDATE_NEW_MESSAGE)

    # Registering middleware.
    # Note that middleware would be called for EVERY EVENT.
    # Don't use them for long-running tasks as it could be heavy performance hit
    # You can add as much middlewares as you want. 
    # They would be called in order you've added them
    client.add_middleware(my_middleware)

    async with client:
        await client.idle()


if __name__ == '__main__':
    logging.basicConfig(level=logging.INFO)
    asyncio.run(main())

LICENSE

This project is licensed under the terms of the MIT license.

Project details


Download files

Download the file for your platform. If you're not sure which to choose, learn more about installing packages.

Source Distribution

aiotdlib-0.27.6.tar.gz (540.3 kB view details)

Uploaded Source

Built Distributions

If you're not sure about the file name format, learn more about wheel file names.

aiotdlib-0.27.6-py3-none-manylinux_2_28_x86_64.whl (13.1 MB view details)

Uploaded Python 3manylinux: glibc 2.28+ x86-64

aiotdlib-0.27.6-py3-none-manylinux_2_28_aarch64.whl (12.0 MB view details)

Uploaded Python 3manylinux: glibc 2.28+ ARM64

aiotdlib-0.27.6-py3-none-macosx_11_0_arm64.whl (12.3 MB view details)

Uploaded Python 3macOS 11.0+ ARM64

aiotdlib-0.27.6-py3-none-macosx_10_9_x86_64.whl (942.9 kB view details)

Uploaded Python 3macOS 10.9+ x86-64

File details

Details for the file aiotdlib-0.27.6.tar.gz.

File metadata

  • Download URL: aiotdlib-0.27.6.tar.gz
  • Upload date:
  • Size: 540.3 kB
  • Tags: Source
  • Uploaded using Trusted Publishing? Yes
  • Uploaded via: twine/6.1.0 CPython/3.12.8

File hashes

Hashes for aiotdlib-0.27.6.tar.gz
Algorithm Hash digest
SHA256 c8ee660b5b518acc1c9924ce9565a9e973c56e7de44a0afa4c9a89093097c5aa
MD5 28e8cea8a96fe1b1fdca6ec1432c840c
BLAKE2b-256 610335b5f215658d51150e6a92a2a60a1a11971a3009d0d12622bfc40b43f267

See more details on using hashes here.

Provenance

The following attestation bundles were made for aiotdlib-0.27.6.tar.gz:

Publisher: publish.yml on pylakey/aiotdlib

Attestations: Values shown here reflect the state when the release was signed and may no longer be current.

File details

Details for the file aiotdlib-0.27.6-py3-none-manylinux_2_28_x86_64.whl.

File metadata

File hashes

Hashes for aiotdlib-0.27.6-py3-none-manylinux_2_28_x86_64.whl
Algorithm Hash digest
SHA256 bb1b22c68e0e1eb330a8fe4512d250e49db154c7cbb1cfafbf435716397b6e91
MD5 5caa3649e74a0d0689b85dbbb505ba90
BLAKE2b-256 7e4e9640b4a3da6ad14e55ddf4e822dc1fc1b74ddd8bc2619de050a9462934b0

See more details on using hashes here.

Provenance

The following attestation bundles were made for aiotdlib-0.27.6-py3-none-manylinux_2_28_x86_64.whl:

Publisher: publish.yml on pylakey/aiotdlib

Attestations: Values shown here reflect the state when the release was signed and may no longer be current.

File details

Details for the file aiotdlib-0.27.6-py3-none-manylinux_2_28_aarch64.whl.

File metadata

File hashes

Hashes for aiotdlib-0.27.6-py3-none-manylinux_2_28_aarch64.whl
Algorithm Hash digest
SHA256 2db93c4e39fc759eed5af8c0562826d5b960173ea8c510b5c17a7d5205ef9b22
MD5 53401772c012bfe6af340337ca46b9db
BLAKE2b-256 37375264c65db8c8a0d574d88a2dd93a79d6d2edc3958f2f8d1649a5a5719abf

See more details on using hashes here.

Provenance

The following attestation bundles were made for aiotdlib-0.27.6-py3-none-manylinux_2_28_aarch64.whl:

Publisher: publish.yml on pylakey/aiotdlib

Attestations: Values shown here reflect the state when the release was signed and may no longer be current.

File details

Details for the file aiotdlib-0.27.6-py3-none-macosx_11_0_arm64.whl.

File metadata

File hashes

Hashes for aiotdlib-0.27.6-py3-none-macosx_11_0_arm64.whl
Algorithm Hash digest
SHA256 e44629738cdfebb041ac360861f832faeefb9944431c2e233995c7a96ae1f080
MD5 f15d2de467d12a027d413888f0a1df3b
BLAKE2b-256 52aaf8cdafa72b3aa45d3371c0904eb9a5c816a87533813ba1f9b841b03b573c

See more details on using hashes here.

Provenance

The following attestation bundles were made for aiotdlib-0.27.6-py3-none-macosx_11_0_arm64.whl:

Publisher: publish.yml on pylakey/aiotdlib

Attestations: Values shown here reflect the state when the release was signed and may no longer be current.

File details

Details for the file aiotdlib-0.27.6-py3-none-macosx_10_9_x86_64.whl.

File metadata

File hashes

Hashes for aiotdlib-0.27.6-py3-none-macosx_10_9_x86_64.whl
Algorithm Hash digest
SHA256 d8618aedd62284e2080296b91977f9cb7e23a874ae81e77897c758d0705adedc
MD5 279a34152bff795ad0cc0414240c3b11
BLAKE2b-256 39b3ad8809598ac02bc63bbf0bae981d7b316e1781a1faf3c84c6374ca2f4008

See more details on using hashes here.

Provenance

The following attestation bundles were made for aiotdlib-0.27.6-py3-none-macosx_10_9_x86_64.whl:

Publisher: publish.yml on pylakey/aiotdlib

Attestations: Values shown here reflect the state when the release was signed and may no longer be current.

Supported by

AWS Cloud computing and Security Sponsor Datadog Monitoring Depot Continuous Integration Fastly CDN Google Download Analytics Pingdom Monitoring Sentry Error logging StatusPage Status page