From ae1aaac5a7d5da75d50703e0ce24cb61e805f074 Mon Sep 17 00:00:00 2001 From: Rapptz Date: Tue, 1 Mar 2022 04:38:41 -0500 Subject: [PATCH] Add support for autocomplete --- discord/app_commands/__init__.py | 2 +- discord/app_commands/commands.py | 215 +++++++++++++++++++++++---- discord/app_commands/models.py | 2 +- discord/app_commands/namespace.py | 2 + discord/app_commands/transformers.py | 21 ++- discord/app_commands/tree.py | 15 +- discord/enums.py | 2 + discord/interactions.py | 42 ++++++ discord/state.py | 2 +- docs/api.rst | 8 + 10 files changed, 273 insertions(+), 38 deletions(-) diff --git a/discord/app_commands/__init__.py b/discord/app_commands/__init__.py index 011002e37..c5a988dcb 100644 --- a/discord/app_commands/__init__.py +++ b/discord/app_commands/__init__.py @@ -14,5 +14,5 @@ from .enums import * from .errors import * from .models import * from .tree import * -from .namespace import Namespace +from .namespace import * from .transformers import * diff --git a/discord/app_commands/commands.py b/discord/app_commands/commands.py index 4b6e2bd3f..cef77b8fe 100644 --- a/discord/app_commands/commands.py +++ b/discord/app_commands/commands.py @@ -37,39 +37,27 @@ from typing import ( Set, TYPE_CHECKING, Tuple, - Type, TypeVar, Union, ) from textwrap import TextWrapper -import sys import re from .enums import AppCommandOptionType, AppCommandType from ..interactions import Interaction -from ..enums import ChannelType, try_enum -from .models import AppCommandChannel, AppCommandThread, Choice +from .models import Choice from .transformers import annotation_to_parameter, CommandParameter, NoneType from .errors import AppCommandError, CommandInvokeError, CommandSignatureMismatch, CommandAlreadyRegistered from ..utils import resolve_annotation, MISSING, is_inside_class -from ..user import User -from ..member import Member -from ..role import Role -from ..message import Message -from ..mixins import Hashable -from ..permissions import Permissions if TYPE_CHECKING: from typing_extensions import ParamSpec, Concatenate - from ..types.interactions import ( - ResolvedData, - PartialThread, - PartialChannel, - ApplicationCommandInteractionDataOption, - ) - from ..state import ConnectionState + from ..user import User + from ..member import Member + from ..message import Message from .namespace import Namespace + from .models import ChoiceT __all__ = ( 'Command', @@ -93,25 +81,33 @@ Error = Union[ Callable[[Interaction, AppCommandError], Coro[Any]], ] -ContextMenuCallback = Union[ - # If groups end up support context menus these would be uncommented - # Callable[[GroupT, Interaction, Member], Coro[Any]], - # Callable[[GroupT, Interaction, User], Coro[Any]], - # Callable[[GroupT, Interaction, Message], Coro[Any]], - # Callable[[GroupT, Interaction, Union[Member, User]], Coro[Any]], - Callable[[Interaction, Member], Coro[Any]], - Callable[[Interaction, User], Coro[Any]], - Callable[[Interaction, Message], Coro[Any]], - Callable[[Interaction, Union[Member, User]], Coro[Any]], -] if TYPE_CHECKING: CommandCallback = Union[ Callable[Concatenate[GroupT, Interaction, P], Coro[T]], Callable[Concatenate[Interaction, P], Coro[T]], ] + + ContextMenuCallback = Union[ + # If groups end up support context menus these would be uncommented + # Callable[[GroupT, Interaction, Member], Coro[Any]], + # Callable[[GroupT, Interaction, User], Coro[Any]], + # Callable[[GroupT, Interaction, Message], Coro[Any]], + # Callable[[GroupT, Interaction, Union[Member, User]], Coro[Any]], + Callable[[Interaction, Member], Coro[Any]], + Callable[[Interaction, User], Coro[Any]], + Callable[[Interaction, Message], Coro[Any]], + Callable[[Interaction, Union[Member, User]], Coro[Any]], + ] + + AutocompleteCallback = Union[ + Callable[[GroupT, Interaction, ChoiceT, Namespace], Coro[List[Choice[ChoiceT]]]], + Callable[[Interaction, ChoiceT, Namespace], Coro[List[Choice[ChoiceT]]]], + ] else: CommandCallback = Callable[..., Coro[T]] + ContextMenuCallback = Callable[..., Coro[T]] + AutocompleteCallback = Callable[..., Coro[T]] VALID_SLASH_COMMAND_NAME = re.compile(r'^[\w-]{1,32}$') @@ -197,6 +193,25 @@ def _populate_choices(params: Dict[str, CommandParameter], all_choices: Dict[str raise TypeError(f'unknown parameter given: {first}') +def _populate_autocomplete(params: Dict[str, CommandParameter], autocomplete: Dict[str, Any]) -> None: + for name, param in params.items(): + callback = autocomplete.pop(name, MISSING) + if callback is MISSING: + continue + + if not inspect.iscoroutinefunction(callback): + raise TypeError('autocomplete callback must be a coroutine function') + + if param.type not in (AppCommandOptionType.string, AppCommandOptionType.number, AppCommandOptionType.integer): + raise TypeError('autocomplete is only supported for integer, string, or number option types') + + param.autocomplete = callback + + if autocomplete: + first = next(iter(autocomplete)) + raise TypeError(f'unknown parameter given: {first}') + + def _extract_parameters_from_callback(func: Callable[..., Any], globalns: Dict[str, Any]) -> Dict[str, CommandParameter]: params = inspect.signature(func).parameters cache = {} @@ -236,6 +251,13 @@ def _extract_parameters_from_callback(func: Callable[..., Any], globalns: Dict[s else: _populate_choices(result, choices) + try: + autocomplete = func.__discord_app_commands_param_autocomplete__ + except AttributeError: + pass + else: + _populate_autocomplete(result, autocomplete) + return result @@ -381,6 +403,27 @@ class Command(Generic[GroupT, P, T]): except Exception as e: raise CommandInvokeError(self, e) from e + async def _invoke_autocomplete(self, interaction: Interaction, name: str, namespace: Namespace): + value = namespace.__dict__[name] + + try: + param = self._params[name] + except KeyError: + raise CommandSignatureMismatch(self) from None + + if param.autocomplete is None: + raise CommandSignatureMismatch(self) + + if self.binding is not None: + choices = await param.autocomplete(self.binding, interaction, value, namespace) + else: + choices = await param.autocomplete(interaction, value, namespace) + + if interaction.response.is_done(): + return + + await interaction.response.autocomplete(choices) + def _get_internal_command(self, name: str) -> Optional[Union[Command, Group]]: return None @@ -418,6 +461,69 @@ class Command(Generic[GroupT, P, T]): self.on_error = coro return coro + def autocomplete( + self, name: str + ) -> Callable[[AutocompleteCallback[GroupT, ChoiceT]], AutocompleteCallback[GroupT, ChoiceT]]: + """A decorator that registers a coroutine as an autocomplete prompt for a parameter. + + The coroutine callback must have 3 parameters, the :class:`~discord.Interaction`, + the current value by the user (usually either a :class:`str`, :class:`int`, or :class:`float`, + depending on the type of the parameter being marked as autocomplete), and then the + :class:`Namespace` that represents possible values are partially filled in. + + The coroutine decorator **must** return a list of :class:`~discord.app_commands.Choice` objects. + Only up to 25 objects are supported. + + Example: + + .. code-block:: python3 + + @app_commands.command() + async def fruits(interaction: discord.Interaction, fruits: str): + await interaction.response.send_message(f'Your favourite fruit seems to be {fruits}') + + @fruits.autocomplete('fruits') + async def fruits_autocomplete( + interaction: discord.Interaction, + current: str, + namespace: app_commands.Namespace + ) -> List[app_commands.Choice[str]]: + fruits = ['Banana', 'Pineapple', 'Apple', 'Watermelon', 'Melon', 'Cherry'] + return [ + app_commands.Choice(name=fruit, value=fruit) + for fruit in fruits if current.lower() in fruit.lower() + ] + + + Parameters + ----------- + name: :clas:`str` + The parameter name to register as autocomplete. + + Raises + ------- + TypeError + The coroutine passed is not actually a coroutine or + the parameter is not found or of an invalid type. + """ + + def decorator(coro: AutocompleteCallback[GroupT, ChoiceT]) -> AutocompleteCallback[GroupT, ChoiceT]: + if not inspect.iscoroutinefunction(coro): + raise TypeError('The error handler must be a coroutine.') + + try: + param = self._params[name] + except KeyError: + raise TypeError(f'unknown parameter: {name!r}') from None + + if param.type not in (AppCommandOptionType.string, AppCommandOptionType.number, AppCommandOptionType.integer): + raise TypeError('autocomplete is only supported for integer, string, or number option types') + + param.autocomplete = coro + return coro + + return decorator + class ContextMenu: """A class that implements a context menu application command. @@ -882,7 +988,7 @@ def choices(**parameters: List[Choice]) -> Callable[[T], T]: Raises -------- TypeError - The parameter name is not found. + The parameter name is not found or the parameter type was incorrect. """ def decorator(inner: T) -> T: @@ -897,3 +1003,54 @@ def choices(**parameters: List[Choice]) -> Callable[[T], T]: return inner return decorator + + +def autocomplete(**parameters: AutocompleteCallback[GroupT, ChoiceT]) -> Callable[[T], T]: + r"""Associates the given parameters with the given autocomplete callback. + + Autocomplete is only supported on types that have :class:`str`, :class:`int`, or :class:`float` + values. + + Example: + + .. code-block:: python3 + + @app_commands.command() + @app_commands.autocomplete(fruits=fruits_autocomplete) + async def fruits(interaction: discord.Interaction, fruits: str): + await interaction.response.send_message(f'Your favourite fruit seems to be {fruits}') + + async def fruits_autocomplete( + interaction: discord.Interaction, + current: str, + namespace: app_commands.Namespace + ) -> List[app_commands.Choice[str]]: + fruits = ['Banana', 'Pineapple', 'Apple', 'Watermelon', 'Melon', 'Cherry'] + return [ + app_commands.Choice(name=fruit, value=fruit) + for fruit in fruits if current.lower() in fruit.lower() + ] + + Parameters + ----------- + \*\*parameters + The parameters to mark as autocomplete. + + Raises + -------- + TypeError + The parameter name is not found or the parameter type was incorrect. + """ + + def decorator(inner: T) -> T: + if isinstance(inner, Command): + _populate_autocomplete(inner._params, parameters) + else: + try: + inner.__discord_app_commands_param_autocomplete__.update(parameters) # type: ignore - Runtime attribute access + except AttributeError: + inner.__discord_app_commands_param_autocomplete__ = parameters # type: ignore - Runtime attribute assignment + + return inner + + return decorator diff --git a/discord/app_commands/models.py b/discord/app_commands/models.py index 1e6e34082..3368837ac 100644 --- a/discord/app_commands/models.py +++ b/discord/app_commands/models.py @@ -31,7 +31,7 @@ from ..enums import ChannelType, try_enum from ..mixins import Hashable from ..utils import _get_as_snowflake, parse_time, snowflake_time from .enums import AppCommandOptionType, AppCommandType -from typing import Generic, List, NamedTuple, TYPE_CHECKING, Optional, TypeVar, Union +from typing import Generic, List, TYPE_CHECKING, Optional, TypeVar, Union __all__ = ( 'AppCommand', diff --git a/discord/app_commands/namespace.py b/discord/app_commands/namespace.py index 4fed29d30..9c6b1c5d0 100644 --- a/discord/app_commands/namespace.py +++ b/discord/app_commands/namespace.py @@ -37,6 +37,8 @@ from .enums import AppCommandOptionType if TYPE_CHECKING: from ..types.interactions import ResolvedData, ApplicationCommandInteractionDataOption +__all__ = ('Namespace',) + class ResolveKey(NamedTuple): id: str diff --git a/discord/app_commands/transformers.py b/discord/app_commands/transformers.py index 12dac76c9..454d66de6 100644 --- a/discord/app_commands/transformers.py +++ b/discord/app_commands/transformers.py @@ -27,7 +27,22 @@ import inspect from dataclasses import dataclass from enum import Enum -from typing import TYPE_CHECKING, Any, ClassVar, Dict, List, Literal, Optional, Set, Tuple, Type, TypeVar, Union +from typing import ( + TYPE_CHECKING, + Any, + Callable, + ClassVar, + Coroutine, + Dict, + List, + Literal, + Optional, + Set, + Tuple, + Type, + TypeVar, + Union, +) from .enums import AppCommandOptionType from .errors import TransformerError @@ -75,8 +90,6 @@ class CommandParameter: The minimum supported value for this parameter. max_value: Optional[Union[:class:`int`, :class:`float`]] The maximum supported value for this parameter. - autocomplete: :class:`bool` - Whether this parameter enables autocomplete. """ name: str = MISSING @@ -88,7 +101,7 @@ class CommandParameter: channel_types: List[ChannelType] = MISSING min_value: Optional[Union[int, float]] = None max_value: Optional[Union[int, float]] = None - autocomplete: bool = MISSING + autocomplete: Optional[Callable[..., Coroutine[Any, Any, Any]]] = None _annotation: Any = MISSING def to_dict(self) -> Dict[str, Any]: diff --git a/discord/app_commands/tree.py b/discord/app_commands/tree.py index 64c5215c5..b0fdf997c 100644 --- a/discord/app_commands/tree.py +++ b/discord/app_commands/tree.py @@ -26,7 +26,7 @@ from __future__ import annotations import inspect import sys import traceback -from typing import Callable, Dict, List, Literal, Optional, TYPE_CHECKING, Tuple, Type, Union, overload +from typing import Callable, Dict, List, Literal, Optional, TYPE_CHECKING, Tuple, Union, overload from .namespace import Namespace, ResolveKey @@ -40,6 +40,7 @@ from .errors import ( CommandSignatureMismatch, ) from ..errors import ClientException +from ..enums import InteractionType from ..utils import MISSING if TYPE_CHECKING: @@ -580,7 +581,7 @@ class CommandTree: raise CommandSignatureMismatch(ctx_menu) if value is None: - raise RuntimeError('This should not happen if Discord sent well-formed data.') + raise AppCommandError('This should not happen if Discord sent well-formed data.') # I assume I don't have to type check here. try: @@ -608,6 +609,8 @@ class CommandTree: CommandSignatureMismatch The interaction data referred to a parameter that was not found in the application command definition. + AppCommandError + An error occurred while calling the command. """ data: ApplicationCommandInteractionData = interaction.data # type: ignore type = data.get('type', 1) @@ -663,6 +666,14 @@ class CommandTree: # and command refers to the class type we care about namespace = Namespace(interaction, data.get('resolved', {}), options) + # Auto complete handles the namespace differently... so at this point this is where we decide where that is. + if interaction.type is InteractionType.autocomplete: + focused = next((opt['name'] for opt in options if opt.get('focused')), None) + if focused is None: + raise AppCommandError('This should not happen, but there is no focused element. This is a Discord bug.') + await command._invoke_autocomplete(interaction, focused, namespace) + return + try: await command._invoke_with_namespace(interaction, namespace) except AppCommandError as e: diff --git a/discord/enums.py b/discord/enums.py index 0171f7341..49b4b00e6 100644 --- a/discord/enums.py +++ b/discord/enums.py @@ -516,6 +516,7 @@ class InteractionType(Enum): ping = 1 application_command = 2 component = 3 + autocomplete = 4 modal_submit = 5 @@ -527,6 +528,7 @@ class InteractionResponseType(Enum): deferred_channel_message = 5 # (with source) deferred_message_update = 6 # for components message_update = 7 # for components + autocomplete_result = 8 modal = 9 # for modals diff --git a/discord/interactions.py b/discord/interactions.py index 03fddb88d..4e9db132a 100644 --- a/discord/interactions.py +++ b/discord/interactions.py @@ -60,6 +60,7 @@ if TYPE_CHECKING: from aiohttp import ClientSession from .embeds import Embed from .ui.view import View + from .app_commands.models import Choice, ChoiceT from .ui.modal import Modal from .channel import VoiceChannel, StageChannel, TextChannel, CategoryChannel, StoreChannel, PartialMessageable from .threads import Thread @@ -686,6 +687,47 @@ class InteractionResponse: self._parent._state.store_view(modal) self._responded = True + async def autocomplete(self, choices: List[Choice[ChoiceT]]) -> None: + """|coro| + + Responds to this interaction by giving the user the choices they can use. + + Parameters + ----------- + choices: List[:class:`~discord.app_commands.Choice`] + The list of new choices as the user is typing. + + Raises + ------- + HTTPException + Sending the choices failed. + ValueError + This interaction cannot respond with autocomplete. + InteractionResponded + This interaction has already been responded to before. + """ + if self._responded: + raise InteractionResponded(self._parent) + + payload: Dict[str, Any] = { + 'choices': [option.to_dict() for option in choices], + } + + parent = self._parent + if parent.type is not InteractionType.autocomplete: + raise ValueError('cannot respond to this interaction with autocomplete.') + + adapter = async_context.get() + params = interaction_response_params(type=InteractionResponseType.autocomplete_result.value, data=payload) + await adapter.create_interaction_response( + parent.id, + parent.token, + session=parent._session, + params=params, + ) + + self._responded = True + class _InteractionMessageState: __slots__ = ('_parent', '_interaction') diff --git a/discord/state.py b/discord/state.py index 6c060f5a5..d6ee63362 100644 --- a/discord/state.py +++ b/discord/state.py @@ -692,7 +692,7 @@ class ConnectionState: def parse_interaction_create(self, data: gw.InteractionCreateEvent) -> None: interaction = Interaction(data=data, state=self) - if data['type'] == 2 and self._command_tree: # application command + if data['type'] in (2, 4) and self._command_tree: # application command and auto complete self._command_tree._from_interaction(interaction) elif data['type'] == 3: # interaction component # These keys are always there for this interaction type diff --git a/docs/api.rst b/docs/api.rst index b864e4480..a3223ce9b 100644 --- a/docs/api.rst +++ b/docs/api.rst @@ -1478,6 +1478,9 @@ of :class:`enum.Enum`. .. attribute:: component Represents a component based interaction, i.e. using the Discord Bot UI Kit. + .. attribute:: autocomplete + + Represents an auto complete interaction. .. attribute:: modal_submit Represents submission of a modal interaction. @@ -1514,6 +1517,11 @@ of :class:`enum.Enum`. Responds to the interaction by editing the message. See also :meth:`InteractionResponse.edit_message` + .. attribute:: autocomplete_result + + Responds to the autocomplete interaction with suggested choices. + + See also :meth:`InteractionResponse.autocomplete` .. attribute:: modal Responds to the interaction with a modal.