python-telegram-bot/telegram/ext/filters.py

Ignoring revisions in .git-blame-ignore-revs. Click here to bypass and see the normal blame view.

2670 lines
88 KiB
Python
Raw Normal View History

#!/usr/bin/env python
#
# A library that provides a Python interface to the Telegram Bot API
2023-01-01 21:31:29 +01:00
# Copyright (C) 2015-2023
# Leandro Toledo de Souza <devs@python-telegram-bot.org>
#
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU Lesser Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU Lesser Public License for more details.
#
# You should have received a copy of the GNU Lesser Public License
# along with this program. If not, see [http://www.gnu.org/licenses/].
2021-11-20 11:36:18 +01:00
"""
This module contains filters for use with :class:`telegram.ext.MessageHandler`,
:class:`telegram.ext.CommandHandler`, or :class:`telegram.ext.PrefixHandler`.
2018-03-15 05:59:27 +01:00
.. versionchanged:: 20.0
2021-11-20 11:36:18 +01:00
#. Filters are no longer callable, if you're using a custom filter and are calling an existing
filter, then switch to the new syntax: ``filters.{filter}.check_update(update)``.
#. Removed the ``Filters`` class. The filters are now directly attributes/classes of the
:mod:`~telegram.ext.filters` module.
2021-11-20 11:36:18 +01:00
#. The names of all filters has been updated:
* Filter classes which are ready for use, e.g ``Filters.all`` are now capitalized, e.g
``filters.ALL``.
* Filters which need to be initialized are now in CamelCase. E.g. ``filters.User(...)``.
* Filters which do both (like ``Filters.text``) are now split as ready-to-use version
``filters.TEXT`` and class version ``filters.Text(...)``.
2021-11-20 11:36:18 +01:00
"""
2021-12-05 09:42:14 +01:00
__all__ = (
"ALL",
"ANIMATION",
"ATTACHMENT",
"AUDIO",
"BaseFilter",
"CAPTION",
"CHAT",
"COMMAND",
"CONTACT",
"Caption",
"CaptionEntity",
"CaptionRegex",
"Chat",
"ChatType",
"Command",
"Dice",
"Document",
"Entity",
"FORWARDED",
"ForwardedFrom",
"GAME",
"HAS_MEDIA_SPOILER",
2021-12-05 09:42:14 +01:00
"HAS_PROTECTED_CONTENT",
"INVOICE",
"IS_AUTOMATIC_FORWARD",
"IS_TOPIC_MESSAGE",
2021-12-05 09:42:14 +01:00
"LOCATION",
"Language",
"MessageFilter",
"Mention",
2021-12-05 09:42:14 +01:00
"PASSPORT_DATA",
"PHOTO",
"POLL",
"REPLY",
"Regex",
"Sticker",
"STORY",
2021-12-05 09:42:14 +01:00
"SUCCESSFUL_PAYMENT",
"SenderChat",
"StatusUpdate",
"TEXT",
"Text",
"USER",
"USER_ATTACHMENT",
"PREMIUM_USER",
2021-12-05 09:42:14 +01:00
"UpdateFilter",
"UpdateType",
"User",
"VENUE",
"VIA_BOT",
"VIDEO",
"VIDEO_NOTE",
"VOICE",
"ViaBot",
)
2021-11-20 11:36:18 +01:00
import mimetypes
2018-03-15 05:59:27 +01:00
import re
from abc import ABC, abstractmethod
from typing import (
2023-02-02 18:55:07 +01:00
Collection,
Dict,
FrozenSet,
Iterable,
List,
Match,
NoReturn,
Optional,
Pattern,
2023-02-02 18:55:07 +01:00
Sequence,
Set,
Tuple,
Union,
cast,
)
from telegram import Chat as TGChat
from telegram import Message, MessageEntity, Update
from telegram import User as TGUser
from telegram._utils.types import SCT
2021-11-20 11:36:18 +01:00
from telegram.constants import DiceEmoji as DiceEmojiEnum
2023-02-02 18:55:07 +01:00
from telegram.ext._utils.types import FilterDataDict
2021-11-20 11:36:18 +01:00
class BaseFilter:
"""Base class for all Filters.
2016-09-25 00:30:04 +02:00
Filters subclassing from this class can combined using bitwise operators:
2016-09-25 00:30:04 +02:00
And::
2016-09-25 00:30:04 +02:00
filters.TEXT & filters.Entity(MENTION)
2016-09-25 00:30:04 +02:00
Or::
2016-09-25 00:30:04 +02:00
filters.AUDIO | filters.VIDEO
2016-09-25 00:30:04 +02:00
Exclusive Or::
filters.Regex('To Be') ^ filters.Regex('Not 2B')
Not::
~ filters.COMMAND
Also works with more than two filters::
2016-09-25 00:30:04 +02:00
filters.TEXT & (filters.Entity("url") | filters.Entity("text_link"))
filters.TEXT & (~ filters.FORWARDED)
2016-09-25 00:30:04 +02:00
Note:
Filters use the same short circuiting logic as python's :keyword:`and`, :keyword:`or` and
:keyword:`not`. This means that for example::
filters.Regex(r'(a?x)') | filters.Regex(r'(b?x)')
2021-11-20 11:36:18 +01:00
With ``message.text == 'x'``, will only ever return the matches for the first filter,
since the second one is never evaluated.
If you want to create your own filters create a class inheriting from either
2021-11-20 11:36:18 +01:00
:class:`MessageFilter` or :class:`UpdateFilter` and implement a ``filter()``
method that returns a boolean: :obj:`True` if the message should be
handled, :obj:`False` otherwise.
2021-11-20 11:36:18 +01:00
Note that the filters work only as class instances, not actual class objects (so remember to
initialize your filter classes).
By default, the filters name (what will get printed when converted to a string for display)
Documentation Improvements (#2008) * Minor doc updates, following official API docs * Fix spelling in Defaults docstrings * Clarify Changelog of v12.7 about aware dates * Fix typo in CHANGES.rst (#2024) * Fix PicklePersistence.flush() with only bot_data (#2017) * Update pylint in pre-commit to fix CI (#2018) * Add Filters.via_bot (#2009) * feat: via_bot filter also fixing a small mistake in the empty parameter of the user filter and improve docs slightly * fix: forgot to set via_bot to None * fix: redoing subclassing to copy paste solution * Cosmetic changes Co-authored-by: Hinrich Mahler <hinrich.mahler@freenet.de> * Update CHANGES.rst Fixed Typo Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> Co-authored-by: Poolitzer <25934244+Poolitzer@users.noreply.github.com> * Update downloads badge, add info on IRC Channel to Getting Help section * Remove RegexHandler from ConversationHandlers Docs (#1973) Replaced RegexHandler with MessageHandler, since the former is deprecated * Fix Filters.via_bot docstrings * Add notes on Markdown v1 being legacy mode * Fixed typo in the Regex doc.. (#2036) * Typo: Spelling * Minor cleanup from #2043 * Document CommandHandler ignoring channel posts * Doc fixes for a few telegram.ext classes * Doc fixes for most `telegram` classes. * pep-8 forgot the hard wrap is at 99 chars, not 100! fixed a few spelling mistakes too. * Address review and made rendering of booleans consistent True, False, None are now rendered with ``bool`` wherever they weren't in telegram and telegram.ext classes. * Few doc fixes for inline* classes As usual, docs were cross-checked with official tg api docs. * Doc fixes for telegram/files classes As usual, docs were cross-checked with official tg api docs. * Doc fixes for telegram.Game Mostly just added hyperlinks. And fixed message length doc. As usual, docs were cross-checked with official tg api docs. * Very minor doc fix for passportfile.py and passportelementerrors.py Didn't bother changing too much since this seems to be a custom implementation. * Doc fixes for telegram.payments As usual, cross-checked with official bot api docs. * Address review 2 Few tiny other fixes too. * Changed from ``True/False/None`` to :obj:`True/False/None` project-wide. Few tiny other doc fixes too. Co-authored-by: Robert Geislinger <mitachundkrach@gmail.com> Co-authored-by: Poolitzer <25934244+Poolitzer@users.noreply.github.com> Co-authored-by: GauthamramRavichandran <30320759+GauthamramRavichandran@users.noreply.github.com> Co-authored-by: Mahesh19 <maheshvagicherla99438@gmail.com> Co-authored-by: hoppingturtles <ilovebhagwan@gmail.com>
2020-08-24 19:35:57 +02:00
will be the class name. If you want to overwrite this assign a better name to the :attr:`name`
class variable.
.. versionadded:: 20.0
2021-11-20 11:36:18 +01:00
Added the arguments :attr:`name` and :attr:`data_filter`.
Args:
name (:obj:`str`): Name for this filter. Defaults to the type of filter.
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
data_filter (:obj:`bool`): Whether this filter is a data filter. A data filter should
return a dict with lists. The dict will be merged with
:class:`telegram.ext.CallbackContext`'s internal dict in most cases
(depends on the handler).
2016-09-25 00:30:04 +02:00
"""
__slots__ = ("_name", "_data_filter")
def __init__(self, name: Optional[str] = None, data_filter: bool = False):
2021-11-20 11:36:18 +01:00
self._name = self.__class__.__name__ if name is None else name
self._data_filter = data_filter
2020-10-06 19:28:40 +02:00
def __and__(self, other: "BaseFilter") -> "BaseFilter":
"""Defines `AND` bitwise operator for :class:`BaseFilter` object.
The combined filter accepts an update only if it is accepted by both filters.
For example, ``filters.PHOTO & filters.CAPTION`` will only accept messages that contain
both a photo and a caption.
Returns:
:obj:`BaseFilter`
"""
2021-11-20 11:36:18 +01:00
return _MergedFilter(self, and_filter=other)
2020-10-06 19:28:40 +02:00
def __or__(self, other: "BaseFilter") -> "BaseFilter":
"""Defines `OR` bitwise operator for :class:`BaseFilter` object.
The combined filter accepts an update only if it is accepted by any of the filters.
For example, ``filters.PHOTO | filters.CAPTION`` will only accept messages that contain
photo or caption or both.
Returns:
:obj:`BaseFilter`
"""
2021-11-20 11:36:18 +01:00
return _MergedFilter(self, or_filter=other)
def __xor__(self, other: "BaseFilter") -> "BaseFilter":
"""Defines `XOR` bitwise operator for :class:`BaseFilter` object.
The combined filter accepts an update only if it is accepted by any of the filters and
not both of them. For example, ``filters.PHOTO ^ filters.CAPTION`` will only accept
messages that contain photo or caption, not both of them.
Returns:
:obj:`BaseFilter`
"""
2021-11-20 11:36:18 +01:00
return _XORFilter(self, other)
2020-10-06 19:28:40 +02:00
def __invert__(self) -> "BaseFilter":
"""Defines `NOT` bitwise operator for :class:`BaseFilter` object.
The combined filter accepts an update only if it is accepted by any of the filters.
For example, ``~ filters.PHOTO`` will only accept messages that do not contain photo.
Returns:
:obj:`BaseFilter`
"""
2021-11-20 11:36:18 +01:00
return _InvertedFilter(self)
def __repr__(self) -> str:
"""Gives name for this filter.
.. seealso::
:meth:`name`
Returns:
:obj:`str`:
"""
return self.name
@property
def data_filter(self) -> bool:
2023-02-02 18:55:07 +01:00
""":obj:`bool`: Whether this filter is a data filter."""
return self._data_filter
@data_filter.setter
def data_filter(self, value: bool) -> None:
self._data_filter = value
@property
2021-11-20 11:36:18 +01:00
def name(self) -> str:
2023-02-02 18:55:07 +01:00
""":obj:`str`: Name for this filter."""
return self._name
@name.setter
2021-11-20 11:36:18 +01:00
def name(self, name: str) -> None:
self._name = name
def check_update( # skipcq: PYL-R0201
self, update: Update
) -> Optional[Union[bool, FilterDataDict]]:
"""Checks if the specified update should be handled by this filter.
Args:
update (:class:`telegram.Update`): The update to check.
Returns:
:obj:`bool`: :obj:`True` if the update contains one of
:attr:`~telegram.Update.channel_post`, :attr:`~telegram.Update.message`,
:attr:`~telegram.Update.edited_channel_post` or
:attr:`~telegram.Update.edited_message`, :obj:`False` otherwise.
"""
if ( # Only message updates should be handled.
update.channel_post
or update.message
or update.edited_channel_post
or update.edited_message
):
return True
return False
class MessageFilter(BaseFilter):
"""Base class for all Message Filters. In contrast to :class:`UpdateFilter`, the object passed
2021-11-20 11:36:18 +01:00
to :meth:`filter` is :obj:`telegram.Update.effective_message`.
2021-11-20 11:36:18 +01:00
Please see :class:`BaseFilter` for details on how to create custom filters.
2023-03-25 19:18:04 +01:00
.. seealso:: :wiki:`Advanced Filters <Extensions---Advanced-Filters>`
"""
__slots__ = ()
2023-02-02 18:55:07 +01:00
def check_update(self, update: Update) -> Optional[Union[bool, FilterDataDict]]:
"""Checks if the specified update should be handled by this filter by passing
:attr:`~telegram.Update.effective_message` to :meth:`filter`.
Args:
update (:class:`telegram.Update`): The update to check.
Returns:
:obj:`bool` | Dict[:obj:`str`, :obj:`list`] | :obj:`None`: If the update should be
handled by this filter, returns :obj:`True` or a dict with lists, in case the filter
is a data filter. If the update should not be handled by this filter, :obj:`False` or
:obj:`None`.
"""
2021-11-21 12:39:04 +01:00
if super().check_update(update):
return self.filter(update.effective_message) # type: ignore[arg-type]
return False
@abstractmethod
2023-02-02 18:55:07 +01:00
def filter(self, message: Message) -> Optional[Union[bool, FilterDataDict]]:
2017-09-01 08:43:08 +02:00
"""This method must be overwritten.
Args:
message (:class:`telegram.Message`): The message that is tested.
Returns:
:obj:`dict` or :obj:`bool`
"""
class UpdateFilter(BaseFilter):
"""Base class for all Update Filters. In contrast to :class:`MessageFilter`, the object
2021-11-20 11:36:18 +01:00
passed to :meth:`filter` is an instance of :class:`telegram.Update`, which allows to create
filters like :attr:`telegram.ext.filters.UpdateType.EDITED_MESSAGE`.
Please see :class:`telegram.ext.filters.BaseFilter` for details on how to create custom
filters.
"""
__slots__ = ()
2023-02-02 18:55:07 +01:00
def check_update(self, update: Update) -> Optional[Union[bool, FilterDataDict]]:
"""Checks if the specified update should be handled by this filter.
Args:
update (:class:`telegram.Update`): The update to check.
Returns:
:obj:`bool` | Dict[:obj:`str`, :obj:`list`] | :obj:`None`: If the update should be
handled by this filter, returns :obj:`True` or a dict with lists, in case the filter
is a data filter. If the update should not be handled by this filter, :obj:`False` or
:obj:`None`.
"""
2021-11-20 11:36:18 +01:00
return self.filter(update) if super().check_update(update) else False
@abstractmethod
2023-02-02 18:55:07 +01:00
def filter(self, update: Update) -> Optional[Union[bool, FilterDataDict]]:
"""This method must be overwritten.
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
Args:
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
update (:class:`telegram.Update`): The update that is tested.
Returns:
Documentation Improvements (#2008) * Minor doc updates, following official API docs * Fix spelling in Defaults docstrings * Clarify Changelog of v12.7 about aware dates * Fix typo in CHANGES.rst (#2024) * Fix PicklePersistence.flush() with only bot_data (#2017) * Update pylint in pre-commit to fix CI (#2018) * Add Filters.via_bot (#2009) * feat: via_bot filter also fixing a small mistake in the empty parameter of the user filter and improve docs slightly * fix: forgot to set via_bot to None * fix: redoing subclassing to copy paste solution * Cosmetic changes Co-authored-by: Hinrich Mahler <hinrich.mahler@freenet.de> * Update CHANGES.rst Fixed Typo Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> Co-authored-by: Poolitzer <25934244+Poolitzer@users.noreply.github.com> * Update downloads badge, add info on IRC Channel to Getting Help section * Remove RegexHandler from ConversationHandlers Docs (#1973) Replaced RegexHandler with MessageHandler, since the former is deprecated * Fix Filters.via_bot docstrings * Add notes on Markdown v1 being legacy mode * Fixed typo in the Regex doc.. (#2036) * Typo: Spelling * Minor cleanup from #2043 * Document CommandHandler ignoring channel posts * Doc fixes for a few telegram.ext classes * Doc fixes for most `telegram` classes. * pep-8 forgot the hard wrap is at 99 chars, not 100! fixed a few spelling mistakes too. * Address review and made rendering of booleans consistent True, False, None are now rendered with ``bool`` wherever they weren't in telegram and telegram.ext classes. * Few doc fixes for inline* classes As usual, docs were cross-checked with official tg api docs. * Doc fixes for telegram/files classes As usual, docs were cross-checked with official tg api docs. * Doc fixes for telegram.Game Mostly just added hyperlinks. And fixed message length doc. As usual, docs were cross-checked with official tg api docs. * Very minor doc fix for passportfile.py and passportelementerrors.py Didn't bother changing too much since this seems to be a custom implementation. * Doc fixes for telegram.payments As usual, cross-checked with official bot api docs. * Address review 2 Few tiny other fixes too. * Changed from ``True/False/None`` to :obj:`True/False/None` project-wide. Few tiny other doc fixes too. Co-authored-by: Robert Geislinger <mitachundkrach@gmail.com> Co-authored-by: Poolitzer <25934244+Poolitzer@users.noreply.github.com> Co-authored-by: GauthamramRavichandran <30320759+GauthamramRavichandran@users.noreply.github.com> Co-authored-by: Mahesh19 <maheshvagicherla99438@gmail.com> Co-authored-by: hoppingturtles <ilovebhagwan@gmail.com>
2020-08-24 19:35:57 +02:00
:obj:`dict` or :obj:`bool`.
2017-09-01 08:43:08 +02:00
"""
2021-11-20 11:36:18 +01:00
class _InvertedFilter(UpdateFilter):
"""Represents a filter that has been inverted.
Args:
f: The filter to invert.
2017-09-01 08:43:08 +02:00
"""
2021-11-20 11:36:18 +01:00
__slots__ = ("inv_filter",)
2020-10-06 19:28:40 +02:00
def __init__(self, f: BaseFilter):
2021-11-20 11:36:18 +01:00
super().__init__()
self.inv_filter = f
2020-10-06 19:28:40 +02:00
def filter(self, update: Update) -> bool:
2021-11-20 11:36:18 +01:00
return not bool(self.inv_filter.check_update(update))
@property
def name(self) -> str:
2021-11-20 11:36:18 +01:00
return f"<inverted {self.inv_filter}>"
@name.setter
def name(self, name: str) -> NoReturn:
2021-11-20 11:36:18 +01:00
raise RuntimeError("Cannot set name for combined filters.")
2021-11-20 11:36:18 +01:00
class _MergedFilter(UpdateFilter):
"""Represents a filter consisting of two other filters.
Args:
Documentation Improvements (#2008) * Minor doc updates, following official API docs * Fix spelling in Defaults docstrings * Clarify Changelog of v12.7 about aware dates * Fix typo in CHANGES.rst (#2024) * Fix PicklePersistence.flush() with only bot_data (#2017) * Update pylint in pre-commit to fix CI (#2018) * Add Filters.via_bot (#2009) * feat: via_bot filter also fixing a small mistake in the empty parameter of the user filter and improve docs slightly * fix: forgot to set via_bot to None * fix: redoing subclassing to copy paste solution * Cosmetic changes Co-authored-by: Hinrich Mahler <hinrich.mahler@freenet.de> * Update CHANGES.rst Fixed Typo Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> Co-authored-by: Poolitzer <25934244+Poolitzer@users.noreply.github.com> * Update downloads badge, add info on IRC Channel to Getting Help section * Remove RegexHandler from ConversationHandlers Docs (#1973) Replaced RegexHandler with MessageHandler, since the former is deprecated * Fix Filters.via_bot docstrings * Add notes on Markdown v1 being legacy mode * Fixed typo in the Regex doc.. (#2036) * Typo: Spelling * Minor cleanup from #2043 * Document CommandHandler ignoring channel posts * Doc fixes for a few telegram.ext classes * Doc fixes for most `telegram` classes. * pep-8 forgot the hard wrap is at 99 chars, not 100! fixed a few spelling mistakes too. * Address review and made rendering of booleans consistent True, False, None are now rendered with ``bool`` wherever they weren't in telegram and telegram.ext classes. * Few doc fixes for inline* classes As usual, docs were cross-checked with official tg api docs. * Doc fixes for telegram/files classes As usual, docs were cross-checked with official tg api docs. * Doc fixes for telegram.Game Mostly just added hyperlinks. And fixed message length doc. As usual, docs were cross-checked with official tg api docs. * Very minor doc fix for passportfile.py and passportelementerrors.py Didn't bother changing too much since this seems to be a custom implementation. * Doc fixes for telegram.payments As usual, cross-checked with official bot api docs. * Address review 2 Few tiny other fixes too. * Changed from ``True/False/None`` to :obj:`True/False/None` project-wide. Few tiny other doc fixes too. Co-authored-by: Robert Geislinger <mitachundkrach@gmail.com> Co-authored-by: Poolitzer <25934244+Poolitzer@users.noreply.github.com> Co-authored-by: GauthamramRavichandran <30320759+GauthamramRavichandran@users.noreply.github.com> Co-authored-by: Mahesh19 <maheshvagicherla99438@gmail.com> Co-authored-by: hoppingturtles <ilovebhagwan@gmail.com>
2020-08-24 19:35:57 +02:00
base_filter: Filter 1 of the merged filter.
and_filter: Optional filter to "and" with base_filter. Mutually exclusive with or_filter.
or_filter: Optional filter to "or" with base_filter. Mutually exclusive with and_filter.
2017-09-01 08:43:08 +02:00
"""
__slots__ = ("base_filter", "and_filter", "or_filter")
2020-10-06 19:28:40 +02:00
def __init__(
self,
base_filter: BaseFilter,
and_filter: Optional[BaseFilter] = None,
or_filter: Optional[BaseFilter] = None,
2020-10-06 19:28:40 +02:00
):
2021-11-20 11:36:18 +01:00
super().__init__()
self.base_filter = base_filter
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
if self.base_filter.data_filter:
self.data_filter = True
self.and_filter = and_filter
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
if (
self.and_filter
and not isinstance(self.and_filter, bool)
and self.and_filter.data_filter
):
self.data_filter = True
self.or_filter = or_filter
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
if self.or_filter and not isinstance(self.and_filter, bool) and self.or_filter.data_filter:
self.data_filter = True
@staticmethod
2023-02-02 18:55:07 +01:00
def _merge(base_output: Union[bool, Dict], comp_output: Union[bool, Dict]) -> FilterDataDict:
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
base = base_output if isinstance(base_output, dict) else {}
comp = comp_output if isinstance(comp_output, dict) else {}
2023-03-25 19:18:04 +01:00
for k in comp:
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
# Make sure comp values are lists
comp_value = comp[k] if isinstance(comp[k], list) else []
try:
# If base is a list then merge
if isinstance(base[k], list):
base[k] += comp_value
else:
2023-03-25 19:18:04 +01:00
base[k] = [base[k], *comp_value]
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
except KeyError:
base[k] = comp_value
return base
# pylint: disable=too-many-return-statements
2023-02-02 18:55:07 +01:00
def filter(self, update: Update) -> Union[bool, FilterDataDict]:
2021-11-20 11:36:18 +01:00
base_output = self.base_filter.check_update(update)
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
# We need to check if the filters are data filters and if so return the merged data.
# If it's not a data filter or an or_filter but no matches return bool
if self.and_filter:
2021-11-20 11:36:18 +01:00
# And filter needs to short circuit if base is falsy
if base_output:
2021-11-20 11:36:18 +01:00
comp_output = self.and_filter.check_update(update)
if comp_output:
if self.data_filter:
merged = self._merge(base_output, comp_output)
if merged:
return merged
return True
elif self.or_filter:
2021-11-20 11:36:18 +01:00
# Or filter needs to short circuit if base is truthy
if base_output:
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
if self.data_filter:
return base_output
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
return True
2021-11-20 11:36:18 +01:00
comp_output = self.or_filter.check_update(update)
if comp_output:
if self.data_filter:
return comp_output
return True
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
return False
@property
def name(self) -> str:
2020-11-23 22:09:29 +01:00
return (
f"<{self.base_filter} {'and' if self.and_filter else 'or'} "
f"{self.and_filter or self.or_filter}>"
)
@name.setter
def name(self, name: str) -> NoReturn:
2021-11-20 11:36:18 +01:00
raise RuntimeError("Cannot set name for combined filters.")
2021-11-20 11:36:18 +01:00
class _XORFilter(UpdateFilter):
"""Convenience filter acting as wrapper for :class:`MergedFilter` representing the an XOR gate
for two filters.
Args:
base_filter: Filter 1 of the merged filter.
xor_filter: Filter 2 of the merged filter.
"""
__slots__ = ("base_filter", "xor_filter", "merged_filter")
def __init__(self, base_filter: BaseFilter, xor_filter: BaseFilter):
2021-11-20 11:36:18 +01:00
super().__init__()
self.base_filter = base_filter
self.xor_filter = xor_filter
self.merged_filter = (base_filter & ~xor_filter) | (~base_filter & xor_filter)
2023-02-02 18:55:07 +01:00
def filter(self, update: Update) -> Optional[Union[bool, FilterDataDict]]:
2021-11-20 11:36:18 +01:00
return self.merged_filter.check_update(update)
@property
def name(self) -> str:
return f"<{self.base_filter} xor {self.xor_filter}>"
@name.setter
def name(self, name: str) -> NoReturn:
2021-11-20 11:36:18 +01:00
raise RuntimeError("Cannot set name for combined filters.")
2021-11-20 11:36:18 +01:00
class _All(MessageFilter):
__slots__ = ()
2021-11-20 11:36:18 +01:00
def filter(self, message: Message) -> bool:
return True
2021-11-20 11:36:18 +01:00
ALL = _All(name="filters.ALL")
"""All Messages."""
2021-11-20 11:36:18 +01:00
class _Animation(MessageFilter):
__slots__ = ()
2020-10-06 19:28:40 +02:00
def filter(self, message: Message) -> bool:
2021-11-20 11:36:18 +01:00
return bool(message.animation)
2021-11-20 11:36:18 +01:00
ANIMATION = _Animation(name="filters.ANIMATION")
"""Messages that contain :attr:`telegram.Message.animation`."""
2017-09-01 08:43:08 +02:00
2021-11-20 11:36:18 +01:00
class _Attachment(MessageFilter):
__slots__ = ()
2021-11-20 11:36:18 +01:00
def filter(self, message: Message) -> bool:
return bool(message.effective_attachment)
2021-11-20 11:36:18 +01:00
ATTACHMENT = _Attachment(name="filters.ATTACHMENT")
"""Messages that contain :meth:`telegram.Message.effective_attachment`.
2021-11-20 11:36:18 +01:00
.. versionadded:: 13.6"""
2021-11-20 11:36:18 +01:00
class _Audio(MessageFilter):
__slots__ = ()
2021-11-20 11:36:18 +01:00
def filter(self, message: Message) -> bool:
return bool(message.audio)
2021-11-20 11:36:18 +01:00
AUDIO = _Audio(name="filters.AUDIO")
"""Messages that contain :attr:`telegram.Message.audio`."""
2021-11-20 11:36:18 +01:00
class Caption(MessageFilter):
"""Messages with a caption. If a list of strings is passed, it filters messages to only
allow those whose caption is appearing in the given list.
2021-11-20 11:36:18 +01:00
Examples:
``MessageHandler(filters.Caption(['PTB rocks!', 'PTB']), callback_method_2)``
2021-11-20 11:36:18 +01:00
.. seealso::
:attr:`telegram.ext.filters.CAPTION`
Args:
2021-11-20 11:36:18 +01:00
strings (List[:obj:`str`] | Tuple[:obj:`str`], optional): Which captions to allow. Only
exact matches are allowed. If not specified, will allow any message with a caption.
"""
2021-11-20 11:36:18 +01:00
__slots__ = ("strings",)
def __init__(self, strings: Optional[Union[List[str], Tuple[str, ...]]] = None):
2023-02-02 18:55:07 +01:00
self.strings: Optional[Sequence[str]] = strings
2021-11-20 11:36:18 +01:00
super().__init__(name=f"filters.Caption({strings})" if strings else "filters.CAPTION")
def filter(self, message: Message) -> bool:
if self.strings is None:
return bool(message.caption)
return message.caption in self.strings if message.caption else False
2021-11-20 11:36:18 +01:00
CAPTION = Caption()
"""Shortcut for :class:`telegram.ext.filters.Caption()`.
2021-11-20 11:36:18 +01:00
Examples:
To allow any caption, simply use ``MessageHandler(filters.CAPTION, callback_method)``.
"""
2021-11-20 11:36:18 +01:00
class CaptionEntity(MessageFilter):
"""
Filters media messages to only allow those which have a :class:`telegram.MessageEntity`
where their :class:`~telegram.MessageEntity.type` matches `entity_type`.
Examples:
2021-11-20 11:36:18 +01:00
``MessageHandler(filters.CaptionEntity("hashtag"), callback_method)``
Args:
2021-11-20 11:36:18 +01:00
entity_type (:obj:`str`): Caption Entity type to check for. All types can be found as
constants in :class:`telegram.MessageEntity`.
2021-11-20 11:36:18 +01:00
"""
2021-11-20 11:36:18 +01:00
__slots__ = ("entity_type",)
2021-11-20 11:36:18 +01:00
def __init__(self, entity_type: str):
2023-02-02 18:55:07 +01:00
self.entity_type: str = entity_type
2021-11-20 11:36:18 +01:00
super().__init__(name=f"filters.CaptionEntity({self.entity_type})")
2021-11-20 11:36:18 +01:00
def filter(self, message: Message) -> bool:
return any(entity.type == self.entity_type for entity in message.caption_entities)
2021-11-20 11:36:18 +01:00
class CaptionRegex(MessageFilter):
"""
Filters updates by searching for an occurrence of :paramref:`~CaptionRegex.pattern` in the
message caption.
2021-11-20 11:36:18 +01:00
This filter works similarly to :class:`Regex`, with the only exception being that
it applies to the message caption instead of the text.
2021-11-20 11:36:18 +01:00
Examples:
Use ``MessageHandler(filters.PHOTO & filters.CaptionRegex(r'help'), callback)``
to capture all photos with caption containing the word 'help'.
Note:
2021-11-20 11:36:18 +01:00
This filter will not work on simple text messages, but only on media with caption.
Args:
pattern (:obj:`str` | :func:`re.Pattern <re.compile>`): The regex pattern.
"""
2021-11-20 11:36:18 +01:00
__slots__ = ("pattern",)
2023-02-02 18:55:07 +01:00
def __init__(self, pattern: Union[str, Pattern[str]]):
2021-11-20 11:36:18 +01:00
if isinstance(pattern, str):
pattern = re.compile(pattern)
2023-02-02 18:55:07 +01:00
self.pattern: Pattern[str] = pattern
2021-11-20 11:36:18 +01:00
super().__init__(name=f"filters.CaptionRegex({self.pattern})", data_filter=True)
2018-03-15 05:59:27 +01:00
2023-02-02 18:55:07 +01:00
def filter(self, message: Message) -> Optional[Dict[str, List[Match[str]]]]:
if message.caption and (match := self.pattern.search(message.caption)):
return {"matches": [match]}
2021-11-20 11:36:18 +01:00
return {}
2018-03-15 05:59:27 +01:00
2021-11-20 11:36:18 +01:00
class _ChatUserBaseFilter(MessageFilter, ABC):
__slots__ = (
"_chat_id_name",
"_username_name",
"allow_empty",
"_chat_ids",
"_usernames",
)
2021-11-20 11:36:18 +01:00
def __init__(
self,
chat_id: Optional[SCT[int]] = None,
username: Optional[SCT[str]] = None,
2021-11-20 11:36:18 +01:00
allow_empty: bool = False,
):
super().__init__()
2023-02-02 18:55:07 +01:00
self._chat_id_name: str = "chat_id"
self._username_name: str = "username"
self.allow_empty: bool = allow_empty
2021-11-20 11:36:18 +01:00
self._chat_ids: Set[int] = set()
self._usernames: Set[str] = set()
2021-11-20 11:36:18 +01:00
self._set_chat_ids(chat_id)
self._set_usernames(username)
@abstractmethod
2023-02-02 18:55:07 +01:00
def _get_chat_or_user(self, message: Message) -> Union[TGChat, TGUser, None]:
2021-11-20 11:36:18 +01:00
...
@staticmethod
def _parse_chat_id(chat_id: Optional[SCT[int]]) -> Set[int]:
2021-11-20 11:36:18 +01:00
if chat_id is None:
return set()
if isinstance(chat_id, int):
return {chat_id}
return set(chat_id)
@staticmethod
def _parse_username(username: Optional[SCT[str]]) -> Set[str]:
2021-11-20 11:36:18 +01:00
if username is None:
return set()
if isinstance(username, str):
return {username[1:] if username.startswith("@") else username}
return {chat[1:] if chat.startswith("@") else chat for chat in username}
def _set_chat_ids(self, chat_id: Optional[SCT[int]]) -> None:
if chat_id and self._usernames:
raise RuntimeError(
f"Can't set {self._chat_id_name} in conjunction with (already set) "
f"{self._username_name}s."
)
self._chat_ids = self._parse_chat_id(chat_id)
2021-11-20 11:36:18 +01:00
def _set_usernames(self, username: Optional[SCT[str]]) -> None:
if username and self._chat_ids:
raise RuntimeError(
f"Can't set {self._username_name} in conjunction with (already set) "
f"{self._chat_id_name}s."
)
self._usernames = self._parse_username(username)
2021-11-20 11:36:18 +01:00
@property
def chat_ids(self) -> FrozenSet[int]:
return frozenset(self._chat_ids)
2021-11-20 11:36:18 +01:00
@chat_ids.setter
def chat_ids(self, chat_id: SCT[int]) -> None:
2021-11-20 11:36:18 +01:00
self._set_chat_ids(chat_id)
@property
def usernames(self) -> FrozenSet[str]:
"""Which username(s) to allow through.
Warning:
:attr:`usernames` will give a *copy* of the saved usernames as :obj:`frozenset`. This
is to ensure thread safety. To add/remove a user, you should use :meth:`add_usernames`,
and :meth:`remove_usernames`. Only update the entire set by
``filter.usernames = new_set``, if you are entirely sure that it is not causing race
conditions, as this will complete replace the current set of allowed users.
Returns:
frozenset(:obj:`str`)
"""
return frozenset(self._usernames)
2021-11-20 11:36:18 +01:00
@usernames.setter
def usernames(self, username: SCT[str]) -> None:
2021-11-20 11:36:18 +01:00
self._set_usernames(username)
def add_usernames(self, username: SCT[str]) -> None:
2018-03-15 05:59:27 +01:00
"""
2021-11-20 11:36:18 +01:00
Add one or more chats to the allowed usernames.
2018-03-15 05:59:27 +01:00
2021-11-20 11:36:18 +01:00
Args:
username(:obj:`str` | Collection[:obj:`str`]): Which username(s) to
2021-11-20 11:36:18 +01:00
allow through. Leading ``'@'`` s in usernames will be discarded.
"""
if self._chat_ids:
raise RuntimeError(
f"Can't set {self._username_name} in conjunction with (already set) "
f"{self._chat_id_name}s."
)
2021-11-20 11:36:18 +01:00
parsed_username = self._parse_username(username)
self._usernames |= parsed_username
def _add_chat_ids(self, chat_id: SCT[int]) -> None:
if self._usernames:
raise RuntimeError(
f"Can't set {self._chat_id_name} in conjunction with (already set) "
f"{self._username_name}s."
)
parsed_chat_id = self._parse_chat_id(chat_id)
self._chat_ids |= parsed_chat_id
2021-11-20 11:36:18 +01:00
def remove_usernames(self, username: SCT[str]) -> None:
2021-11-20 11:36:18 +01:00
"""
Remove one or more chats from allowed usernames.
Args:
username(:obj:`str` | Collection[:obj:`str`]): Which username(s) to
2021-11-20 11:36:18 +01:00
disallow through. Leading ``'@'`` s in usernames will be discarded.
"""
if self._chat_ids:
raise RuntimeError(
f"Can't set {self._username_name} in conjunction with (already set) "
f"{self._chat_id_name}s."
)
parsed_username = self._parse_username(username)
self._usernames -= parsed_username
def _remove_chat_ids(self, chat_id: SCT[int]) -> None:
if self._usernames:
raise RuntimeError(
f"Can't set {self._chat_id_name} in conjunction with (already set) "
f"{self._username_name}s."
)
parsed_chat_id = self._parse_chat_id(chat_id)
self._chat_ids -= parsed_chat_id
2021-11-20 11:36:18 +01:00
def filter(self, message: Message) -> bool:
2023-02-02 18:55:07 +01:00
chat_or_user = self._get_chat_or_user(message)
2021-11-20 11:36:18 +01:00
if chat_or_user:
if self.chat_ids:
return chat_or_user.id in self.chat_ids
if self.usernames:
return bool(chat_or_user.username and chat_or_user.username in self.usernames)
return self.allow_empty
return False
2021-11-20 11:36:18 +01:00
@property
def name(self) -> str:
return (
f"filters.{self.__class__.__name__}("
f"{', '.join(str(s) for s in (self.usernames or self.chat_ids))})"
2021-11-20 11:36:18 +01:00
)
2021-11-20 11:36:18 +01:00
@name.setter
def name(self, name: str) -> NoReturn:
raise RuntimeError(f"Cannot set name for filters.{self.__class__.__name__}")
2021-11-20 11:36:18 +01:00
class Chat(_ChatUserBaseFilter):
"""Filters messages to allow only those which are from a specified chat ID or username.
Examples:
``MessageHandler(filters.Chat(-1234), callback_method)``
2021-11-20 11:36:18 +01:00
Warning:
:attr:`chat_ids` will give a *copy* of the saved chat ids as :class:`frozenset`. This
is to ensure thread safety. To add/remove a chat, you should use :meth:`add_chat_ids`, and
:meth:`remove_chat_ids`. Only update the entire set by ``filter.chat_ids = new_set``,
if you are entirely sure that it is not causing race conditions, as this will complete
replace the current set of allowed chats.
2021-11-20 11:36:18 +01:00
Args:
chat_id(:obj:`int` | Collection[:obj:`int`], optional):
2021-11-20 11:36:18 +01:00
Which chat ID(s) to allow through.
username(:obj:`str` | Collection[:obj:`str`], optional):
2021-11-20 11:36:18 +01:00
Which username(s) to allow through.
Leading ``'@'`` s in usernames will be discarded.
allow_empty(:obj:`bool`, optional): Whether updates should be processed, if no chat
is specified in :attr:`chat_ids` and :attr:`usernames`. Defaults to :obj:`False`.
2021-11-20 11:36:18 +01:00
Attributes:
chat_ids (set(:obj:`int`)): Which chat ID(s) to allow through.
allow_empty (:obj:`bool`): Whether updates should be processed, if no chat
is specified in :attr:`chat_ids` and :attr:`usernames`.
2021-11-20 11:36:18 +01:00
Raises:
RuntimeError: If ``chat_id`` and ``username`` are both present.
"""
2021-11-20 11:36:18 +01:00
__slots__ = ()
2023-02-02 18:55:07 +01:00
def _get_chat_or_user(self, message: Message) -> Optional[TGChat]:
2021-11-20 11:36:18 +01:00
return message.chat
def add_chat_ids(self, chat_id: SCT[int]) -> None:
2021-11-20 11:36:18 +01:00
"""
Add one or more chats to the allowed chat ids.
2021-11-20 11:36:18 +01:00
Args:
chat_id(:obj:`int` | Collection[:obj:`int`]): Which chat ID(s) to allow
2021-11-20 11:36:18 +01:00
through.
"""
return super()._add_chat_ids(chat_id)
def remove_chat_ids(self, chat_id: SCT[int]) -> None:
2021-11-20 11:36:18 +01:00
"""
Remove one or more chats from allowed chat ids.
2021-11-20 11:36:18 +01:00
Args:
chat_id(:obj:`int` | Collection[:obj:`int`]): Which chat ID(s) to
2021-11-20 11:36:18 +01:00
disallow through.
"""
return super()._remove_chat_ids(chat_id)
2021-11-20 11:36:18 +01:00
class _Chat(MessageFilter):
__slots__ = ()
2021-11-20 11:36:18 +01:00
def filter(self, message: Message) -> bool:
return bool(message.chat)
2021-11-20 11:36:18 +01:00
CHAT = _Chat(name="filters.CHAT")
"""This filter filters *any* message that has a :attr:`telegram.Message.chat`."""
2021-11-20 11:36:18 +01:00
class ChatType: # A convenience namespace for Chat types.
"""Subset for filtering the type of chat.
Examples:
2021-11-20 11:36:18 +01:00
Use these filters like: ``filters.ChatType.CHANNEL`` or
``filters.ChatType.SUPERGROUP`` etc.
Caution:
2021-11-20 11:36:18 +01:00
``filters.ChatType`` itself is *not* a filter, but just a convenience namespace.
"""
2021-11-20 11:36:18 +01:00
__slots__ = ()
Bot API 4.0 (#1168) Telegram Passport (#1174): - Add full support for telegram passport. - New types: PassportData, PassportFile, EncryptedPassportElement, EncryptedCredentials, PassportElementError, PassportElementErrorDataField, PassportElementErrorFrontSide, PassportElementErrorReverseSide, PassportElementErrorSelfie, PassportElementErrorFile and PassportElementErrorFiles. - New bot method: set_passport_data_errors - New filter: Filters.passport_data - Field passport_data field on Message - PassportData is automagically decrypted when you specify your private key when creating Updater or Bot. - PassportFiles is also automagically decrypted as you download/retrieve them. - See new passportbot.py example for details on how to use, or go to our telegram passport wiki page for more info - NOTE: Passport decryption requires new dependency `cryptography`. Inputfile rework (#1184): - Change how Inputfile is handled internally - This allows support for specifying the thumbnails of photos and videos using the thumb= argument in the different send_ methods. - Also allows Bot.send_media_group to actually finally send more than one media. - Add thumb to Audio, Video and Videonote - Add Bot.edit_message_media together with InputMediaAnimation, InputMediaAudio, and inputMediaDocument. Other Bot API 4.0 changes: - Add forusquare_type to Venue, InlineQueryResultVenue, InputVenueMessageContent, and Bot.send_venue. (#1170) - Add vCard support by adding vcard field to Contact, InlineQueryResultContact, InputContactMessageContent, and Bot.send_contact. (#1166) - Support new message entities: CASHTAG and PHONE_NUMBER. (#1179) - Cashtag seems to be things like $USD and $GBP, but it seems telegram doesn't currently send them to bots. - Phone number also seems to have limited support for now - Add Bot.send_animation, add width, height, and duration to Animation, and add Filters.animation. (#1172) Co-authored-by: Jasmin Bom <jsmnbom@gmail.com> Co-authored-by: code1mountain <32801117+code1mountain@users.noreply.github.com> Co-authored-by: Eldinnie <pieter.schutz+github@gmail.com> Co-authored-by: mathefreak1 <mathefreak@hi2.in>
2018-08-29 14:18:58 +02:00
2021-11-20 11:36:18 +01:00
class _Channel(MessageFilter):
__slots__ = ()
2020-10-06 19:28:40 +02:00
def filter(self, message: Message) -> bool:
2021-11-20 11:36:18 +01:00
return message.chat.type == TGChat.CHANNEL
2021-11-20 11:36:18 +01:00
CHANNEL = _Channel(name="filters.ChatType.CHANNEL")
"""Updates from channel."""
2021-11-20 11:36:18 +01:00
class _Group(MessageFilter):
__slots__ = ()
2020-10-06 19:28:40 +02:00
def filter(self, message: Message) -> bool:
2021-11-20 11:36:18 +01:00
return message.chat.type == TGChat.GROUP
2021-11-20 11:36:18 +01:00
GROUP = _Group(name="filters.ChatType.GROUP")
"""Updates from group."""
2021-11-20 11:36:18 +01:00
class _Groups(MessageFilter):
__slots__ = ()
2020-10-06 19:28:40 +02:00
def filter(self, message: Message) -> bool:
2021-11-20 11:36:18 +01:00
return message.chat.type in [TGChat.GROUP, TGChat.SUPERGROUP]
2021-11-20 11:36:18 +01:00
GROUPS = _Groups(name="filters.ChatType.GROUPS")
"""Update from group *or* supergroup."""
2021-11-20 11:36:18 +01:00
class _Private(MessageFilter):
__slots__ = ()
2020-10-06 19:28:40 +02:00
def filter(self, message: Message) -> bool:
2021-11-20 11:36:18 +01:00
return message.chat.type == TGChat.PRIVATE
2021-11-20 11:36:18 +01:00
PRIVATE = _Private(name="filters.ChatType.PRIVATE")
"""Update from private chats."""
2021-11-20 11:36:18 +01:00
class _SuperGroup(MessageFilter):
__slots__ = ()
2018-04-14 21:53:54 +02:00
2020-10-06 19:28:40 +02:00
def filter(self, message: Message) -> bool:
2021-11-20 11:36:18 +01:00
return message.chat.type == TGChat.SUPERGROUP
2018-04-14 21:53:54 +02:00
2021-11-20 11:36:18 +01:00
SUPERGROUP = _SuperGroup(name="filters.ChatType.SUPERGROUP")
"""Updates from supergroup."""
2018-04-14 21:53:54 +02:00
2021-11-20 11:36:18 +01:00
class Command(MessageFilter):
"""
Messages with a :attr:`telegram.MessageEntity.BOT_COMMAND`. By default, only allows
2021-11-20 11:36:18 +01:00
messages `starting` with a bot command. Pass :obj:`False` to also allow messages that contain a
bot command `anywhere` in the text.
2021-11-20 11:36:18 +01:00
Examples:
``MessageHandler(filters.Command(False), command_anywhere_callback)``
2021-11-20 11:36:18 +01:00
.. seealso::
:attr:`telegram.ext.filters.COMMAND`.
2021-11-20 11:36:18 +01:00
Note:
:attr:`telegram.ext.filters.TEXT` also accepts messages containing a command.
2021-11-20 11:36:18 +01:00
Args:
only_start (:obj:`bool`, optional): Whether to only allow messages that `start` with a bot
command. Defaults to :obj:`True`.
"""
2021-11-20 11:36:18 +01:00
__slots__ = ("only_start",)
2021-11-20 11:36:18 +01:00
def __init__(self, only_start: bool = True):
2023-02-02 18:55:07 +01:00
self.only_start: bool = only_start
2021-11-20 11:36:18 +01:00
super().__init__(f"filters.Command({only_start})" if not only_start else "filters.COMMAND")
2021-11-20 11:36:18 +01:00
def filter(self, message: Message) -> bool:
if not message.entities:
return False
2021-11-20 11:36:18 +01:00
first = message.entities[0]
2021-11-20 11:36:18 +01:00
if self.only_start:
return bool(first.type == MessageEntity.BOT_COMMAND and first.offset == 0)
return bool(any(e.type == MessageEntity.BOT_COMMAND for e in message.entities))
2017-09-01 08:43:08 +02:00
2021-11-20 11:36:18 +01:00
COMMAND = Command()
"""Shortcut for :class:`telegram.ext.filters.Command()`.
2021-11-20 11:36:18 +01:00
Examples:
To allow messages starting with a command use
``MessageHandler(filters.COMMAND, command_at_start_callback)``.
"""
2017-06-01 04:09:30 +02:00
2021-11-20 11:36:18 +01:00
class _Contact(MessageFilter):
__slots__ = ()
2017-06-01 04:09:30 +02:00
2021-11-20 11:36:18 +01:00
def filter(self, message: Message) -> bool:
return bool(message.contact)
2017-06-01 04:09:30 +02:00
2021-11-20 11:36:18 +01:00
CONTACT = _Contact(name="filters.CONTACT")
"""Messages that contain :attr:`telegram.Message.contact`."""
2017-06-01 04:09:30 +02:00
2021-11-20 11:36:18 +01:00
class _Dice(MessageFilter):
__slots__ = ("emoji", "values")
2017-06-01 04:09:30 +02:00
def __init__(self, values: Optional[SCT[int]] = None, emoji: Optional[DiceEmojiEnum] = None):
2021-11-20 11:36:18 +01:00
super().__init__()
2023-02-02 18:55:07 +01:00
self.emoji: Optional[DiceEmojiEnum] = emoji
self.values: Optional[Collection[int]] = [values] if isinstance(values, int) else values
2017-06-01 04:09:30 +02:00
2021-11-20 11:36:18 +01:00
if emoji: # for filters.Dice.BASKETBALL
self.name = f"filters.Dice.{emoji.name}"
if self.values and emoji: # for filters.Dice.Dice(4) SLOT_MACHINE -> SlotMachine
self.name = f"filters.Dice.{emoji.name.title().replace('_', '')}({self.values})"
elif values: # for filters.Dice(4)
self.name = f"filters.Dice({self.values})"
else:
self.name = "filters.Dice.ALL"
2017-06-01 04:09:30 +02:00
2021-11-20 11:36:18 +01:00
def filter(self, message: Message) -> bool:
if not (dice := message.dice): # no dice
2021-11-20 11:36:18 +01:00
return False
2017-06-01 04:09:30 +02:00
2021-11-20 11:36:18 +01:00
if self.emoji:
emoji_match = dice.emoji == self.emoji
2021-11-20 11:36:18 +01:00
if self.values:
return dice.value in self.values and emoji_match # emoji and value
2021-11-20 11:36:18 +01:00
return emoji_match # emoji, no value
return dice.value in self.values if self.values else True # no emoji, only value
2017-06-01 04:09:30 +02:00
2021-11-20 11:36:18 +01:00
class Dice(_Dice):
"""Dice Messages. If an integer or a list of integers is passed, it filters messages to only
allow those whose dice value is appearing in the given list.
2017-06-01 04:09:30 +02:00
2021-11-20 11:36:18 +01:00
.. versionadded:: 13.4
2017-06-01 04:09:30 +02:00
2021-11-20 11:36:18 +01:00
Examples:
To allow any dice message, simply use
``MessageHandler(filters.Dice.ALL, callback_method)``.
2017-06-01 04:09:30 +02:00
2021-11-20 11:36:18 +01:00
To allow any dice message, but with value 3 `or` 4, use
``MessageHandler(filters.Dice([3, 4]), callback_method)``
2017-06-01 04:09:30 +02:00
2021-11-20 11:36:18 +01:00
To allow only dice messages with the emoji 🎲, but any value, use
``MessageHandler(filters.Dice.DICE, callback_method)``.
2017-06-01 04:09:30 +02:00
2021-11-20 11:36:18 +01:00
To allow only dice messages with the emoji 🎯 and with value 6, use
``MessageHandler(filters.Dice.Darts(6), callback_method)``.
API 5.1 (#2424) * Feat: New invite links * Fix: doc strings Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * new dice, new admin privilege, revoke_messages, update and fix some docs * add missing param to shortcut * Add ChatMemberUpdated * Add voicechat related objects Signed-off-by: starry69 <starry369126@outlook.com> * add versionadd tags Signed-off-by: starry69 <starry369126@outlook.com> * Fix filter tests * Update tg.Update * ChatMemberHandler * Add versioning directives * add can_manage_voice_chats attr and fix docs Signed-off-by: starry69 <starry369126@outlook.com> * fix chat shortcut Signed-off-by: starry69 <starry369126@outlook.com> * address review * MADTC * Chat.message_auto_delete_time * Some doc fixes * address review Signed-off-by: starry69 <starry369126@outlook.com> * welp Signed-off-by: starry69 <starry369126@outlook.com> * Add voicechat related filters Signed-off-by: starry69 <starry369126@outlook.com> * Fix: Addressing review change place of version adding, added obj:True as doc string, changing how member limit is initiated * feat: adding chat shortcuts for invite links * fix: changing equality of chatinviteobjects * Non-test comments * Some test fixes * A bit more tests * Bump API version in both readmes * Increase coverage * Add Bot API Version in telegram.constants (#2429) * add bot api version in constants Signed-off-by: starry69 <starry369126@outlook.com> * addressing review Signed-off-by: starry69 <starry369126@outlook.com> * add versioning directive Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * pre-commit & coverage Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> Co-authored-by: Harshil <ilovebhagwan@gmail.com> Co-authored-by: starry69 <starry369126@outlook.com>
2021-03-14 16:41:35 +01:00
2021-11-20 11:36:18 +01:00
To allow only dice messages with the emoji and with value 5 `or` 6, use
``MessageHandler(filters.Dice.Football([5, 6]), callback_method)``.
API 5.1 (#2424) * Feat: New invite links * Fix: doc strings Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * new dice, new admin privilege, revoke_messages, update and fix some docs * add missing param to shortcut * Add ChatMemberUpdated * Add voicechat related objects Signed-off-by: starry69 <starry369126@outlook.com> * add versionadd tags Signed-off-by: starry69 <starry369126@outlook.com> * Fix filter tests * Update tg.Update * ChatMemberHandler * Add versioning directives * add can_manage_voice_chats attr and fix docs Signed-off-by: starry69 <starry369126@outlook.com> * fix chat shortcut Signed-off-by: starry69 <starry369126@outlook.com> * address review * MADTC * Chat.message_auto_delete_time * Some doc fixes * address review Signed-off-by: starry69 <starry369126@outlook.com> * welp Signed-off-by: starry69 <starry369126@outlook.com> * Add voicechat related filters Signed-off-by: starry69 <starry369126@outlook.com> * Fix: Addressing review change place of version adding, added obj:True as doc string, changing how member limit is initiated * feat: adding chat shortcuts for invite links * fix: changing equality of chatinviteobjects * Non-test comments * Some test fixes * A bit more tests * Bump API version in both readmes * Increase coverage * Add Bot API Version in telegram.constants (#2429) * add bot api version in constants Signed-off-by: starry69 <starry369126@outlook.com> * addressing review Signed-off-by: starry69 <starry369126@outlook.com> * add versioning directive Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * pre-commit & coverage Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> Co-authored-by: Harshil <ilovebhagwan@gmail.com> Co-authored-by: starry69 <starry369126@outlook.com>
2021-03-14 16:41:35 +01:00
2021-11-20 11:36:18 +01:00
Note:
Dice messages don't have text. If you want to filter either text or dice messages, use
``filters.TEXT | filters.Dice.ALL``.
API 5.1 (#2424) * Feat: New invite links * Fix: doc strings Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * new dice, new admin privilege, revoke_messages, update and fix some docs * add missing param to shortcut * Add ChatMemberUpdated * Add voicechat related objects Signed-off-by: starry69 <starry369126@outlook.com> * add versionadd tags Signed-off-by: starry69 <starry369126@outlook.com> * Fix filter tests * Update tg.Update * ChatMemberHandler * Add versioning directives * add can_manage_voice_chats attr and fix docs Signed-off-by: starry69 <starry369126@outlook.com> * fix chat shortcut Signed-off-by: starry69 <starry369126@outlook.com> * address review * MADTC * Chat.message_auto_delete_time * Some doc fixes * address review Signed-off-by: starry69 <starry369126@outlook.com> * welp Signed-off-by: starry69 <starry369126@outlook.com> * Add voicechat related filters Signed-off-by: starry69 <starry369126@outlook.com> * Fix: Addressing review change place of version adding, added obj:True as doc string, changing how member limit is initiated * feat: adding chat shortcuts for invite links * fix: changing equality of chatinviteobjects * Non-test comments * Some test fixes * A bit more tests * Bump API version in both readmes * Increase coverage * Add Bot API Version in telegram.constants (#2429) * add bot api version in constants Signed-off-by: starry69 <starry369126@outlook.com> * addressing review Signed-off-by: starry69 <starry369126@outlook.com> * add versioning directive Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * pre-commit & coverage Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> Co-authored-by: Harshil <ilovebhagwan@gmail.com> Co-authored-by: starry69 <starry369126@outlook.com>
2021-03-14 16:41:35 +01:00
2021-11-20 11:36:18 +01:00
Args:
values (:obj:`int` | Collection[:obj:`int`], optional):
2021-11-20 11:36:18 +01:00
Which values to allow. If not specified, will allow the specified dice message.
"""
2017-06-01 04:09:30 +02:00
2021-11-20 11:36:18 +01:00
__slots__ = ()
2017-06-01 04:09:30 +02:00
2021-11-20 11:36:18 +01:00
ALL = _Dice()
"""Dice messages with any value and any emoji."""
2017-06-01 04:09:30 +02:00
2021-11-20 11:36:18 +01:00
class Basketball(_Dice):
"""Dice messages with the emoji 🏀. Supports passing a list of integers.
2017-06-01 04:09:30 +02:00
2021-11-20 11:36:18 +01:00
Args:
values (:obj:`int` | Collection[:obj:`int`]): Which values to allow.
2021-11-20 11:36:18 +01:00
"""
2017-06-01 04:09:30 +02:00
2021-11-20 11:36:18 +01:00
__slots__ = ()
def __init__(self, values: SCT[int]):
2021-11-20 11:36:18 +01:00
super().__init__(values, emoji=DiceEmojiEnum.BASKETBALL)
2021-11-20 11:36:18 +01:00
BASKETBALL = _Dice(emoji=DiceEmojiEnum.BASKETBALL)
"""Dice messages with the emoji 🏀. Matches any dice value."""
2021-11-20 11:36:18 +01:00
class Bowling(_Dice):
"""Dice messages with the emoji 🎳. Supports passing a list of integers.
2021-11-20 11:36:18 +01:00
Args:
values (:obj:`int` | Collection[:obj:`int`]): Which values to allow.
2021-11-20 11:36:18 +01:00
"""
2021-11-20 11:36:18 +01:00
__slots__ = ()
def __init__(self, values: SCT[int]):
2021-11-20 11:36:18 +01:00
super().__init__(values, emoji=DiceEmojiEnum.BOWLING)
2021-11-20 11:36:18 +01:00
BOWLING = _Dice(emoji=DiceEmojiEnum.BOWLING)
"""Dice messages with the emoji 🎳. Matches any dice value."""
2021-11-20 11:36:18 +01:00
class Darts(_Dice):
"""Dice messages with the emoji 🎯. Supports passing a list of integers.
2021-11-20 11:36:18 +01:00
Args:
values (:obj:`int` | Collection[:obj:`int`]): Which values to allow.
2021-11-20 11:36:18 +01:00
"""
2021-11-20 11:36:18 +01:00
__slots__ = ()
API 5.1 (#2424) * Feat: New invite links * Fix: doc strings Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * new dice, new admin privilege, revoke_messages, update and fix some docs * add missing param to shortcut * Add ChatMemberUpdated * Add voicechat related objects Signed-off-by: starry69 <starry369126@outlook.com> * add versionadd tags Signed-off-by: starry69 <starry369126@outlook.com> * Fix filter tests * Update tg.Update * ChatMemberHandler * Add versioning directives * add can_manage_voice_chats attr and fix docs Signed-off-by: starry69 <starry369126@outlook.com> * fix chat shortcut Signed-off-by: starry69 <starry369126@outlook.com> * address review * MADTC * Chat.message_auto_delete_time * Some doc fixes * address review Signed-off-by: starry69 <starry369126@outlook.com> * welp Signed-off-by: starry69 <starry369126@outlook.com> * Add voicechat related filters Signed-off-by: starry69 <starry369126@outlook.com> * Fix: Addressing review change place of version adding, added obj:True as doc string, changing how member limit is initiated * feat: adding chat shortcuts for invite links * fix: changing equality of chatinviteobjects * Non-test comments * Some test fixes * A bit more tests * Bump API version in both readmes * Increase coverage * Add Bot API Version in telegram.constants (#2429) * add bot api version in constants Signed-off-by: starry69 <starry369126@outlook.com> * addressing review Signed-off-by: starry69 <starry369126@outlook.com> * add versioning directive Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * pre-commit & coverage Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> Co-authored-by: Harshil <ilovebhagwan@gmail.com> Co-authored-by: starry69 <starry369126@outlook.com>
2021-03-14 16:41:35 +01:00
def __init__(self, values: SCT[int]):
2021-11-20 11:36:18 +01:00
super().__init__(values, emoji=DiceEmojiEnum.DARTS)
API 5.1 (#2424) * Feat: New invite links * Fix: doc strings Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * new dice, new admin privilege, revoke_messages, update and fix some docs * add missing param to shortcut * Add ChatMemberUpdated * Add voicechat related objects Signed-off-by: starry69 <starry369126@outlook.com> * add versionadd tags Signed-off-by: starry69 <starry369126@outlook.com> * Fix filter tests * Update tg.Update * ChatMemberHandler * Add versioning directives * add can_manage_voice_chats attr and fix docs Signed-off-by: starry69 <starry369126@outlook.com> * fix chat shortcut Signed-off-by: starry69 <starry369126@outlook.com> * address review * MADTC * Chat.message_auto_delete_time * Some doc fixes * address review Signed-off-by: starry69 <starry369126@outlook.com> * welp Signed-off-by: starry69 <starry369126@outlook.com> * Add voicechat related filters Signed-off-by: starry69 <starry369126@outlook.com> * Fix: Addressing review change place of version adding, added obj:True as doc string, changing how member limit is initiated * feat: adding chat shortcuts for invite links * fix: changing equality of chatinviteobjects * Non-test comments * Some test fixes * A bit more tests * Bump API version in both readmes * Increase coverage * Add Bot API Version in telegram.constants (#2429) * add bot api version in constants Signed-off-by: starry69 <starry369126@outlook.com> * addressing review Signed-off-by: starry69 <starry369126@outlook.com> * add versioning directive Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * pre-commit & coverage Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> Co-authored-by: Harshil <ilovebhagwan@gmail.com> Co-authored-by: starry69 <starry369126@outlook.com>
2021-03-14 16:41:35 +01:00
2021-11-20 11:36:18 +01:00
DARTS = _Dice(emoji=DiceEmojiEnum.DARTS)
"""Dice messages with the emoji 🎯. Matches any dice value."""
API 5.1 (#2424) * Feat: New invite links * Fix: doc strings Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * new dice, new admin privilege, revoke_messages, update and fix some docs * add missing param to shortcut * Add ChatMemberUpdated * Add voicechat related objects Signed-off-by: starry69 <starry369126@outlook.com> * add versionadd tags Signed-off-by: starry69 <starry369126@outlook.com> * Fix filter tests * Update tg.Update * ChatMemberHandler * Add versioning directives * add can_manage_voice_chats attr and fix docs Signed-off-by: starry69 <starry369126@outlook.com> * fix chat shortcut Signed-off-by: starry69 <starry369126@outlook.com> * address review * MADTC * Chat.message_auto_delete_time * Some doc fixes * address review Signed-off-by: starry69 <starry369126@outlook.com> * welp Signed-off-by: starry69 <starry369126@outlook.com> * Add voicechat related filters Signed-off-by: starry69 <starry369126@outlook.com> * Fix: Addressing review change place of version adding, added obj:True as doc string, changing how member limit is initiated * feat: adding chat shortcuts for invite links * fix: changing equality of chatinviteobjects * Non-test comments * Some test fixes * A bit more tests * Bump API version in both readmes * Increase coverage * Add Bot API Version in telegram.constants (#2429) * add bot api version in constants Signed-off-by: starry69 <starry369126@outlook.com> * addressing review Signed-off-by: starry69 <starry369126@outlook.com> * add versioning directive Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * pre-commit & coverage Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> Co-authored-by: Harshil <ilovebhagwan@gmail.com> Co-authored-by: starry69 <starry369126@outlook.com>
2021-03-14 16:41:35 +01:00
2021-11-20 11:36:18 +01:00
class Dice(_Dice):
"""Dice messages with the emoji 🎲. Supports passing a list of integers.
API 5.1 (#2424) * Feat: New invite links * Fix: doc strings Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * new dice, new admin privilege, revoke_messages, update and fix some docs * add missing param to shortcut * Add ChatMemberUpdated * Add voicechat related objects Signed-off-by: starry69 <starry369126@outlook.com> * add versionadd tags Signed-off-by: starry69 <starry369126@outlook.com> * Fix filter tests * Update tg.Update * ChatMemberHandler * Add versioning directives * add can_manage_voice_chats attr and fix docs Signed-off-by: starry69 <starry369126@outlook.com> * fix chat shortcut Signed-off-by: starry69 <starry369126@outlook.com> * address review * MADTC * Chat.message_auto_delete_time * Some doc fixes * address review Signed-off-by: starry69 <starry369126@outlook.com> * welp Signed-off-by: starry69 <starry369126@outlook.com> * Add voicechat related filters Signed-off-by: starry69 <starry369126@outlook.com> * Fix: Addressing review change place of version adding, added obj:True as doc string, changing how member limit is initiated * feat: adding chat shortcuts for invite links * fix: changing equality of chatinviteobjects * Non-test comments * Some test fixes * A bit more tests * Bump API version in both readmes * Increase coverage * Add Bot API Version in telegram.constants (#2429) * add bot api version in constants Signed-off-by: starry69 <starry369126@outlook.com> * addressing review Signed-off-by: starry69 <starry369126@outlook.com> * add versioning directive Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * pre-commit & coverage Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> Co-authored-by: Harshil <ilovebhagwan@gmail.com> Co-authored-by: starry69 <starry369126@outlook.com>
2021-03-14 16:41:35 +01:00
2021-11-20 11:36:18 +01:00
Args:
values (:obj:`int` | Collection[:obj:`int`]): Which values to allow.
2021-11-20 11:36:18 +01:00
"""
API 5.1 (#2424) * Feat: New invite links * Fix: doc strings Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * new dice, new admin privilege, revoke_messages, update and fix some docs * add missing param to shortcut * Add ChatMemberUpdated * Add voicechat related objects Signed-off-by: starry69 <starry369126@outlook.com> * add versionadd tags Signed-off-by: starry69 <starry369126@outlook.com> * Fix filter tests * Update tg.Update * ChatMemberHandler * Add versioning directives * add can_manage_voice_chats attr and fix docs Signed-off-by: starry69 <starry369126@outlook.com> * fix chat shortcut Signed-off-by: starry69 <starry369126@outlook.com> * address review * MADTC * Chat.message_auto_delete_time * Some doc fixes * address review Signed-off-by: starry69 <starry369126@outlook.com> * welp Signed-off-by: starry69 <starry369126@outlook.com> * Add voicechat related filters Signed-off-by: starry69 <starry369126@outlook.com> * Fix: Addressing review change place of version adding, added obj:True as doc string, changing how member limit is initiated * feat: adding chat shortcuts for invite links * fix: changing equality of chatinviteobjects * Non-test comments * Some test fixes * A bit more tests * Bump API version in both readmes * Increase coverage * Add Bot API Version in telegram.constants (#2429) * add bot api version in constants Signed-off-by: starry69 <starry369126@outlook.com> * addressing review Signed-off-by: starry69 <starry369126@outlook.com> * add versioning directive Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * pre-commit & coverage Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> Co-authored-by: Harshil <ilovebhagwan@gmail.com> Co-authored-by: starry69 <starry369126@outlook.com>
2021-03-14 16:41:35 +01:00
2021-11-20 11:36:18 +01:00
__slots__ = ()
API 5.1 (#2424) * Feat: New invite links * Fix: doc strings Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * new dice, new admin privilege, revoke_messages, update and fix some docs * add missing param to shortcut * Add ChatMemberUpdated * Add voicechat related objects Signed-off-by: starry69 <starry369126@outlook.com> * add versionadd tags Signed-off-by: starry69 <starry369126@outlook.com> * Fix filter tests * Update tg.Update * ChatMemberHandler * Add versioning directives * add can_manage_voice_chats attr and fix docs Signed-off-by: starry69 <starry369126@outlook.com> * fix chat shortcut Signed-off-by: starry69 <starry369126@outlook.com> * address review * MADTC * Chat.message_auto_delete_time * Some doc fixes * address review Signed-off-by: starry69 <starry369126@outlook.com> * welp Signed-off-by: starry69 <starry369126@outlook.com> * Add voicechat related filters Signed-off-by: starry69 <starry369126@outlook.com> * Fix: Addressing review change place of version adding, added obj:True as doc string, changing how member limit is initiated * feat: adding chat shortcuts for invite links * fix: changing equality of chatinviteobjects * Non-test comments * Some test fixes * A bit more tests * Bump API version in both readmes * Increase coverage * Add Bot API Version in telegram.constants (#2429) * add bot api version in constants Signed-off-by: starry69 <starry369126@outlook.com> * addressing review Signed-off-by: starry69 <starry369126@outlook.com> * add versioning directive Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * pre-commit & coverage Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> Co-authored-by: Harshil <ilovebhagwan@gmail.com> Co-authored-by: starry69 <starry369126@outlook.com>
2021-03-14 16:41:35 +01:00
def __init__(self, values: SCT[int]):
2021-11-20 11:36:18 +01:00
super().__init__(values, emoji=DiceEmojiEnum.DICE)
API 5.1 (#2424) * Feat: New invite links * Fix: doc strings Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * new dice, new admin privilege, revoke_messages, update and fix some docs * add missing param to shortcut * Add ChatMemberUpdated * Add voicechat related objects Signed-off-by: starry69 <starry369126@outlook.com> * add versionadd tags Signed-off-by: starry69 <starry369126@outlook.com> * Fix filter tests * Update tg.Update * ChatMemberHandler * Add versioning directives * add can_manage_voice_chats attr and fix docs Signed-off-by: starry69 <starry369126@outlook.com> * fix chat shortcut Signed-off-by: starry69 <starry369126@outlook.com> * address review * MADTC * Chat.message_auto_delete_time * Some doc fixes * address review Signed-off-by: starry69 <starry369126@outlook.com> * welp Signed-off-by: starry69 <starry369126@outlook.com> * Add voicechat related filters Signed-off-by: starry69 <starry369126@outlook.com> * Fix: Addressing review change place of version adding, added obj:True as doc string, changing how member limit is initiated * feat: adding chat shortcuts for invite links * fix: changing equality of chatinviteobjects * Non-test comments * Some test fixes * A bit more tests * Bump API version in both readmes * Increase coverage * Add Bot API Version in telegram.constants (#2429) * add bot api version in constants Signed-off-by: starry69 <starry369126@outlook.com> * addressing review Signed-off-by: starry69 <starry369126@outlook.com> * add versioning directive Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * pre-commit & coverage Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> Co-authored-by: Harshil <ilovebhagwan@gmail.com> Co-authored-by: starry69 <starry369126@outlook.com>
2021-03-14 16:41:35 +01:00
2021-11-20 11:36:18 +01:00
DICE = _Dice(emoji=DiceEmojiEnum.DICE) # skipcq: PTC-W0052
"""Dice messages with the emoji 🎲. Matches any dice value."""
API 5.1 (#2424) * Feat: New invite links * Fix: doc strings Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * new dice, new admin privilege, revoke_messages, update and fix some docs * add missing param to shortcut * Add ChatMemberUpdated * Add voicechat related objects Signed-off-by: starry69 <starry369126@outlook.com> * add versionadd tags Signed-off-by: starry69 <starry369126@outlook.com> * Fix filter tests * Update tg.Update * ChatMemberHandler * Add versioning directives * add can_manage_voice_chats attr and fix docs Signed-off-by: starry69 <starry369126@outlook.com> * fix chat shortcut Signed-off-by: starry69 <starry369126@outlook.com> * address review * MADTC * Chat.message_auto_delete_time * Some doc fixes * address review Signed-off-by: starry69 <starry369126@outlook.com> * welp Signed-off-by: starry69 <starry369126@outlook.com> * Add voicechat related filters Signed-off-by: starry69 <starry369126@outlook.com> * Fix: Addressing review change place of version adding, added obj:True as doc string, changing how member limit is initiated * feat: adding chat shortcuts for invite links * fix: changing equality of chatinviteobjects * Non-test comments * Some test fixes * A bit more tests * Bump API version in both readmes * Increase coverage * Add Bot API Version in telegram.constants (#2429) * add bot api version in constants Signed-off-by: starry69 <starry369126@outlook.com> * addressing review Signed-off-by: starry69 <starry369126@outlook.com> * add versioning directive Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * pre-commit & coverage Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> Co-authored-by: Harshil <ilovebhagwan@gmail.com> Co-authored-by: starry69 <starry369126@outlook.com>
2021-03-14 16:41:35 +01:00
2021-11-20 11:36:18 +01:00
class Football(_Dice):
"""Dice messages with the emoji ⚽. Supports passing a list of integers.
API 5.1 (#2424) * Feat: New invite links * Fix: doc strings Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * new dice, new admin privilege, revoke_messages, update and fix some docs * add missing param to shortcut * Add ChatMemberUpdated * Add voicechat related objects Signed-off-by: starry69 <starry369126@outlook.com> * add versionadd tags Signed-off-by: starry69 <starry369126@outlook.com> * Fix filter tests * Update tg.Update * ChatMemberHandler * Add versioning directives * add can_manage_voice_chats attr and fix docs Signed-off-by: starry69 <starry369126@outlook.com> * fix chat shortcut Signed-off-by: starry69 <starry369126@outlook.com> * address review * MADTC * Chat.message_auto_delete_time * Some doc fixes * address review Signed-off-by: starry69 <starry369126@outlook.com> * welp Signed-off-by: starry69 <starry369126@outlook.com> * Add voicechat related filters Signed-off-by: starry69 <starry369126@outlook.com> * Fix: Addressing review change place of version adding, added obj:True as doc string, changing how member limit is initiated * feat: adding chat shortcuts for invite links * fix: changing equality of chatinviteobjects * Non-test comments * Some test fixes * A bit more tests * Bump API version in both readmes * Increase coverage * Add Bot API Version in telegram.constants (#2429) * add bot api version in constants Signed-off-by: starry69 <starry369126@outlook.com> * addressing review Signed-off-by: starry69 <starry369126@outlook.com> * add versioning directive Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * pre-commit & coverage Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> Co-authored-by: Harshil <ilovebhagwan@gmail.com> Co-authored-by: starry69 <starry369126@outlook.com>
2021-03-14 16:41:35 +01:00
2021-11-20 11:36:18 +01:00
Args:
values (:obj:`int` | Collection[:obj:`int`]): Which values to allow.
2021-11-20 11:36:18 +01:00
"""
2017-06-01 04:09:30 +02:00
2021-11-20 11:36:18 +01:00
__slots__ = ()
def __init__(self, values: SCT[int]):
2021-11-20 11:36:18 +01:00
super().__init__(values, emoji=DiceEmojiEnum.FOOTBALL)
2021-11-20 11:36:18 +01:00
FOOTBALL = _Dice(emoji=DiceEmojiEnum.FOOTBALL)
"""Dice messages with the emoji ⚽. Matches any dice value."""
2021-11-20 11:36:18 +01:00
class SlotMachine(_Dice):
"""Dice messages with the emoji 🎰. Supports passing a list of integers.
API 5.1 (#2424) * Feat: New invite links * Fix: doc strings Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * new dice, new admin privilege, revoke_messages, update and fix some docs * add missing param to shortcut * Add ChatMemberUpdated * Add voicechat related objects Signed-off-by: starry69 <starry369126@outlook.com> * add versionadd tags Signed-off-by: starry69 <starry369126@outlook.com> * Fix filter tests * Update tg.Update * ChatMemberHandler * Add versioning directives * add can_manage_voice_chats attr and fix docs Signed-off-by: starry69 <starry369126@outlook.com> * fix chat shortcut Signed-off-by: starry69 <starry369126@outlook.com> * address review * MADTC * Chat.message_auto_delete_time * Some doc fixes * address review Signed-off-by: starry69 <starry369126@outlook.com> * welp Signed-off-by: starry69 <starry369126@outlook.com> * Add voicechat related filters Signed-off-by: starry69 <starry369126@outlook.com> * Fix: Addressing review change place of version adding, added obj:True as doc string, changing how member limit is initiated * feat: adding chat shortcuts for invite links * fix: changing equality of chatinviteobjects * Non-test comments * Some test fixes * A bit more tests * Bump API version in both readmes * Increase coverage * Add Bot API Version in telegram.constants (#2429) * add bot api version in constants Signed-off-by: starry69 <starry369126@outlook.com> * addressing review Signed-off-by: starry69 <starry369126@outlook.com> * add versioning directive Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * pre-commit & coverage Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> Co-authored-by: Harshil <ilovebhagwan@gmail.com> Co-authored-by: starry69 <starry369126@outlook.com>
2021-03-14 16:41:35 +01:00
2021-11-20 11:36:18 +01:00
Args:
values (:obj:`int` | Collection[:obj:`int`]): Which values to allow.
2021-11-20 11:36:18 +01:00
"""
__slots__ = ()
def __init__(self, values: SCT[int]):
2021-11-20 11:36:18 +01:00
super().__init__(values, emoji=DiceEmojiEnum.SLOT_MACHINE)
2021-11-20 11:36:18 +01:00
SLOT_MACHINE = _Dice(emoji=DiceEmojiEnum.SLOT_MACHINE)
"""Dice messages with the emoji 🎰. Matches any dice value."""
class Document:
2021-11-20 11:36:18 +01:00
"""
Subset for messages containing a document/file.
2021-11-20 11:36:18 +01:00
Examples:
Use these filters like: ``filters.Document.MP3``,
``filters.Document.MimeType("text/plain")`` etc. Or just use ``filters.Document.ALL`` for
all document messages.
Caution:
``filters.Document`` itself is *not* a filter, but just a convenience namespace.
2021-11-20 11:36:18 +01:00
"""
2021-11-20 11:36:18 +01:00
__slots__ = ()
class _All(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.document)
ALL = _All(name="filters.Document.ALL")
"""Messages that contain a :attr:`telegram.Message.document`."""
2021-11-20 11:36:18 +01:00
class Category(MessageFilter):
"""Filters documents by their category in the mime-type attribute.
Args:
2021-11-20 11:36:18 +01:00
category (:obj:`str`): Category of the media you want to filter.
2017-09-01 08:43:08 +02:00
2021-11-20 11:36:18 +01:00
Example:
``filters.Document.Category('audio/')`` returns :obj:`True` for all types
of audio sent as a file, for example ``'audio/mpeg'`` or ``'audio/x-wav'``.
Note:
This Filter only filters by the mime_type of the document, it doesn't check the
validity of the document. The user can manipulate the mime-type of a message and
send media with wrong types that don't fit to this handler.
"""
2021-11-20 11:36:18 +01:00
__slots__ = ("_category",)
2021-11-20 11:36:18 +01:00
def __init__(self, category: str):
self._category = category
super().__init__(name=f"filters.Document.Category('{self._category}')")
2020-10-06 19:28:40 +02:00
def filter(self, message: Message) -> bool:
2021-11-21 12:39:04 +01:00
if message.document and message.document.mime_type:
2021-11-20 11:36:18 +01:00
return message.document.mime_type.startswith(self._category)
return False
2021-11-20 11:36:18 +01:00
APPLICATION = Category("application/")
"""Use as ``filters.Document.APPLICATION``."""
AUDIO = Category("audio/")
"""Use as ``filters.Document.AUDIO``."""
IMAGE = Category("image/")
"""Use as ``filters.Document.IMAGE``."""
VIDEO = Category("video/")
"""Use as ``filters.Document.VIDEO``."""
TEXT = Category("text/")
"""Use as ``filters.Document.TEXT``."""
2021-11-20 11:36:18 +01:00
class FileExtension(MessageFilter):
"""This filter filters documents by their file ending/extension.
Args:
2021-11-20 11:36:18 +01:00
file_extension (:obj:`str` | :obj:`None`): Media file extension you want to filter.
case_sensitive (:obj:`bool`, optional): Pass :obj:`True` to make the filter case
sensitive. Default: :obj:`False`.
Example:
* ``filters.Document.FileExtension("jpg")``
filters files with extension ``".jpg"``.
* ``filters.Document.FileExtension(".jpg")``
filters files with extension ``"..jpg"``.
* ``filters.Document.FileExtension("Dockerfile", case_sensitive=True)``
filters files with extension ``".Dockerfile"`` minding the case.
* ``filters.Document.FileExtension(None)``
filters files without a dot in the filename.
2021-11-20 11:36:18 +01:00
Note:
* This Filter only filters by the file ending/extension of the document,
it doesn't check the validity of document.
* The user can manipulate the file extension of a document and
send media with wrong types that don't fit to this handler.
* Case insensitive by default,
you may change this with the flag ``case_sensitive=True``.
* Extension should be passed without leading dot
unless it's a part of the extension.
* Pass :obj:`None` to filter files with no extension,
i.e. without a dot in the filename.
"""
2021-11-20 11:36:18 +01:00
__slots__ = ("_file_extension", "is_case_sensitive")
def __init__(self, file_extension: Optional[str], case_sensitive: bool = False):
super().__init__()
2023-02-02 18:55:07 +01:00
self.is_case_sensitive: bool = case_sensitive
2021-11-20 11:36:18 +01:00
if file_extension is None:
self._file_extension = None
self.name = "filters.Document.FileExtension(None)"
elif self.is_case_sensitive:
self._file_extension = f".{file_extension}"
self.name = (
f"filters.Document.FileExtension({file_extension!r}, case_sensitive=True)"
)
else:
self._file_extension = f".{file_extension}".lower()
self.name = f"filters.Document.FileExtension({file_extension.lower()!r})"
2020-10-06 19:28:40 +02:00
def filter(self, message: Message) -> bool:
2021-11-21 12:39:04 +01:00
if message.document is None or message.document.file_name is None:
2021-11-20 11:36:18 +01:00
return False
if self._file_extension is None:
return "." not in message.document.file_name
if self.is_case_sensitive:
filename = message.document.file_name
else:
filename = message.document.file_name.lower()
return filename.endswith(self._file_extension)
2021-11-20 11:36:18 +01:00
class MimeType(MessageFilter):
"""This Filter filters documents by their mime-type attribute.
2021-11-20 11:36:18 +01:00
Args:
mimetype (:obj:`str`): The mimetype to filter.
2021-11-20 11:36:18 +01:00
Example:
``filters.Document.MimeType('audio/mpeg')`` filters all audio in `.mp3` format.
2021-11-20 11:36:18 +01:00
Note:
This Filter only filters by the mime_type of the document, it doesn't check the
validity of document. The user can manipulate the mime-type of a message and
send media with wrong types that don't fit to this handler.
"""
2021-11-20 11:36:18 +01:00
__slots__ = ("mimetype",)
2021-11-20 11:36:18 +01:00
def __init__(self, mimetype: str):
2023-02-02 18:55:07 +01:00
self.mimetype: str = mimetype # skipcq: PTC-W0052
2021-11-20 11:36:18 +01:00
super().__init__(name=f"filters.Document.MimeType('{self.mimetype}')")
2021-11-20 11:36:18 +01:00
def filter(self, message: Message) -> bool:
if message.document:
return message.document.mime_type == self.mimetype
return False
2021-11-20 11:36:18 +01:00
APK = MimeType("application/vnd.android.package-archive")
"""Use as ``filters.Document.APK``."""
2021-11-21 12:39:04 +01:00
DOC = MimeType(mimetypes.types_map[".doc"])
2021-11-20 11:36:18 +01:00
"""Use as ``filters.Document.DOC``."""
DOCX = MimeType("application/vnd.openxmlformats-officedocument.wordprocessingml.document")
"""Use as ``filters.Document.DOCX``."""
2021-11-21 12:39:04 +01:00
EXE = MimeType(mimetypes.types_map[".exe"])
2021-11-20 11:36:18 +01:00
"""Use as ``filters.Document.EXE``."""
2021-11-21 12:39:04 +01:00
MP4 = MimeType(mimetypes.types_map[".mp4"])
2021-11-20 11:36:18 +01:00
"""Use as ``filters.Document.MP4``."""
2021-11-21 12:39:04 +01:00
GIF = MimeType(mimetypes.types_map[".gif"])
2021-11-20 11:36:18 +01:00
"""Use as ``filters.Document.GIF``."""
2021-11-21 12:39:04 +01:00
JPG = MimeType(mimetypes.types_map[".jpg"])
2021-11-20 11:36:18 +01:00
"""Use as ``filters.Document.JPG``."""
2021-11-21 12:39:04 +01:00
MP3 = MimeType(mimetypes.types_map[".mp3"])
2021-11-20 11:36:18 +01:00
"""Use as ``filters.Document.MP3``."""
2021-11-21 12:39:04 +01:00
PDF = MimeType(mimetypes.types_map[".pdf"])
2021-11-20 11:36:18 +01:00
"""Use as ``filters.Document.PDF``."""
2021-11-21 12:39:04 +01:00
PY = MimeType(mimetypes.types_map[".py"])
2021-11-20 11:36:18 +01:00
"""Use as ``filters.Document.PY``."""
2021-11-21 12:39:04 +01:00
SVG = MimeType(mimetypes.types_map[".svg"])
2021-11-20 11:36:18 +01:00
"""Use as ``filters.Document.SVG``."""
2021-11-21 12:39:04 +01:00
TXT = MimeType(mimetypes.types_map[".txt"])
2021-11-20 11:36:18 +01:00
"""Use as ``filters.Document.TXT``."""
TARGZ = MimeType("application/x-compressed-tar")
"""Use as ``filters.Document.TARGZ``."""
2021-11-21 12:39:04 +01:00
WAV = MimeType(mimetypes.types_map[".wav"])
2021-11-20 11:36:18 +01:00
"""Use as ``filters.Document.WAV``."""
2021-11-21 12:39:04 +01:00
XML = MimeType(mimetypes.types_map[".xml"])
2021-11-20 11:36:18 +01:00
"""Use as ``filters.Document.XML``."""
2021-11-21 12:39:04 +01:00
ZIP = MimeType(mimetypes.types_map[".zip"])
2021-11-20 11:36:18 +01:00
"""Use as ``filters.Document.ZIP``."""
2021-11-20 11:36:18 +01:00
class Entity(MessageFilter):
"""
Filters messages to only allow those which have a :class:`telegram.MessageEntity`
where their :class:`~telegram.MessageEntity.type` matches `entity_type`.
2021-11-20 11:36:18 +01:00
Examples:
``MessageHandler(filters.Entity("hashtag"), callback_method)``
2021-11-20 11:36:18 +01:00
Args:
entity_type (:obj:`str`): Entity type to check for. All types can be found as constants
in :class:`telegram.MessageEntity`.
2021-11-20 11:36:18 +01:00
"""
2021-11-20 11:36:18 +01:00
__slots__ = ("entity_type",)
2021-11-20 11:36:18 +01:00
def __init__(self, entity_type: str):
2023-02-02 18:55:07 +01:00
self.entity_type: str = entity_type
2021-11-20 11:36:18 +01:00
super().__init__(name=f"filters.Entity({self.entity_type})")
def filter(self, message: Message) -> bool:
return any(entity.type == self.entity_type for entity in message.entities)
class _Forwarded(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.forward_date)
FORWARDED = _Forwarded(name="filters.FORWARDED")
"""Messages that contain :attr:`telegram.Message.forward_date`."""
class ForwardedFrom(_ChatUserBaseFilter):
"""Filters messages to allow only those which are forwarded from the specified chat ID(s)
or username(s) based on :attr:`telegram.Message.forward_from` and
:attr:`telegram.Message.forward_from_chat`.
.. versionadded:: 13.5
Examples:
2021-11-20 11:36:18 +01:00
``MessageHandler(filters.ForwardedFrom(chat_id=1234), callback_method)``
Note:
When a user has disallowed adding a link to their account while forwarding their
messages, this filter will *not* work since both
:attr:`telegram.Message.forward_from` and
:attr:`telegram.Message.forward_from_chat` are :obj:`None`. However, this behaviour
2021-11-20 11:36:18 +01:00
is undocumented and might be changed by Telegram.
Warning:
:attr:`chat_ids` will give a *copy* of the saved chat ids as :class:`frozenset`. This
is to ensure thread safety. To add/remove a chat, you should use :meth:`add_chat_ids`, and
:meth:`remove_chat_ids`. Only update the entire set by ``filter.chat_ids = new_set``, if
you are entirely sure that it is not causing race conditions, as this will complete replace
the current set of allowed chats.
Args:
chat_id(:obj:`int` | Collection[:obj:`int`], optional):
2021-11-20 11:36:18 +01:00
Which chat/user ID(s) to allow through.
username(:obj:`str` | Collection[:obj:`str`], optional):
2021-11-20 11:36:18 +01:00
Which username(s) to allow through. Leading ``'@'`` s in usernames will be
discarded.
allow_empty(:obj:`bool`, optional): Whether updates should be processed, if no chat
is specified in :attr:`chat_ids` and :attr:`usernames`. Defaults to :obj:`False`.
Attributes:
2021-11-20 11:36:18 +01:00
chat_ids (set(:obj:`int`)): Which chat/user ID(s) to allow through.
allow_empty (:obj:`bool`): Whether updates should be processed, if no chat
is specified in :attr:`chat_ids` and :attr:`usernames`.
Raises:
RuntimeError: If both ``chat_id`` and ``username`` are present.
"""
2017-05-22 12:13:00 +02:00
2021-11-20 11:36:18 +01:00
__slots__ = ()
2023-02-02 18:55:07 +01:00
def _get_chat_or_user(self, message: Message) -> Union[TGUser, TGChat, None]:
2021-11-20 11:36:18 +01:00
return message.forward_from or message.forward_from_chat
def add_chat_ids(self, chat_id: SCT[int]) -> None:
2021-11-20 11:36:18 +01:00
"""
Add one or more chats to the allowed chat ids.
Args:
chat_id(:obj:`int` | Collection[:obj:`int`]): Which chat/user ID(s) to
2021-11-20 11:36:18 +01:00
allow through.
"""
return super()._add_chat_ids(chat_id)
def remove_chat_ids(self, chat_id: SCT[int]) -> None:
2021-11-20 11:36:18 +01:00
"""
Remove one or more chats from allowed chat ids.
Args:
chat_id(:obj:`int` | Collection[:obj:`int`]): Which chat/user ID(s) to
2021-11-20 11:36:18 +01:00
disallow through.
"""
return super()._remove_chat_ids(chat_id)
class _Game(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.game)
GAME = _Game(name="filters.GAME")
"""Messages that contain :attr:`telegram.Message.game`."""
class _HasMediaSpoiler(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.has_media_spoiler)
HAS_MEDIA_SPOILER = _HasMediaSpoiler(name="filters.HAS_MEDIA_SPOILER")
"""Messages that contain :attr:`telegram.Message.has_media_spoiler`.
.. versionadded:: 20.0
"""
2021-11-20 11:36:18 +01:00
class _HasProtectedContent(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.has_protected_content)
HAS_PROTECTED_CONTENT = _HasProtectedContent(name="filters.HAS_PROTECTED_CONTENT")
2021-11-20 11:36:18 +01:00
"""Messages that contain :attr:`telegram.Message.has_protected_content`.
.. versionadded:: 13.9
"""
class _Invoice(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.invoice)
INVOICE = _Invoice(name="filters.INVOICE")
"""Messages that contain :attr:`telegram.Message.invoice`."""
class _IsAutomaticForward(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.is_automatic_forward)
IS_AUTOMATIC_FORWARD = _IsAutomaticForward(name="filters.IS_AUTOMATIC_FORWARD")
2021-11-20 11:36:18 +01:00
"""Messages that contain :attr:`telegram.Message.is_automatic_forward`.
.. versionadded:: 13.9
"""
class _IsTopicMessage(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.is_topic_message)
IS_TOPIC_MESSAGE = _IsTopicMessage(name="filters.IS_TOPIC_MESSAGE")
"""Messages that contain :attr:`telegram.Message.is_topic_message`.
.. versionadded:: 20.0
"""
2021-11-20 11:36:18 +01:00
class Language(MessageFilter):
"""Filters messages to only allow those which are from users with a certain language code.
Note:
According to official Telegram Bot API documentation, not every single user has the
`language_code` attribute. Do not count on this filter working on all users.
Examples:
``MessageHandler(filters.Language("en"), callback_method)``
Args:
lang (:obj:`str` | Collection[:obj:`str`]):
2021-11-20 11:36:18 +01:00
Which language code(s) to allow through.
This will be matched using :obj:`str.startswith` meaning that
'en' will match both 'en_US' and 'en_GB'.
"""
__slots__ = ("lang",)
def __init__(self, lang: SCT[str]):
2021-11-20 11:36:18 +01:00
if isinstance(lang, str):
lang = cast(str, lang)
2023-02-02 18:55:07 +01:00
self.lang: Sequence[str] = [lang]
2021-11-20 11:36:18 +01:00
else:
lang = cast(List[str], lang)
self.lang = lang
super().__init__(name=f"filters.Language({self.lang})")
def filter(self, message: Message) -> bool:
return bool(
2021-11-21 12:39:04 +01:00
message.from_user
and message.from_user.language_code
2021-11-20 11:36:18 +01:00
and any(message.from_user.language_code.startswith(x) for x in self.lang)
)
2021-11-20 11:36:18 +01:00
class _Location(MessageFilter):
__slots__ = ()
2021-11-20 11:36:18 +01:00
def filter(self, message: Message) -> bool:
return bool(message.location)
2021-11-20 11:36:18 +01:00
LOCATION = _Location(name="filters.LOCATION")
"""Messages that contain :attr:`telegram.Message.location`."""
class Mention(MessageFilter):
"""Messages containing mentions of specified users or chats.
Examples:
.. code-block:: python
MessageHandler(filters.Mention("username"), callback)
MessageHandler(filters.Mention(["@username", 123456]), callback)
2023-11-27 19:01:57 +01:00
.. versionadded:: 20.7
Args:
mentions (:obj:`int` | :obj:`str` | :class:`telegram.User` | Collection[:obj:`int` | \
:obj:`str` | :class:`telegram.User`]):
Specifies the users and chats to filter for. Messages that do not mention at least one
of the specified users or chats will not be handled. Leading ``'@'`` s in usernames
will be discarded.
"""
__slots__ = ("_mentions",)
def __init__(self, mentions: SCT[Union[int, str, TGUser]]):
super().__init__(name=f"filters.Mention({mentions})")
if isinstance(mentions, Iterable) and not isinstance(mentions, str):
self._mentions = {self._fix_mention_username(mention) for mention in mentions}
else:
self._mentions = {self._fix_mention_username(mentions)}
@staticmethod
def _fix_mention_username(mention: Union[int, str, TGUser]) -> Union[int, str, TGUser]:
if not isinstance(mention, str):
return mention
return mention.lstrip("@")
@classmethod
def _check_mention(cls, message: Message, mention: Union[int, str, TGUser]) -> bool:
if not message.entities:
return False
entity_texts = message.parse_entities(
types=[MessageEntity.MENTION, MessageEntity.TEXT_MENTION]
)
if isinstance(mention, TGUser):
return any(
mention.id == entity.user.id
or mention.username == entity.user.username
or mention.username == cls._fix_mention_username(entity_texts[entity])
for entity in message.entities
if entity.user
) or any(
mention.username == cls._fix_mention_username(entity_text)
for entity_text in entity_texts.values()
)
if isinstance(mention, int):
return bool(
any(mention == entity.user.id for entity in message.entities if entity.user)
)
return any(
mention == cls._fix_mention_username(entity_text)
for entity_text in entity_texts.values()
)
def filter(self, message: Message) -> bool:
return any(self._check_mention(message, mention) for mention in self._mentions)
2021-11-20 11:36:18 +01:00
class _PassportData(MessageFilter):
__slots__ = ()
2021-11-20 11:36:18 +01:00
def filter(self, message: Message) -> bool:
return bool(message.passport_data)
2017-06-22 10:35:59 +02:00
2021-11-20 11:36:18 +01:00
PASSPORT_DATA = _PassportData(name="filters.PASSPORT_DATA")
"""Messages that contain :attr:`telegram.Message.passport_data`."""
2021-11-20 11:36:18 +01:00
class _Photo(MessageFilter):
__slots__ = ()
2021-11-20 11:36:18 +01:00
def filter(self, message: Message) -> bool:
return bool(message.photo)
2021-11-20 11:36:18 +01:00
PHOTO = _Photo("filters.PHOTO")
"""Messages that contain :attr:`telegram.Message.photo`."""
2021-11-20 11:36:18 +01:00
class _Poll(MessageFilter):
__slots__ = ()
2021-11-20 11:36:18 +01:00
def filter(self, message: Message) -> bool:
return bool(message.poll)
2021-11-20 11:36:18 +01:00
POLL = _Poll(name="filters.POLL")
"""Messages that contain :attr:`telegram.Message.poll`."""
2021-11-20 11:36:18 +01:00
class Regex(MessageFilter):
"""
Filters updates by searching for an occurrence of :paramref:`~Regex.pattern` in the message
text.
The :func:`re.search` function is used to determine whether an update should be filtered.
2021-11-20 11:36:18 +01:00
Refer to the documentation of the :obj:`re` module for more information.
To get the groups and groupdict matched, see :attr:`telegram.ext.CallbackContext.matches`.
Examples:
Use ``MessageHandler(filters.Regex(r'help'), callback)`` to capture all messages that
contain the word 'help'. You can also use
``MessageHandler(filters.Regex(re.compile(r'help', re.IGNORECASE)), callback)`` if
you want your pattern to be case insensitive. This approach is recommended
if you need to specify flags on your pattern.
Note:
Filters use the same short circuiting logic as python's :keyword:`and`, :keyword:`or` and
:keyword:`not`.
2021-11-20 11:36:18 +01:00
This means that for example:
>>> filters.Regex(r'(a?x)') | filters.Regex(r'(b?x)')
With a :attr:`telegram.Message.text` of `x`, will only ever return the matches for the
first filter, since the second one is never evaluated.
.. seealso:: :wiki:`Types of Handlers <Types-of-Handlers>`
2021-11-20 11:36:18 +01:00
Args:
pattern (:obj:`str` | :func:`re.Pattern <re.compile>`): The regex pattern.
2021-11-20 11:36:18 +01:00
"""
__slots__ = ("pattern",)
2023-02-02 18:55:07 +01:00
def __init__(self, pattern: Union[str, Pattern[str]]):
2021-11-20 11:36:18 +01:00
if isinstance(pattern, str):
pattern = re.compile(pattern)
2023-02-02 18:55:07 +01:00
self.pattern: Pattern[str] = pattern
2021-11-20 11:36:18 +01:00
super().__init__(name=f"filters.Regex({self.pattern})", data_filter=True)
2023-02-02 18:55:07 +01:00
def filter(self, message: Message) -> Optional[Dict[str, List[Match[str]]]]:
if message.text and (match := self.pattern.search(message.text)):
return {"matches": [match]}
2021-11-20 11:36:18 +01:00
return {}
class _Reply(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.reply_to_message)
REPLY = _Reply(name="filters.REPLY")
"""Messages that contain :attr:`telegram.Message.reply_to_message`."""
class _SenderChat(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.sender_chat)
class SenderChat(_ChatUserBaseFilter):
"""Filters messages to allow only those which are from a specified sender chat's chat ID or
username.
Examples:
* To filter for messages sent to a group by a channel with ID
``-1234``, use ``MessageHandler(filters.SenderChat(-1234), callback_method)``.
* To filter for messages of anonymous admins in a super group with username
``@anonymous``, use
``MessageHandler(filters.SenderChat(username='anonymous'), callback_method)``.
* To filter for messages sent to a group by *any* channel, use
``MessageHandler(filters.SenderChat.CHANNEL, callback_method)``.
* To filter for messages of anonymous admins in *any* super group, use
``MessageHandler(filters.SenderChat.SUPERGROUP, callback_method)``.
* To filter for messages forwarded to a discussion group from *any* channel or of anonymous
admins in *any* super group, use ``MessageHandler(filters.SenderChat.ALL, callback)``
Note:
Remember, ``sender_chat`` is also set for messages in a channel as the channel itself,
so when your bot is an admin in a channel and the linked discussion group, you would
receive the message twice (once from inside the channel, once inside the discussion
group). Since v13.9, the field :attr:`telegram.Message.is_automatic_forward` will be
:obj:`True` for the discussion group message.
2021-11-20 11:36:18 +01:00
.. seealso:: :attr:`telegram.ext.filters.IS_AUTOMATIC_FORWARD`
2021-11-20 11:36:18 +01:00
Warning:
:attr:`chat_ids` will return a *copy* of the saved chat ids as :obj:`frozenset`. This
is to ensure thread safety. To add/remove a chat, you should use :meth:`add_chat_ids`, and
:meth:`remove_chat_ids`. Only update the entire set by ``filter.chat_ids = new_set``, if
you are entirely sure that it is not causing race conditions, as this will complete replace
the current set of allowed chats.
Args:
chat_id(:obj:`int` | Collection[:obj:`int`], optional):
2021-11-20 11:36:18 +01:00
Which sender chat chat ID(s) to allow through.
username(:obj:`str` | Collection[:obj:`str`], optional):
2021-11-20 11:36:18 +01:00
Which sender chat username(s) to allow through.
Leading ``'@'`` s in usernames will be discarded.
allow_empty(:obj:`bool`, optional): Whether updates should be processed, if no sender
chat is specified in :attr:`chat_ids` and :attr:`usernames`. Defaults to :obj:`False`.
Attributes:
chat_ids (set(:obj:`int`)): Which sender chat chat ID(s) to allow through.
allow_empty (:obj:`bool`): Whether updates should be processed, if no sender chat is
specified in :attr:`chat_ids` and :attr:`usernames`.
Raises:
RuntimeError: If both ``chat_id`` and ``username`` are present.
"""
__slots__ = ()
2021-11-20 11:36:18 +01:00
class _CHANNEL(MessageFilter):
__slots__ = ()
2021-11-20 11:36:18 +01:00
def filter(self, message: Message) -> bool:
if message.sender_chat:
return message.sender_chat.type == TGChat.CHANNEL
return False
2021-11-20 11:36:18 +01:00
class _SUPERGROUP(MessageFilter):
__slots__ = ()
2021-11-20 11:36:18 +01:00
def filter(self, message: Message) -> bool:
if message.sender_chat:
return message.sender_chat.type == TGChat.SUPERGROUP
return False
ALL = _SenderChat(name="filters.SenderChat.ALL")
"""All messages with a :attr:`telegram.Message.sender_chat`."""
SUPER_GROUP = _SUPERGROUP(name="filters.SenderChat.SUPER_GROUP")
"""Messages whose sender chat is a super group."""
CHANNEL = _CHANNEL(name="filters.SenderChat.CHANNEL")
"""Messages whose sender chat is a channel."""
def add_chat_ids(self, chat_id: SCT[int]) -> None:
2021-11-20 11:36:18 +01:00
"""
Add one or more sender chats to the allowed chat ids.
Args:
chat_id(:obj:`int` | Collection[:obj:`int`]): Which sender chat ID(s) to
allow through.
"""
2021-11-20 11:36:18 +01:00
return super()._add_chat_ids(chat_id)
2023-02-02 18:55:07 +01:00
def _get_chat_or_user(self, message: Message) -> Optional[TGChat]:
2021-11-20 11:36:18 +01:00
return message.sender_chat
def remove_chat_ids(self, chat_id: SCT[int]) -> None:
2021-11-20 11:36:18 +01:00
"""
Remove one or more sender chats from allowed chat ids.
Args:
chat_id(:obj:`int` | Collection[:obj:`int`]): Which sender chat ID(s) to
2021-11-20 11:36:18 +01:00
disallow through.
"""
return super()._remove_chat_ids(chat_id)
class StatusUpdate:
"""Subset for messages containing a status update.
Examples:
Use these filters like: ``filters.StatusUpdate.NEW_CHAT_MEMBERS`` etc. Or use just
``filters.StatusUpdate.ALL`` for all status update messages.
Caution:
2021-11-20 11:36:18 +01:00
``filters.StatusUpdate`` itself is *not* a filter, but just a convenience namespace.
"""
__slots__ = ()
class _All(UpdateFilter):
__slots__ = ()
2021-11-20 11:36:18 +01:00
def filter(self, update: Update) -> bool:
return bool(
StatusUpdate.NEW_CHAT_MEMBERS.check_update(update)
or StatusUpdate.LEFT_CHAT_MEMBER.check_update(update)
or StatusUpdate.NEW_CHAT_TITLE.check_update(update)
or StatusUpdate.NEW_CHAT_PHOTO.check_update(update)
or StatusUpdate.DELETE_CHAT_PHOTO.check_update(update)
or StatusUpdate.CHAT_CREATED.check_update(update)
or StatusUpdate.MESSAGE_AUTO_DELETE_TIMER_CHANGED.check_update(update)
or StatusUpdate.MIGRATE.check_update(update)
or StatusUpdate.PINNED_MESSAGE.check_update(update)
or StatusUpdate.CONNECTED_WEBSITE.check_update(update)
or StatusUpdate.PROXIMITY_ALERT_TRIGGERED.check_update(update)
or StatusUpdate.VIDEO_CHAT_SCHEDULED.check_update(update)
or StatusUpdate.VIDEO_CHAT_STARTED.check_update(update)
or StatusUpdate.VIDEO_CHAT_ENDED.check_update(update)
or StatusUpdate.VIDEO_CHAT_PARTICIPANTS_INVITED.check_update(update)
or StatusUpdate.WEB_APP_DATA.check_update(update)
or StatusUpdate.FORUM_TOPIC_CREATED.check_update(update)
or StatusUpdate.FORUM_TOPIC_CLOSED.check_update(update)
or StatusUpdate.FORUM_TOPIC_REOPENED.check_update(update)
or StatusUpdate.FORUM_TOPIC_EDITED.check_update(update)
or StatusUpdate.GENERAL_FORUM_TOPIC_HIDDEN.check_update(update)
or StatusUpdate.GENERAL_FORUM_TOPIC_UNHIDDEN.check_update(update)
or StatusUpdate.WRITE_ACCESS_ALLOWED.check_update(update)
or StatusUpdate.USER_SHARED.check_update(update)
or StatusUpdate.CHAT_SHARED.check_update(update)
2021-11-20 11:36:18 +01:00
)
2021-11-20 11:36:18 +01:00
ALL = _All(name="filters.StatusUpdate.ALL")
"""Messages that contain any of the below."""
2021-11-20 11:36:18 +01:00
class _ChatCreated(MessageFilter):
__slots__ = ()
2021-11-20 11:36:18 +01:00
def filter(self, message: Message) -> bool:
return bool(
message.group_chat_created
or message.supergroup_chat_created
or message.channel_chat_created
)
2021-11-20 11:36:18 +01:00
CHAT_CREATED = _ChatCreated(name="filters.StatusUpdate.CHAT_CREATED")
"""Messages that contain :attr:`telegram.Message.group_chat_created`,
:attr:`telegram.Message.supergroup_chat_created` or
:attr:`telegram.Message.channel_chat_created`."""
class _ChatShared(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.chat_shared)
CHAT_SHARED = _ChatShared(name="filters.StatusUpdate.CHAT_SHARED")
"""Messages that contain :attr:`telegram.Message.chat_shared`.
.. versionadded:: 20.1
"""
2021-11-20 11:36:18 +01:00
class _ConnectedWebsite(MessageFilter):
__slots__ = ()
2021-11-20 11:36:18 +01:00
def filter(self, message: Message) -> bool:
return bool(message.connected_website)
CONNECTED_WEBSITE = _ConnectedWebsite(name="filters.StatusUpdate.CONNECTED_WEBSITE")
"""Messages that contain :attr:`telegram.Message.connected_website`."""
class _DeleteChatPhoto(MessageFilter):
__slots__ = ()
2021-11-20 11:36:18 +01:00
def filter(self, message: Message) -> bool:
return bool(message.delete_chat_photo)
2021-11-20 11:36:18 +01:00
DELETE_CHAT_PHOTO = _DeleteChatPhoto(name="filters.StatusUpdate.DELETE_CHAT_PHOTO")
"""Messages that contain :attr:`telegram.Message.delete_chat_photo`."""
class _ForumTopicClosed(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.forum_topic_closed)
FORUM_TOPIC_CLOSED = _ForumTopicClosed(name="filters.StatusUpdate.FORUM_TOPIC_CLOSED")
"""Messages that contain :attr:`telegram.Message.forum_topic_closed`.
.. versionadded:: 20.0
"""
class _ForumTopicCreated(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.forum_topic_created)
FORUM_TOPIC_CREATED = _ForumTopicCreated(name="filters.StatusUpdate.FORUM_TOPIC_CREATED")
"""Messages that contain :attr:`telegram.Message.forum_topic_created`.
.. versionadded:: 20.0
"""
class _ForumTopicEdited(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.forum_topic_edited)
FORUM_TOPIC_EDITED = _ForumTopicEdited(name="filters.StatusUpdate.FORUM_TOPIC_EDITED")
"""Messages that contain :attr:`telegram.Message.forum_topic_edited`.
.. versionadded:: 20.0
"""
class _ForumTopicReopened(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.forum_topic_reopened)
FORUM_TOPIC_REOPENED = _ForumTopicReopened(name="filters.StatusUpdate.FORUM_TOPIC_REOPENED")
"""Messages that contain :attr:`telegram.Message.forum_topic_reopened`.
.. versionadded:: 20.0
"""
class _GeneralForumTopicHidden(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.general_forum_topic_hidden)
GENERAL_FORUM_TOPIC_HIDDEN = _GeneralForumTopicHidden(
name="filters.StatusUpdate.GENERAL_FORUM_TOPIC_HIDDEN"
)
"""Messages that contain :attr:`telegram.Message.general_forum_topic_hidden`.
.. versionadded:: 20.0
"""
class _GeneralForumTopicUnhidden(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.general_forum_topic_unhidden)
GENERAL_FORUM_TOPIC_UNHIDDEN = _GeneralForumTopicUnhidden(
name="filters.StatusUpdate.GENERAL_FORUM_TOPIC_UNHIDDEN"
)
"""Messages that contain :attr:`telegram.Message.general_forum_topic_unhidden`.
.. versionadded:: 20.0
"""
2021-11-20 11:36:18 +01:00
class _LeftChatMember(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.left_chat_member)
2021-11-20 11:36:18 +01:00
LEFT_CHAT_MEMBER = _LeftChatMember(name="filters.StatusUpdate.LEFT_CHAT_MEMBER")
"""Messages that contain :attr:`telegram.Message.left_chat_member`."""
2021-11-20 11:36:18 +01:00
class _MessageAutoDeleteTimerChanged(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
2021-11-20 11:36:18 +01:00
return bool(message.message_auto_delete_timer_changed)
2021-11-20 11:36:18 +01:00
MESSAGE_AUTO_DELETE_TIMER_CHANGED = _MessageAutoDeleteTimerChanged(
"filters.StatusUpdate.MESSAGE_AUTO_DELETE_TIMER_CHANGED"
)
"""Messages that contain :attr:`telegram.Message.message_auto_delete_timer_changed`
2021-11-20 11:36:18 +01:00
.. versionadded:: 13.4
"""
2021-11-20 11:36:18 +01:00
class _Migrate(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
2021-11-20 11:36:18 +01:00
return bool(message.migrate_from_chat_id or message.migrate_to_chat_id)
2021-11-20 11:36:18 +01:00
MIGRATE = _Migrate(name="filters.StatusUpdate.MIGRATE")
"""Messages that contain :attr:`telegram.Message.migrate_from_chat_id` or
:attr:`telegram.Message.migrate_to_chat_id`."""
2021-11-20 11:36:18 +01:00
class _NewChatMembers(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.new_chat_members)
2021-11-20 11:36:18 +01:00
NEW_CHAT_MEMBERS = _NewChatMembers(name="filters.StatusUpdate.NEW_CHAT_MEMBERS")
"""Messages that contain :attr:`telegram.Message.new_chat_members`."""
class _NewChatPhoto(MessageFilter):
__slots__ = ()
2017-05-22 12:13:00 +02:00
2020-10-06 19:28:40 +02:00
def filter(self, message: Message) -> bool:
2021-11-20 11:36:18 +01:00
return bool(message.new_chat_photo)
2017-05-22 12:13:00 +02:00
2021-11-20 11:36:18 +01:00
NEW_CHAT_PHOTO = _NewChatPhoto(name="filters.StatusUpdate.NEW_CHAT_PHOTO")
"""Messages that contain :attr:`telegram.Message.new_chat_photo`."""
2017-05-22 12:13:00 +02:00
2021-11-20 11:36:18 +01:00
class _NewChatTitle(MessageFilter):
__slots__ = ()
2017-05-22 12:13:00 +02:00
2020-10-06 19:28:40 +02:00
def filter(self, message: Message) -> bool:
2021-11-20 11:36:18 +01:00
return bool(message.new_chat_title)
2017-05-22 12:13:00 +02:00
2021-11-20 11:36:18 +01:00
NEW_CHAT_TITLE = _NewChatTitle(name="filters.StatusUpdate.NEW_CHAT_TITLE")
"""Messages that contain :attr:`telegram.Message.new_chat_title`."""
2021-11-20 11:36:18 +01:00
class _PinnedMessage(MessageFilter):
__slots__ = ()
Bot API 4.0 (#1168) Telegram Passport (#1174): - Add full support for telegram passport. - New types: PassportData, PassportFile, EncryptedPassportElement, EncryptedCredentials, PassportElementError, PassportElementErrorDataField, PassportElementErrorFrontSide, PassportElementErrorReverseSide, PassportElementErrorSelfie, PassportElementErrorFile and PassportElementErrorFiles. - New bot method: set_passport_data_errors - New filter: Filters.passport_data - Field passport_data field on Message - PassportData is automagically decrypted when you specify your private key when creating Updater or Bot. - PassportFiles is also automagically decrypted as you download/retrieve them. - See new passportbot.py example for details on how to use, or go to our telegram passport wiki page for more info - NOTE: Passport decryption requires new dependency `cryptography`. Inputfile rework (#1184): - Change how Inputfile is handled internally - This allows support for specifying the thumbnails of photos and videos using the thumb= argument in the different send_ methods. - Also allows Bot.send_media_group to actually finally send more than one media. - Add thumb to Audio, Video and Videonote - Add Bot.edit_message_media together with InputMediaAnimation, InputMediaAudio, and inputMediaDocument. Other Bot API 4.0 changes: - Add forusquare_type to Venue, InlineQueryResultVenue, InputVenueMessageContent, and Bot.send_venue. (#1170) - Add vCard support by adding vcard field to Contact, InlineQueryResultContact, InputContactMessageContent, and Bot.send_contact. (#1166) - Support new message entities: CASHTAG and PHONE_NUMBER. (#1179) - Cashtag seems to be things like $USD and $GBP, but it seems telegram doesn't currently send them to bots. - Phone number also seems to have limited support for now - Add Bot.send_animation, add width, height, and duration to Animation, and add Filters.animation. (#1172) Co-authored-by: Jasmin Bom <jsmnbom@gmail.com> Co-authored-by: code1mountain <32801117+code1mountain@users.noreply.github.com> Co-authored-by: Eldinnie <pieter.schutz+github@gmail.com> Co-authored-by: mathefreak1 <mathefreak@hi2.in>
2018-08-29 14:18:58 +02:00
2020-10-06 19:28:40 +02:00
def filter(self, message: Message) -> bool:
2021-11-20 11:36:18 +01:00
return bool(message.pinned_message)
Bot API 4.0 (#1168) Telegram Passport (#1174): - Add full support for telegram passport. - New types: PassportData, PassportFile, EncryptedPassportElement, EncryptedCredentials, PassportElementError, PassportElementErrorDataField, PassportElementErrorFrontSide, PassportElementErrorReverseSide, PassportElementErrorSelfie, PassportElementErrorFile and PassportElementErrorFiles. - New bot method: set_passport_data_errors - New filter: Filters.passport_data - Field passport_data field on Message - PassportData is automagically decrypted when you specify your private key when creating Updater or Bot. - PassportFiles is also automagically decrypted as you download/retrieve them. - See new passportbot.py example for details on how to use, or go to our telegram passport wiki page for more info - NOTE: Passport decryption requires new dependency `cryptography`. Inputfile rework (#1184): - Change how Inputfile is handled internally - This allows support for specifying the thumbnails of photos and videos using the thumb= argument in the different send_ methods. - Also allows Bot.send_media_group to actually finally send more than one media. - Add thumb to Audio, Video and Videonote - Add Bot.edit_message_media together with InputMediaAnimation, InputMediaAudio, and inputMediaDocument. Other Bot API 4.0 changes: - Add forusquare_type to Venue, InlineQueryResultVenue, InputVenueMessageContent, and Bot.send_venue. (#1170) - Add vCard support by adding vcard field to Contact, InlineQueryResultContact, InputContactMessageContent, and Bot.send_contact. (#1166) - Support new message entities: CASHTAG and PHONE_NUMBER. (#1179) - Cashtag seems to be things like $USD and $GBP, but it seems telegram doesn't currently send them to bots. - Phone number also seems to have limited support for now - Add Bot.send_animation, add width, height, and duration to Animation, and add Filters.animation. (#1172) Co-authored-by: Jasmin Bom <jsmnbom@gmail.com> Co-authored-by: code1mountain <32801117+code1mountain@users.noreply.github.com> Co-authored-by: Eldinnie <pieter.schutz+github@gmail.com> Co-authored-by: mathefreak1 <mathefreak@hi2.in>
2018-08-29 14:18:58 +02:00
2021-11-20 11:36:18 +01:00
PINNED_MESSAGE = _PinnedMessage(name="filters.StatusUpdate.PINNED_MESSAGE")
"""Messages that contain :attr:`telegram.Message.pinned_message`."""
Bot API 4.0 (#1168) Telegram Passport (#1174): - Add full support for telegram passport. - New types: PassportData, PassportFile, EncryptedPassportElement, EncryptedCredentials, PassportElementError, PassportElementErrorDataField, PassportElementErrorFrontSide, PassportElementErrorReverseSide, PassportElementErrorSelfie, PassportElementErrorFile and PassportElementErrorFiles. - New bot method: set_passport_data_errors - New filter: Filters.passport_data - Field passport_data field on Message - PassportData is automagically decrypted when you specify your private key when creating Updater or Bot. - PassportFiles is also automagically decrypted as you download/retrieve them. - See new passportbot.py example for details on how to use, or go to our telegram passport wiki page for more info - NOTE: Passport decryption requires new dependency `cryptography`. Inputfile rework (#1184): - Change how Inputfile is handled internally - This allows support for specifying the thumbnails of photos and videos using the thumb= argument in the different send_ methods. - Also allows Bot.send_media_group to actually finally send more than one media. - Add thumb to Audio, Video and Videonote - Add Bot.edit_message_media together with InputMediaAnimation, InputMediaAudio, and inputMediaDocument. Other Bot API 4.0 changes: - Add forusquare_type to Venue, InlineQueryResultVenue, InputVenueMessageContent, and Bot.send_venue. (#1170) - Add vCard support by adding vcard field to Contact, InlineQueryResultContact, InputContactMessageContent, and Bot.send_contact. (#1166) - Support new message entities: CASHTAG and PHONE_NUMBER. (#1179) - Cashtag seems to be things like $USD and $GBP, but it seems telegram doesn't currently send them to bots. - Phone number also seems to have limited support for now - Add Bot.send_animation, add width, height, and duration to Animation, and add Filters.animation. (#1172) Co-authored-by: Jasmin Bom <jsmnbom@gmail.com> Co-authored-by: code1mountain <32801117+code1mountain@users.noreply.github.com> Co-authored-by: Eldinnie <pieter.schutz+github@gmail.com> Co-authored-by: mathefreak1 <mathefreak@hi2.in>
2018-08-29 14:18:58 +02:00
2021-11-20 11:36:18 +01:00
class _ProximityAlertTriggered(MessageFilter):
__slots__ = ()
2020-10-06 19:28:40 +02:00
def filter(self, message: Message) -> bool:
2021-11-20 11:36:18 +01:00
return bool(message.proximity_alert_triggered)
2021-11-20 11:36:18 +01:00
PROXIMITY_ALERT_TRIGGERED = _ProximityAlertTriggered(
"filters.StatusUpdate.PROXIMITY_ALERT_TRIGGERED"
)
"""Messages that contain :attr:`telegram.Message.proximity_alert_triggered`."""
class _UserShared(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.user_shared)
USER_SHARED = _UserShared(name="filters.StatusUpdate.USER_SHARED")
"""Messages that contain :attr:`telegram.Message.user_shared`.
.. versionadded:: 20.1
"""
class _VideoChatEnded(MessageFilter):
__slots__ = ()
2021-11-20 11:36:18 +01:00
def filter(self, message: Message) -> bool:
return bool(message.video_chat_ended)
2021-11-20 11:36:18 +01:00
VIDEO_CHAT_ENDED = _VideoChatEnded(name="filters.StatusUpdate.VIDEO_CHAT_ENDED")
"""Messages that contain :attr:`telegram.Message.video_chat_ended`.
2021-11-20 11:36:18 +01:00
.. versionadded:: 13.4
.. versionchanged:: 20.0
This filter was formerly named ``VOICE_CHAT_ENDED``
2021-11-20 11:36:18 +01:00
"""
class _VideoChatScheduled(MessageFilter):
2021-11-20 11:36:18 +01:00
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.video_chat_scheduled)
2021-11-20 11:36:18 +01:00
VIDEO_CHAT_SCHEDULED = _VideoChatScheduled(name="filters.StatusUpdate.VIDEO_CHAT_SCHEDULED")
"""Messages that contain :attr:`telegram.Message.video_chat_scheduled`.
2021-11-20 11:36:18 +01:00
.. versionadded:: 13.5
.. versionchanged:: 20.0
This filter was formerly named ``VOICE_CHAT_SCHEDULED``
2021-11-20 11:36:18 +01:00
"""
class _VideoChatStarted(MessageFilter):
2021-11-20 11:36:18 +01:00
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.video_chat_started)
2021-11-20 11:36:18 +01:00
VIDEO_CHAT_STARTED = _VideoChatStarted(name="filters.StatusUpdate.VIDEO_CHAT_STARTED")
"""Messages that contain :attr:`telegram.Message.video_chat_started`.
2021-11-20 11:36:18 +01:00
.. versionadded:: 13.4
.. versionchanged:: 20.0
This filter was formerly named ``VOICE_CHAT_STARTED``
2021-11-20 11:36:18 +01:00
"""
class _VideoChatParticipantsInvited(MessageFilter):
2021-11-20 11:36:18 +01:00
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.video_chat_participants_invited)
2021-11-20 11:36:18 +01:00
VIDEO_CHAT_PARTICIPANTS_INVITED = _VideoChatParticipantsInvited(
"filters.StatusUpdate.VIDEO_CHAT_PARTICIPANTS_INVITED"
2021-11-20 11:36:18 +01:00
)
"""Messages that contain :attr:`telegram.Message.video_chat_participants_invited`.
2021-11-20 11:36:18 +01:00
.. versionadded:: 13.4
.. versionchanged:: 20.0
This filter was formerly named ``VOICE_CHAT_PARTICIPANTS_INVITED``
"""
class _WebAppData(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.web_app_data)
WEB_APP_DATA = _WebAppData(name="filters.StatusUpdate.WEB_APP_DATA")
"""Messages that contain :attr:`telegram.Message.web_app_data`.
.. versionadded:: 20.0
"""
class _WriteAccessAllowed(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.write_access_allowed)
WRITE_ACCESS_ALLOWED = _WriteAccessAllowed(name="filters.StatusUpdate.WRITE_ACCESS_ALLOWED")
"""Messages that contain :attr:`telegram.Message.write_access_allowed`.
.. versionadded:: 20.0
2021-11-20 11:36:18 +01:00
"""
class Sticker:
"""Filters messages which contain a sticker.
Examples:
Use this filter like: ``filters.Sticker.VIDEO``. Or, just use ``filters.Sticker.ALL`` for
any type of sticker.
Caution:
``filters.Sticker`` itself is *not* a filter, but just a convenience namespace.
"""
2021-11-20 11:36:18 +01:00
__slots__ = ()
class _All(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.sticker)
ALL = _All(name="filters.Sticker.ALL")
"""Messages that contain :attr:`telegram.Message.sticker`."""
class _Animated(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.sticker) and bool(message.sticker.is_animated) # type: ignore
ANIMATED = _Animated(name="filters.Sticker.ANIMATED")
"""Messages that contain :attr:`telegram.Message.sticker` and
:attr:`is animated <telegram.Sticker.is_animated>`.
.. versionadded:: 20.0
"""
2021-11-20 11:36:18 +01:00
class _Static(MessageFilter):
__slots__ = ()
2021-11-20 11:36:18 +01:00
def filter(self, message: Message) -> bool:
return bool(message.sticker) and (
not bool(message.sticker.is_animated) # type: ignore[union-attr]
and not bool(message.sticker.is_video) # type: ignore[union-attr]
)
STATIC = _Static(name="filters.Sticker.STATIC")
"""Messages that contain :attr:`telegram.Message.sticker` and is a static sticker, i.e. does
not contain :attr:`telegram.Sticker.is_animated` or :attr:`telegram.Sticker.is_video`.
.. versionadded:: 20.0
"""
class _Video(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.sticker) and bool(message.sticker.is_video) # type: ignore
VIDEO = _Video(name="filters.Sticker.VIDEO")
"""Messages that contain :attr:`telegram.Message.sticker` and is a
:attr:`video sticker <telegram.Sticker.is_video>`.
.. versionadded:: 20.0
"""
2021-11-20 11:36:18 +01:00
class _Premium(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.sticker) and bool(
message.sticker.premium_animation # type: ignore
)
PREMIUM = _Premium(name="filters.Sticker.PREMIUM")
"""Messages that contain :attr:`telegram.Message.sticker` and have a
:attr:`premium animation <telegram.Sticker.premium_animation>`.
.. versionadded:: 20.0
"""
# neither mask nor emoji can be a message.sticker, so no filters for them
2021-11-20 11:36:18 +01:00
class _Story(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.story)
STORY = _Story(name="filters.STORY")
"""Messages that contain :attr:`telegram.Message.story`.
2023-09-03 14:46:28 +02:00
.. versionadded:: 20.5
"""
2021-11-20 11:36:18 +01:00
class _SuccessfulPayment(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.successful_payment)
SUCCESSFUL_PAYMENT = _SuccessfulPayment(name="filters.SUCCESSFUL_PAYMENT")
"""Messages that contain :attr:`telegram.Message.successful_payment`."""
class Text(MessageFilter):
"""Text Messages. If a list of strings is passed, it filters messages to only allow those
whose text is appearing in the given list.
Examples:
2021-11-20 11:36:18 +01:00
A simple use case for passing a list is to allow only messages that were sent by a
custom :class:`telegram.ReplyKeyboardMarkup`::
2021-11-20 11:36:18 +01:00
buttons = ['Start', 'Settings', 'Back']
markup = ReplyKeyboardMarkup.from_column(buttons)
...
MessageHandler(filters.Text(buttons), callback_method)
2021-11-20 11:36:18 +01:00
.. seealso::
:attr:`telegram.ext.filters.TEXT`
Note:
2021-11-20 11:36:18 +01:00
* Dice messages don't have text. If you want to filter either text or dice messages, use
``filters.TEXT | filters.Dice.ALL``.
* Messages containing a command are accepted by this filter. Use
``filters.TEXT & (~filters.COMMAND)``, if you want to filter only text messages without
commands.
Args:
2021-11-20 11:36:18 +01:00
strings (List[:obj:`str`] | Tuple[:obj:`str`], optional): Which messages to allow. Only
exact matches are allowed. If not specified, will allow any text message.
"""
2021-11-20 11:36:18 +01:00
__slots__ = ("strings",)
def __init__(self, strings: Optional[Union[List[str], Tuple[str, ...]]] = None):
2023-02-02 18:55:07 +01:00
self.strings: Optional[Sequence[str]] = strings
2021-11-20 11:36:18 +01:00
super().__init__(name=f"filters.Text({strings})" if strings else "filters.TEXT")
def filter(self, message: Message) -> bool:
if self.strings is None:
return bool(message.text)
return message.text in self.strings if message.text else False
API 5.1 (#2424) * Feat: New invite links * Fix: doc strings Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * new dice, new admin privilege, revoke_messages, update and fix some docs * add missing param to shortcut * Add ChatMemberUpdated * Add voicechat related objects Signed-off-by: starry69 <starry369126@outlook.com> * add versionadd tags Signed-off-by: starry69 <starry369126@outlook.com> * Fix filter tests * Update tg.Update * ChatMemberHandler * Add versioning directives * add can_manage_voice_chats attr and fix docs Signed-off-by: starry69 <starry369126@outlook.com> * fix chat shortcut Signed-off-by: starry69 <starry369126@outlook.com> * address review * MADTC * Chat.message_auto_delete_time * Some doc fixes * address review Signed-off-by: starry69 <starry369126@outlook.com> * welp Signed-off-by: starry69 <starry369126@outlook.com> * Add voicechat related filters Signed-off-by: starry69 <starry369126@outlook.com> * Fix: Addressing review change place of version adding, added obj:True as doc string, changing how member limit is initiated * feat: adding chat shortcuts for invite links * fix: changing equality of chatinviteobjects * Non-test comments * Some test fixes * A bit more tests * Bump API version in both readmes * Increase coverage * Add Bot API Version in telegram.constants (#2429) * add bot api version in constants Signed-off-by: starry69 <starry369126@outlook.com> * addressing review Signed-off-by: starry69 <starry369126@outlook.com> * add versioning directive Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> * pre-commit & coverage Co-authored-by: Bibo-Joshi <hinrich.mahler@freenet.de> Co-authored-by: Harshil <ilovebhagwan@gmail.com> Co-authored-by: starry69 <starry369126@outlook.com>
2021-03-14 16:41:35 +01:00
2021-11-20 11:36:18 +01:00
TEXT = Text()
"""
Shortcut for :class:`telegram.ext.filters.Text()`.
Examples:
To allow any text message, simply use ``MessageHandler(filters.TEXT, callback_method)``.
"""
class UpdateType:
"""
2021-11-20 11:36:18 +01:00
Subset for filtering the type of update.
2021-11-20 11:36:18 +01:00
Examples:
Use these filters like: ``filters.UpdateType.MESSAGE`` or
``filters.UpdateType.CHANNEL_POSTS`` etc.
2017-09-01 08:43:08 +02:00
Caution:
2021-11-20 11:36:18 +01:00
``filters.UpdateType`` itself is *not* a filter, but just a convenience namespace.
"""
2021-11-20 11:36:18 +01:00
__slots__ = ()
2021-11-20 11:36:18 +01:00
class _ChannelPost(UpdateFilter):
__slots__ = ()
2017-09-01 08:43:08 +02:00
2021-11-20 11:36:18 +01:00
def filter(self, update: Update) -> bool:
return update.channel_post is not None
2021-11-20 11:36:18 +01:00
CHANNEL_POST = _ChannelPost(name="filters.UpdateType.CHANNEL_POST")
"""Updates with :attr:`telegram.Update.channel_post`."""
2021-11-20 11:36:18 +01:00
class _ChannelPosts(UpdateFilter):
__slots__ = ()
2021-11-20 11:36:18 +01:00
def filter(self, update: Update) -> bool:
return update.channel_post is not None or update.edited_channel_post is not None
CHANNEL_POSTS = _ChannelPosts(name="filters.UpdateType.CHANNEL_POSTS")
"""Updates with either :attr:`telegram.Update.channel_post` or
:attr:`telegram.Update.edited_channel_post`."""
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
2021-11-20 11:36:18 +01:00
class _Edited(UpdateFilter):
__slots__ = ()
2021-11-20 11:36:18 +01:00
def filter(self, update: Update) -> bool:
return update.edited_message is not None or update.edited_channel_post is not None
EDITED = _Edited(name="filters.UpdateType.EDITED")
"""Updates with either :attr:`telegram.Update.edited_message` or
:attr:`telegram.Update.edited_channel_post`.
.. versionadded:: 20.0
"""
2021-11-20 11:36:18 +01:00
class _EditedChannelPost(UpdateFilter):
__slots__ = ()
2021-11-20 11:36:18 +01:00
def filter(self, update: Update) -> bool:
return update.edited_channel_post is not None
EDITED_CHANNEL_POST = _EditedChannelPost(name="filters.UpdateType.EDITED_CHANNEL_POST")
"""Updates with :attr:`telegram.Update.edited_channel_post`."""
2021-11-20 11:36:18 +01:00
class _EditedMessage(UpdateFilter):
__slots__ = ()
2021-11-20 11:36:18 +01:00
def filter(self, update: Update) -> bool:
return update.edited_message is not None
2021-11-20 11:36:18 +01:00
EDITED_MESSAGE = _EditedMessage(name="filters.UpdateType.EDITED_MESSAGE")
"""Updates with :attr:`telegram.Update.edited_message`."""
class _Message(UpdateFilter):
__slots__ = ()
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
2021-11-20 11:36:18 +01:00
def filter(self, update: Update) -> bool:
return update.message is not None
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
2021-11-20 11:36:18 +01:00
MESSAGE = _Message(name="filters.UpdateType.MESSAGE")
"""Updates with :attr:`telegram.Update.message`."""
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
2021-11-20 11:36:18 +01:00
class _Messages(UpdateFilter):
__slots__ = ()
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
2021-11-20 11:36:18 +01:00
def filter(self, update: Update) -> bool:
return update.message is not None or update.edited_message is not None
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
2021-11-20 11:36:18 +01:00
MESSAGES = _Messages(name="filters.UpdateType.MESSAGES")
"""Updates with either :attr:`telegram.Update.message` or
:attr:`telegram.Update.edited_message`."""
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
2021-11-20 11:36:18 +01:00
class User(_ChatUserBaseFilter):
"""Filters messages to allow only those which are from specified user ID(s) or
username(s).
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
2021-11-20 11:36:18 +01:00
Examples:
``MessageHandler(filters.User(1234), callback_method)``
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
2021-11-20 11:36:18 +01:00
Args:
user_id(:obj:`int` | Collection[:obj:`int`], optional): Which user ID(s) to
2021-11-20 11:36:18 +01:00
allow through.
username(:obj:`str` | Collection[:obj:`str`], optional):
2021-11-20 11:36:18 +01:00
Which username(s) to allow through. Leading ``'@'`` s in usernames will be discarded.
allow_empty(:obj:`bool`, optional): Whether updates should be processed, if no user is
specified in :attr:`user_ids` and :attr:`usernames`. Defaults to :obj:`False`.
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
2021-11-20 11:36:18 +01:00
Raises:
RuntimeError: If ``user_id`` and ``username`` are both present.
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
2021-11-20 11:36:18 +01:00
Attributes:
allow_empty (:obj:`bool`): Whether updates should be processed, if no user is specified in
:attr:`user_ids` and :attr:`usernames`.
"""
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
2021-11-20 11:36:18 +01:00
__slots__ = ()
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
2021-11-20 11:36:18 +01:00
def __init__(
self,
user_id: Optional[SCT[int]] = None,
username: Optional[SCT[str]] = None,
2021-11-20 11:36:18 +01:00
allow_empty: bool = False,
):
super().__init__(chat_id=user_id, username=username, allow_empty=allow_empty)
self._chat_id_name = "user_id"
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
2023-02-02 18:55:07 +01:00
def _get_chat_or_user(self, message: Message) -> Optional[TGUser]:
2021-11-20 11:36:18 +01:00
return message.from_user
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
2021-11-20 11:36:18 +01:00
@property
def user_ids(self) -> FrozenSet[int]:
"""
Which user ID(s) to allow through.
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
2021-11-20 11:36:18 +01:00
Warning:
:attr:`user_ids` will give a *copy* of the saved user ids as :obj:`frozenset`. This
is to ensure thread safety. To add/remove a user, you should use :meth:`add_user_ids`,
and :meth:`remove_user_ids`. Only update the entire set by
``filter.user_ids = new_set``, if you are entirely sure that it is not causing race
conditions, as this will complete replace the current set of allowed users.
2021-10-07 16:13:53 +02:00
2021-11-20 11:36:18 +01:00
Returns:
frozenset(:obj:`int`)
"""
return self.chat_ids
2021-10-07 16:13:53 +02:00
2021-11-20 11:36:18 +01:00
@user_ids.setter
def user_ids(self, user_id: SCT[int]) -> None:
2021-11-20 11:36:18 +01:00
self.chat_ids = user_id # type: ignore[assignment]
2021-10-07 16:13:53 +02:00
def add_user_ids(self, user_id: SCT[int]) -> None:
2021-11-20 11:36:18 +01:00
"""
Add one or more users to the allowed user ids.
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
2021-11-20 11:36:18 +01:00
Args:
user_id(:obj:`int` | Collection[:obj:`int`]): Which user ID(s) to allow
2021-11-20 11:36:18 +01:00
through.
"""
return super()._add_chat_ids(user_id)
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
def remove_user_ids(self, user_id: SCT[int]) -> None:
2021-11-20 11:36:18 +01:00
"""
Remove one or more users from allowed user ids.
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
2021-11-20 11:36:18 +01:00
Args:
user_id(:obj:`int` | Collection[:obj:`int`]): Which user ID(s) to
2021-11-20 11:36:18 +01:00
disallow through.
"""
return super()._remove_chat_ids(user_id)
class _User(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.from_user)
USER = _User(name="filters.USER")
"""This filter filters *any* message that has a :attr:`telegram.Message.from_user`."""
class _UserAttachment(UpdateFilter):
__slots__ = ()
def filter(self, update: Update) -> bool:
return bool(update.effective_user) and bool(
update.effective_user.added_to_attachment_menu # type: ignore
)
USER_ATTACHMENT = _UserAttachment(name="filters.USER_ATTACHMENT")
"""This filter filters *any* message that have a user who added the bot to their
:attr:`attachment menu <telegram.User.added_to_attachment_menu>` as
:attr:`telegram.Update.effective_user`.
.. versionadded:: 20.0
"""
class _UserPremium(UpdateFilter):
__slots__ = ()
def filter(self, update: Update) -> bool:
return bool(update.effective_user) and bool(
update.effective_user.is_premium # type: ignore
)
PREMIUM_USER = _UserPremium(name="filters.PREMIUM_USER")
"""This filter filters *any* message from a
:attr:`Telegram Premium user <telegram.User.is_premium>` as :attr:`telegram.Update.effective_user`.
.. versionadded:: 20.0
"""
2021-11-20 11:36:18 +01:00
class _Venue(MessageFilter):
__slots__ = ()
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
2021-11-20 11:36:18 +01:00
def filter(self, message: Message) -> bool:
return bool(message.venue)
VENUE = _Venue(name="filters.VENUE")
"""Messages that contain :attr:`telegram.Message.venue`."""
class ViaBot(_ChatUserBaseFilter):
"""Filters messages to allow only those which are from specified via_bot ID(s) or username(s).
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
Examples:
2021-11-20 11:36:18 +01:00
``MessageHandler(filters.ViaBot(1234), callback_method)``
Args:
bot_id(:obj:`int` | Collection[:obj:`int`], optional): Which bot ID(s) to
2021-11-20 11:36:18 +01:00
allow through.
username(:obj:`str` | Collection[:obj:`str`], optional):
2021-11-20 11:36:18 +01:00
Which username(s) to allow through. Leading ``'@'`` s in usernames will be
discarded.
allow_empty(:obj:`bool`, optional): Whether updates should be processed, if no user
is specified in :attr:`bot_ids` and :attr:`usernames`. Defaults to :obj:`False`.
Raises:
RuntimeError: If ``bot_id`` and ``username`` are both present.
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
Attributes:
2021-11-20 11:36:18 +01:00
allow_empty (:obj:`bool`): Whether updates should be processed, if no bot is specified in
:attr:`bot_ids` and :attr:`usernames`.
Update Filters, CommandHandler and MessageHandler (#1221) * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * update_filter attribute on filters Makes it possible to have filters work on an update instead of message, while keeping behavior for current filters * add update_type filter * Messagehandler rework - remove allow_edited (deprecated for a while) - set deprecated defaults to None - Raise deprecation warning when they're used - add sensible defaults for filters. - rework tests * Commandhandler rework * Remove deprecation test from new handler * Some tweaks per CR - rename update_types -> updates - added some clarification to docstrings * run webhook set test only on 3.6 on appveyor * Changes per CR * Update travis to build v12 * small doc update * try to make ci build version branches * doc for BaseFilter * Modify regexfilter and mergedfilter Now returns a list of match objects for every regexfilter * Change callbackcontext (+ docs) * integrate in CommandHandler and PrefixHandler * integrate in MessageHandler * cbqhandler, iqhandler and srhandler * make regexhandler a shell over MessageHandler And raise deprecationWarning on creation * clean up code and add some comments * Rework based on internal group feedback - use data_filter instead of regex_filter on BaseFilter - have these filters return a dict that is then updated onto CallbackContext instead of using a list is before - Add a .match property on CallbackContext that returns .matches[0] or None * Fix and add test for callbackcontext.match * Lots of documentation fixes and improvements [ci skip]
2019-02-13 12:07:25 +01:00
"""
2021-11-20 11:36:18 +01:00
__slots__ = ()
def __init__(
self,
bot_id: Optional[SCT[int]] = None,
username: Optional[SCT[str]] = None,
2021-11-20 11:36:18 +01:00
allow_empty: bool = False,
):
super().__init__(chat_id=bot_id, username=username, allow_empty=allow_empty)
self._chat_id_name = "bot_id"
2023-02-02 18:55:07 +01:00
def _get_chat_or_user(self, message: Message) -> Optional[TGUser]:
2021-11-20 11:36:18 +01:00
return message.via_bot
@property
def bot_ids(self) -> FrozenSet[int]:
"""
Which bot ID(s) to allow through.
Warning:
:attr:`bot_ids` will give a *copy* of the saved bot ids as :obj:`frozenset`. This
is to ensure thread safety. To add/remove a bot, you should use :meth:`add_bot_ids`,
and :meth:`remove_bot_ids`. Only update the entire set by ``filter.bot_ids = new_set``,
if you are entirely sure that it is not causing race conditions, as this will complete
replace the current set of allowed bots.
Returns:
frozenset(:obj:`int`)
"""
return self.chat_ids
@bot_ids.setter
def bot_ids(self, bot_id: SCT[int]) -> None:
2021-11-20 11:36:18 +01:00
self.chat_ids = bot_id # type: ignore[assignment]
def add_bot_ids(self, bot_id: SCT[int]) -> None:
2021-11-20 11:36:18 +01:00
"""
Add one or more bots to the allowed bot ids.
Args:
bot_id(:obj:`int` | Collection[:obj:`int`]): Which bot ID(s) to allow
2021-11-20 11:36:18 +01:00
through.
"""
return super()._add_chat_ids(bot_id)
def remove_bot_ids(self, bot_id: SCT[int]) -> None:
2021-11-20 11:36:18 +01:00
"""
Remove one or more bots from allowed bot ids.
Args:
bot_id(:obj:`int` | Collection[:obj:`int`], optional): Which bot ID(s) to
2021-11-20 11:36:18 +01:00
disallow through.
"""
return super()._remove_chat_ids(bot_id)
class _ViaBot(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.via_bot)
VIA_BOT = _ViaBot(name="filters.VIA_BOT")
"""This filter filters for message that were sent via *any* bot."""
class _Video(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.video)
VIDEO = _Video(name="filters.VIDEO")
"""Messages that contain :attr:`telegram.Message.video`."""
class _VideoNote(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.video_note)
VIDEO_NOTE = _VideoNote(name="filters.VIDEO_NOTE")
"""Messages that contain :attr:`telegram.Message.video_note`."""
class _Voice(MessageFilter):
__slots__ = ()
def filter(self, message: Message) -> bool:
return bool(message.voice)
VOICE = _Voice("filters.VOICE")
"""Messages that contain :attr:`telegram.Message.voice`."""