Browse Source

Merge branch 'Rapptz:master' into app_commands-with_localizations

pull/9452/head
Soheab_ 2 years ago
committed by GitHub
parent
commit
281ad1b8b1
No known key found for this signature in database GPG Key ID: 4AEE18F83AFDEB23
  1. 2
      .github/workflows/lint.yml
  2. 5
      discord/abc.py
  3. 2
      discord/activity.py
  4. 2
      discord/app_commands/commands.py
  5. 3
      discord/app_commands/transformers.py
  6. 2
      discord/app_commands/translator.py
  7. 9
      discord/audit_logs.py
  8. 32
      discord/channel.py
  9. 54
      discord/client.py
  10. 3
      discord/colour.py
  11. 6
      discord/components.py
  12. 230
      discord/enums.py
  13. 14
      discord/ext/commands/bot.py
  14. 18
      discord/ext/commands/cog.py
  15. 2
      discord/ext/commands/context.py
  16. 12
      discord/ext/commands/converter.py
  17. 6
      discord/ext/commands/core.py
  18. 4
      discord/ext/commands/flags.py
  19. 3
      discord/ext/commands/help.py
  20. 26
      discord/ext/commands/hybrid.py
  21. 11
      discord/ext/commands/parameters.py
  22. 13
      discord/ext/tasks/__init__.py
  23. 171
      discord/flags.py
  24. 8
      discord/gateway.py
  25. 35
      discord/guild.py
  26. 3
      discord/http.py
  27. 45
      discord/interactions.py
  28. 3
      discord/invite.py
  29. 10
      discord/message.py
  30. 2
      discord/oggparse.py
  31. 62
      discord/opus.py
  32. 2
      discord/partial_emoji.py
  33. 49
      discord/permissions.py
  34. 87
      discord/player.py
  35. 13
      discord/raw_models.py
  36. 11
      discord/role.py
  37. 4
      discord/shard.py
  38. 16
      discord/state.py
  39. 11
      discord/team.py
  40. 21
      discord/template.py
  41. 3
      discord/types/audit_log.py
  42. 17
      discord/types/channel.py
  43. 1
      discord/types/gateway.py
  44. 1
      discord/types/message.py
  45. 1
      discord/types/role.py
  46. 2
      discord/types/sticker.py
  47. 3
      discord/types/team.py
  48. 2
      discord/types/user.py
  49. 1
      discord/ui/__init__.py
  50. 209
      discord/ui/dynamic.py
  51. 33
      discord/ui/item.py
  52. 89
      discord/ui/view.py
  53. 6
      discord/utils.py
  54. 60
      discord/voice_client.py
  55. 14
      docs/_static/style.css
  56. 67
      docs/api.rst
  57. 9
      docs/interactions/api.rst
  58. 3753
      docs/locale/ja/LC_MESSAGES/api.po
  59. 64
      docs/locale/ja/LC_MESSAGES/discord.po
  60. 277
      docs/locale/ja/LC_MESSAGES/ext/commands/api.po
  61. 4
      docs/locale/ja/LC_MESSAGES/ext/commands/cogs.po
  62. 54
      docs/locale/ja/LC_MESSAGES/ext/commands/commands.po
  63. 8
      docs/locale/ja/LC_MESSAGES/ext/commands/extensions.po
  64. 4
      docs/locale/ja/LC_MESSAGES/ext/commands/index.po
  65. 4
      docs/locale/ja/LC_MESSAGES/ext/tasks/index.po
  66. 4
      docs/locale/ja/LC_MESSAGES/faq.po
  67. 4
      docs/locale/ja/LC_MESSAGES/index.po
  68. 4
      docs/locale/ja/LC_MESSAGES/intents.po
  69. 138
      docs/locale/ja/LC_MESSAGES/interactions/api.po
  70. 14
      docs/locale/ja/LC_MESSAGES/intro.po
  71. 4
      docs/locale/ja/LC_MESSAGES/logging.po
  72. 608
      docs/locale/ja/LC_MESSAGES/migrating.po
  73. 4
      docs/locale/ja/LC_MESSAGES/migrating_to_async.po
  74. 4
      docs/locale/ja/LC_MESSAGES/migrating_to_v1.po
  75. 4
      docs/locale/ja/LC_MESSAGES/quickstart.po
  76. 4
      docs/locale/ja/LC_MESSAGES/sphinx.po
  77. 4
      docs/locale/ja/LC_MESSAGES/version_guarantees.po
  78. 2002
      docs/locale/ja/LC_MESSAGES/whats_new.po
  79. 6
      docs/logging.rst
  80. 33
      docs/whats_new.rst
  81. 98
      examples/views/dynamic_counter.py
  82. 45
      examples/views/persistent.py
  83. 1
      setup.py
  84. 82
      tests/test_app_commands_group.py

2
.github/workflows/lint.yml

@ -38,7 +38,7 @@ jobs:
- name: Run Pyright
uses: jakebailey/pyright-action@v1
with:
version: '1.1.289'
version: '1.1.316'
warnings: false
no-comments: ${{ matrix.python-version != '3.x' }}

5
discord/abc.py

@ -48,7 +48,7 @@ from typing import (
from .object import OLDEST_OBJECT, Object
from .context_managers import Typing
from .enums import ChannelType
from .enums import ChannelType, InviteTarget
from .errors import ClientException
from .mentions import AllowedMentions
from .permissions import PermissionOverwrite, Permissions
@ -93,7 +93,6 @@ if TYPE_CHECKING:
StageChannel,
)
from .threads import Thread
from .enums import InviteTarget
from .ui.view import View
from .types.channel import (
PermissionOverwrite as PermissionOverwritePayload,
@ -1246,6 +1245,8 @@ class GuildChannel:
:class:`~discord.Invite`
The invite that was created.
"""
if target_type is InviteTarget.unknown:
raise ValueError('Cannot create invite with an unknown target type')
data = await self._state.http.create_invite(
self.id,

2
discord/activity.py

@ -735,7 +735,7 @@ class CustomActivity(BaseActivity):
def __init__(self, name: Optional[str], *, emoji: Optional[PartialEmoji] = None, **extra: Any) -> None:
super().__init__(**extra)
self.name: Optional[str] = name
self.state: Optional[str] = extra.pop('state', None)
self.state: Optional[str] = extra.pop('state', name)
if self.name == 'Custom Status':
self.name = self.state

2
discord/app_commands/commands.py

@ -976,7 +976,7 @@ class Command(Generic[GroupT, P, T]):
if self.binding is not None:
check: Optional[Check] = getattr(self.binding, 'interaction_check', None)
if check:
ret = await maybe_coroutine(check, interaction) # type: ignore # Probable pyright bug
ret = await maybe_coroutine(check, interaction)
if not ret:
return False

3
discord/app_commands/transformers.py

@ -177,8 +177,7 @@ class CommandParameter:
return choice
try:
# ParamSpec doesn't understand that transform is a callable since it's unbound
return await maybe_coroutine(self._annotation.transform, interaction, value) # type: ignore
return await maybe_coroutine(self._annotation.transform, interaction, value)
except AppCommandError:
raise
except Exception as e:

2
discord/app_commands/translator.py

@ -109,7 +109,7 @@ class TranslationContext(Generic[_L, _D]):
def __init__(self, location: Literal[TranslationContextLocation.other], data: Any) -> None:
...
def __init__(self, location: _L, data: _D) -> None:
def __init__(self, location: _L, data: _D) -> None: # type: ignore # pyright doesn't like the overloads
self.location: _L = location
self.data: _D = data

9
discord/audit_logs.py

@ -528,6 +528,10 @@ class _AuditLogProxyAutoModAction(_AuditLogProxy):
channel: Optional[Union[abc.GuildChannel, Thread]]
class _AuditLogProxyMemberKickOrMemberRoleUpdate(_AuditLogProxy):
integration_type: Optional[str]
class AuditLogEntry(Hashable):
r"""Represents an Audit Log entry.
@ -614,6 +618,7 @@ class AuditLogEntry(Hashable):
_AuditLogProxyStageInstanceAction,
_AuditLogProxyMessageBulkDelete,
_AuditLogProxyAutoModAction,
_AuditLogProxyMemberKickOrMemberRoleUpdate,
Member, User, None, PartialIntegration,
Role, Object
] = None
@ -638,6 +643,10 @@ class AuditLogEntry(Hashable):
elif self.action is enums.AuditLogAction.message_bulk_delete:
# The bulk message delete action has the number of messages deleted
self.extra = _AuditLogProxyMessageBulkDelete(count=int(extra['count']))
elif self.action in (enums.AuditLogAction.kick, enums.AuditLogAction.member_role_update):
# The member kick action has a dict with some information
integration_type = extra.get('integration_type')
self.extra = _AuditLogProxyMemberKickOrMemberRoleUpdate(integration_type=integration_type)
elif self.action.name.endswith('pin'):
# the pin actions have a dict with some information
channel_id = int(extra['channel_id'])

32
discord/channel.py

@ -98,6 +98,7 @@ if TYPE_CHECKING:
CategoryChannel as CategoryChannelPayload,
GroupDMChannel as GroupChannelPayload,
ForumChannel as ForumChannelPayload,
MediaChannel as MediaChannelPayload,
ForumTag as ForumTagPayload,
)
from .types.snowflake import SnowflakeList
@ -776,7 +777,7 @@ class TextChannel(discord.abc.Messageable, discord.abc.GuildChannel, Hashable):
self.id,
name=name,
auto_archive_duration=auto_archive_duration or self.default_auto_archive_duration,
type=type.value,
type=type.value, # type: ignore # we're assuming that the user is passing a valid variant
reason=reason,
invitable=invitable,
rate_limit_per_user=slowmode_delay,
@ -1971,6 +1972,16 @@ class CategoryChannel(discord.abc.GuildChannel, Hashable):
ret.sort(key=lambda c: (c.position, c.id))
return ret
@property
def forums(self) -> List[ForumChannel]:
"""List[:class:`ForumChannel`]: Returns the forum channels that are under this category.
.. versionadded:: 2.4
"""
r = [c for c in self.guild.channels if c.category_id == self.id and isinstance(c, ForumChannel)]
r.sort(key=lambda c: (c.position, c.id))
return r
async def create_text_channel(self, name: str, **options: Any) -> TextChannel:
"""|coro|
@ -2192,6 +2203,7 @@ class ForumChannel(discord.abc.GuildChannel, Hashable):
'topic',
'_state',
'_flags',
'_type',
'nsfw',
'category_id',
'position',
@ -2207,9 +2219,10 @@ class ForumChannel(discord.abc.GuildChannel, Hashable):
'_flags',
)
def __init__(self, *, state: ConnectionState, guild: Guild, data: ForumChannelPayload):
def __init__(self, *, state: ConnectionState, guild: Guild, data: Union[ForumChannelPayload, MediaChannelPayload]):
self._state: ConnectionState = state
self.id: int = int(data['id'])
self._type: Literal[15, 16] = data['type']
self._update(guild, data)
def __repr__(self) -> str:
@ -2223,7 +2236,7 @@ class ForumChannel(discord.abc.GuildChannel, Hashable):
joined = ' '.join('%s=%r' % t for t in attrs)
return f'<{self.__class__.__name__} {joined}>'
def _update(self, guild: Guild, data: ForumChannelPayload) -> None:
def _update(self, guild: Guild, data: Union[ForumChannelPayload, MediaChannelPayload]) -> None:
self.guild: Guild = guild
self.name: str = data['name']
self.category_id: Optional[int] = utils._get_as_snowflake(data, 'parent_id')
@ -2257,8 +2270,10 @@ class ForumChannel(discord.abc.GuildChannel, Hashable):
self._fill_overwrites(data)
@property
def type(self) -> Literal[ChannelType.forum]:
def type(self) -> Literal[ChannelType.forum, ChannelType.media]:
""":class:`ChannelType`: The channel's Discord type."""
if self._type == 16:
return ChannelType.media
return ChannelType.forum
@property
@ -2346,6 +2361,13 @@ class ForumChannel(discord.abc.GuildChannel, Hashable):
""":class:`bool`: Checks if the forum is NSFW."""
return self.nsfw
def is_media(self) -> bool:
""":class:`bool`: Checks if the channel is a media channel.
.. versionadded:: 2.4
"""
return self._type == ChannelType.media.value
@utils.copy_doc(discord.abc.GuildChannel.clone)
async def clone(self, *, name: Optional[str] = None, reason: Optional[str] = None) -> ForumChannel:
return await self._clone_impl(
@ -3304,6 +3326,8 @@ def _guild_channel_factory(channel_type: int):
return StageChannel, value
elif value is ChannelType.forum:
return ForumChannel, value
elif value is ChannelType.media:
return ForumChannel, value
else:
return None, value

54
discord/client.py

@ -72,6 +72,7 @@ from .backoff import ExponentialBackoff
from .webhook import Webhook
from .appinfo import AppInfo
from .ui.view import View
from .ui.dynamic import DynamicItem
from .stage_instance import StageInstance
from .threads import Thread
from .sticker import GuildSticker, StandardSticker, StickerPack, _sticker_factory
@ -111,6 +112,7 @@ if TYPE_CHECKING:
from .scheduled_event import ScheduledEvent
from .threads import ThreadMember
from .types.guild import Guild as GuildPayload
from .ui.item import Item
from .voice_client import VoiceProtocol
from .audit_logs import AuditLogEntry
@ -2241,8 +2243,8 @@ class Client:
Raises
------
Forbidden
You do not have access to the guild.
NotFound
The guild doesn't exist or you got no access to it.
HTTPException
Getting the guild failed.
@ -2678,6 +2680,54 @@ class Client:
data = await state.http.start_private_message(user.id)
return state.add_dm_channel(data)
def add_dynamic_items(self, *items: Type[DynamicItem[Item[Any]]]) -> None:
r"""Registers :class:`~discord.ui.DynamicItem` classes for persistent listening.
This method accepts *class types* rather than instances.
.. versionadded:: 2.4
Parameters
-----------
\*items: Type[:class:`~discord.ui.DynamicItem`]
The classes of dynamic items to add.
Raises
-------
TypeError
A class is not a subclass of :class:`~discord.ui.DynamicItem`.
"""
for item in items:
if not issubclass(item, DynamicItem):
raise TypeError(f'expected subclass of DynamicItem not {item.__name__}')
self._connection.store_dynamic_items(*items)
def remove_dynamic_items(self, *items: Type[DynamicItem[Item[Any]]]) -> None:
r"""Removes :class:`~discord.ui.DynamicItem` classes from persistent listening.
This method accepts *class types* rather than instances.
.. versionadded:: 2.4
Parameters
-----------
\*items: Type[:class:`~discord.ui.DynamicItem`]
The classes of dynamic items to remove.
Raises
-------
TypeError
A class is not a subclass of :class:`~discord.ui.DynamicItem`.
"""
for item in items:
if not issubclass(item, DynamicItem):
raise TypeError(f'expected subclass of DynamicItem not {item.__name__}')
self._connection.remove_dynamic_items(*items)
def add_view(self, view: View, *, message_id: Optional[int] = None) -> None:
"""Registers a :class:`~discord.ui.View` for persistent listening.

3
discord/colour.py

@ -196,6 +196,9 @@ class Colour:
The string could not be converted into a colour.
"""
if not value:
raise ValueError('unknown colour format given')
if value[0] == '#':
return parse_hex_number(value[1:])

6
discord/components.py

@ -279,7 +279,7 @@ class SelectMenu(Component):
def to_dict(self) -> SelectMenuPayload:
payload: SelectMenuPayload = {
'type': self.type.value,
'type': self.type.value, # type: ignore # we know this is a select menu.
'custom_id': self.custom_id,
'min_values': self.min_values,
'max_values': self.max_values,
@ -527,7 +527,7 @@ def _component_factory(data: ComponentPayload) -> Optional[Union[ActionRow, Acti
return ActionRow(data)
elif data['type'] == 2:
return Button(data)
elif data['type'] == 3:
return SelectMenu(data)
elif data['type'] == 4:
return TextInput(data)
elif data['type'] in (3, 5, 6, 7, 8):
return SelectMenu(data)

230
discord/enums.py

@ -42,6 +42,7 @@ __all__ = (
'ActivityType',
'NotificationLevel',
'TeamMembershipState',
'TeamMemberRole',
'WebhookType',
'ExpireBehaviour',
'ExpireBehavior',
@ -202,6 +203,7 @@ class ChannelType(Enum):
private_thread = 12
stage_voice = 13
forum = 15
media = 16
def __str__(self) -> str:
return self.name
@ -314,120 +316,124 @@ class AuditLogActionCategory(Enum):
class AuditLogAction(Enum):
# fmt: off
guild_update = 1
channel_create = 10
channel_update = 11
channel_delete = 12
overwrite_create = 13
overwrite_update = 14
overwrite_delete = 15
kick = 20
member_prune = 21
ban = 22
unban = 23
member_update = 24
member_role_update = 25
member_move = 26
member_disconnect = 27
bot_add = 28
role_create = 30
role_update = 31
role_delete = 32
invite_create = 40
invite_update = 41
invite_delete = 42
webhook_create = 50
webhook_update = 51
webhook_delete = 52
emoji_create = 60
emoji_update = 61
emoji_delete = 62
message_delete = 72
message_bulk_delete = 73
message_pin = 74
message_unpin = 75
integration_create = 80
integration_update = 81
integration_delete = 82
stage_instance_create = 83
stage_instance_update = 84
stage_instance_delete = 85
sticker_create = 90
sticker_update = 91
sticker_delete = 92
scheduled_event_create = 100
scheduled_event_update = 101
scheduled_event_delete = 102
thread_create = 110
thread_update = 111
thread_delete = 112
app_command_permission_update = 121
automod_rule_create = 140
automod_rule_update = 141
automod_rule_delete = 142
automod_block_message = 143
automod_flag_message = 144
automod_timeout_member = 145
guild_update = 1
channel_create = 10
channel_update = 11
channel_delete = 12
overwrite_create = 13
overwrite_update = 14
overwrite_delete = 15
kick = 20
member_prune = 21
ban = 22
unban = 23
member_update = 24
member_role_update = 25
member_move = 26
member_disconnect = 27
bot_add = 28
role_create = 30
role_update = 31
role_delete = 32
invite_create = 40
invite_update = 41
invite_delete = 42
webhook_create = 50
webhook_update = 51
webhook_delete = 52
emoji_create = 60
emoji_update = 61
emoji_delete = 62
message_delete = 72
message_bulk_delete = 73
message_pin = 74
message_unpin = 75
integration_create = 80
integration_update = 81
integration_delete = 82
stage_instance_create = 83
stage_instance_update = 84
stage_instance_delete = 85
sticker_create = 90
sticker_update = 91
sticker_delete = 92
scheduled_event_create = 100
scheduled_event_update = 101
scheduled_event_delete = 102
thread_create = 110
thread_update = 111
thread_delete = 112
app_command_permission_update = 121
automod_rule_create = 140
automod_rule_update = 141
automod_rule_delete = 142
automod_block_message = 143
automod_flag_message = 144
automod_timeout_member = 145
creator_monetization_request_created = 150
creator_monetization_terms_accepted = 151
# fmt: on
@property
def category(self) -> Optional[AuditLogActionCategory]:
# fmt: off
lookup: Dict[AuditLogAction, Optional[AuditLogActionCategory]] = {
AuditLogAction.guild_update: AuditLogActionCategory.update,
AuditLogAction.channel_create: AuditLogActionCategory.create,
AuditLogAction.channel_update: AuditLogActionCategory.update,
AuditLogAction.channel_delete: AuditLogActionCategory.delete,
AuditLogAction.overwrite_create: AuditLogActionCategory.create,
AuditLogAction.overwrite_update: AuditLogActionCategory.update,
AuditLogAction.overwrite_delete: AuditLogActionCategory.delete,
AuditLogAction.kick: None,
AuditLogAction.member_prune: None,
AuditLogAction.ban: None,
AuditLogAction.unban: None,
AuditLogAction.member_update: AuditLogActionCategory.update,
AuditLogAction.member_role_update: AuditLogActionCategory.update,
AuditLogAction.member_move: None,
AuditLogAction.member_disconnect: None,
AuditLogAction.bot_add: None,
AuditLogAction.role_create: AuditLogActionCategory.create,
AuditLogAction.role_update: AuditLogActionCategory.update,
AuditLogAction.role_delete: AuditLogActionCategory.delete,
AuditLogAction.invite_create: AuditLogActionCategory.create,
AuditLogAction.invite_update: AuditLogActionCategory.update,
AuditLogAction.invite_delete: AuditLogActionCategory.delete,
AuditLogAction.webhook_create: AuditLogActionCategory.create,
AuditLogAction.webhook_update: AuditLogActionCategory.update,
AuditLogAction.webhook_delete: AuditLogActionCategory.delete,
AuditLogAction.emoji_create: AuditLogActionCategory.create,
AuditLogAction.emoji_update: AuditLogActionCategory.update,
AuditLogAction.emoji_delete: AuditLogActionCategory.delete,
AuditLogAction.message_delete: AuditLogActionCategory.delete,
AuditLogAction.message_bulk_delete: AuditLogActionCategory.delete,
AuditLogAction.message_pin: None,
AuditLogAction.message_unpin: None,
AuditLogAction.integration_create: AuditLogActionCategory.create,
AuditLogAction.integration_update: AuditLogActionCategory.update,
AuditLogAction.integration_delete: AuditLogActionCategory.delete,
AuditLogAction.stage_instance_create: AuditLogActionCategory.create,
AuditLogAction.stage_instance_update: AuditLogActionCategory.update,
AuditLogAction.stage_instance_delete: AuditLogActionCategory.delete,
AuditLogAction.sticker_create: AuditLogActionCategory.create,
AuditLogAction.sticker_update: AuditLogActionCategory.update,
AuditLogAction.sticker_delete: AuditLogActionCategory.delete,
AuditLogAction.scheduled_event_create: AuditLogActionCategory.create,
AuditLogAction.scheduled_event_update: AuditLogActionCategory.update,
AuditLogAction.scheduled_event_delete: AuditLogActionCategory.delete,
AuditLogAction.thread_create: AuditLogActionCategory.create,
AuditLogAction.thread_delete: AuditLogActionCategory.delete,
AuditLogAction.thread_update: AuditLogActionCategory.update,
AuditLogAction.app_command_permission_update: AuditLogActionCategory.update,
AuditLogAction.automod_rule_create: AuditLogActionCategory.create,
AuditLogAction.automod_rule_update: AuditLogActionCategory.update,
AuditLogAction.automod_rule_delete: AuditLogActionCategory.delete,
AuditLogAction.automod_block_message: None,
AuditLogAction.automod_flag_message: None,
AuditLogAction.automod_timeout_member: None,
AuditLogAction.guild_update: AuditLogActionCategory.update,
AuditLogAction.channel_create: AuditLogActionCategory.create,
AuditLogAction.channel_update: AuditLogActionCategory.update,
AuditLogAction.channel_delete: AuditLogActionCategory.delete,
AuditLogAction.overwrite_create: AuditLogActionCategory.create,
AuditLogAction.overwrite_update: AuditLogActionCategory.update,
AuditLogAction.overwrite_delete: AuditLogActionCategory.delete,
AuditLogAction.kick: None,
AuditLogAction.member_prune: None,
AuditLogAction.ban: None,
AuditLogAction.unban: None,
AuditLogAction.member_update: AuditLogActionCategory.update,
AuditLogAction.member_role_update: AuditLogActionCategory.update,
AuditLogAction.member_move: None,
AuditLogAction.member_disconnect: None,
AuditLogAction.bot_add: None,
AuditLogAction.role_create: AuditLogActionCategory.create,
AuditLogAction.role_update: AuditLogActionCategory.update,
AuditLogAction.role_delete: AuditLogActionCategory.delete,
AuditLogAction.invite_create: AuditLogActionCategory.create,
AuditLogAction.invite_update: AuditLogActionCategory.update,
AuditLogAction.invite_delete: AuditLogActionCategory.delete,
AuditLogAction.webhook_create: AuditLogActionCategory.create,
AuditLogAction.webhook_update: AuditLogActionCategory.update,
AuditLogAction.webhook_delete: AuditLogActionCategory.delete,
AuditLogAction.emoji_create: AuditLogActionCategory.create,
AuditLogAction.emoji_update: AuditLogActionCategory.update,
AuditLogAction.emoji_delete: AuditLogActionCategory.delete,
AuditLogAction.message_delete: AuditLogActionCategory.delete,
AuditLogAction.message_bulk_delete: AuditLogActionCategory.delete,
AuditLogAction.message_pin: None,
AuditLogAction.message_unpin: None,
AuditLogAction.integration_create: AuditLogActionCategory.create,
AuditLogAction.integration_update: AuditLogActionCategory.update,
AuditLogAction.integration_delete: AuditLogActionCategory.delete,
AuditLogAction.stage_instance_create: AuditLogActionCategory.create,
AuditLogAction.stage_instance_update: AuditLogActionCategory.update,
AuditLogAction.stage_instance_delete: AuditLogActionCategory.delete,
AuditLogAction.sticker_create: AuditLogActionCategory.create,
AuditLogAction.sticker_update: AuditLogActionCategory.update,
AuditLogAction.sticker_delete: AuditLogActionCategory.delete,
AuditLogAction.scheduled_event_create: AuditLogActionCategory.create,
AuditLogAction.scheduled_event_update: AuditLogActionCategory.update,
AuditLogAction.scheduled_event_delete: AuditLogActionCategory.delete,
AuditLogAction.thread_create: AuditLogActionCategory.create,
AuditLogAction.thread_delete: AuditLogActionCategory.delete,
AuditLogAction.thread_update: AuditLogActionCategory.update,
AuditLogAction.app_command_permission_update: AuditLogActionCategory.update,
AuditLogAction.automod_rule_create: AuditLogActionCategory.create,
AuditLogAction.automod_rule_update: AuditLogActionCategory.update,
AuditLogAction.automod_rule_delete: AuditLogActionCategory.delete,
AuditLogAction.automod_block_message: None,
AuditLogAction.automod_flag_message: None,
AuditLogAction.automod_timeout_member: None,
AuditLogAction.creator_monetization_request_created: None,
AuditLogAction.creator_monetization_terms_accepted: None,
}
# fmt: on
return lookup[self]
@ -471,6 +477,8 @@ class AuditLogAction(Enum):
return 'auto_moderation'
elif v < 146:
return 'user'
elif v < 152:
return 'creator_monetization'
class UserFlags(Enum):
@ -514,6 +522,12 @@ class TeamMembershipState(Enum):
accepted = 2
class TeamMemberRole(Enum):
admin = 'admin'
developer = 'developer'
read_only = 'read_only'
class WebhookType(Enum):
incoming = 1
channel_follower = 2

14
discord/ext/commands/bot.py

@ -499,6 +499,12 @@ class BotBase(GroupMixin[None]):
``user`` parameter is now positional-only.
.. versionchanged:: 2.4
This function now respects the team member roles if the bot is team-owned.
In order to be considered an owner, they must be either an admin or
a developer.
Parameters
-----------
user: :class:`.abc.User`
@ -516,9 +522,13 @@ class BotBase(GroupMixin[None]):
return user.id in self.owner_ids
else:
app = await self.application_info() # type: ignore
app: discord.AppInfo = await self.application_info() # type: ignore
if app.team:
self.owner_ids = ids = {m.id for m in app.team.members}
self.owner_ids = ids = {
m.id
for m in app.team.members
if m.role in (discord.TeamMemberRole.admin, discord.TeamMemberRole.developer)
}
return user.id in ids
else:
self.owner_id = owner_id = app.owner.id

18
discord/ext/commands/cog.py

@ -305,6 +305,7 @@ class Cog(metaclass=CogMeta):
# Register the application commands
children: List[Union[app_commands.Group, app_commands.Command[Self, ..., Any]]] = []
app_command_refs: Dict[str, Union[app_commands.Group, app_commands.Command[Self, ..., Any]]] = {}
if cls.__cog_is_app_commands_group__:
group = app_commands.Group(
@ -331,6 +332,16 @@ class Cog(metaclass=CogMeta):
# Get the latest parent reference
parent = lookup[parent.qualified_name] # type: ignore
# Hybrid commands already deal with updating the reference
# Due to the copy below, so we need to handle them specially
if hasattr(parent, '__commands_is_hybrid__') and hasattr(command, '__commands_is_hybrid__'):
current: Optional[Union[app_commands.Group, app_commands.Command[Self, ..., Any]]] = getattr(
command, 'app_command', None
)
updated = app_command_refs.get(command.qualified_name)
if current and updated:
command.app_command = updated # type: ignore # Safe attribute access
# Update our parent's reference to our self
parent.remove_command(command.name) # type: ignore
parent.add_command(command) # type: ignore
@ -345,6 +356,11 @@ class Cog(metaclass=CogMeta):
# The type checker does not see the app_command attribute even though it exists
command.app_command = app_command # type: ignore
# Update all the references to point to the new copy
if isinstance(app_command, app_commands.Group):
for child in app_command.walk_commands():
app_command_refs[child.qualified_name] = child
if self.__cog_app_commands_group__:
children.append(app_command) # type: ignore # Somehow it thinks it can be None here
@ -377,7 +393,7 @@ class Cog(metaclass=CogMeta):
if len(mapping) > 25:
raise TypeError('maximum number of application command children exceeded')
self.__cog_app_commands_group__._children = mapping # type: ignore # Variance issue
self.__cog_app_commands_group__._children = mapping
return self

2
discord/ext/commands/context.py

@ -251,7 +251,7 @@ class Context(discord.abc.Messageable, Generic[BotT]):
if command is None:
raise ValueError('interaction does not have command data')
bot: BotT = interaction.client # type: ignore
bot: BotT = interaction.client
data: ApplicationCommandInteractionData = interaction.data # type: ignore
if interaction.message is None:
synthetic_payload = {

12
discord/ext/commands/converter.py

@ -188,9 +188,9 @@ class MemberConverter(IDConverter[discord.Member]):
2. Lookup by mention.
3. Lookup by username#discriminator (deprecated).
4. Lookup by username#0 (deprecated, only gets users that migrated from their discriminator).
5. Lookup by guild nickname.
5. Lookup by user name.
6. Lookup by global name.
7. Lookup by user name.
7. Lookup by guild nickname.
.. versionchanged:: 1.5
Raise :exc:`.MemberNotFound` instead of generic :exc:`.BadArgument`
@ -217,7 +217,7 @@ class MemberConverter(IDConverter[discord.Member]):
predicate = lambda m: m.name == username and m.discriminator == discriminator
else:
lookup = argument
predicate = lambda m: m.nick == argument or m.global_name == argument or m.name == argument
predicate = lambda m: m.name == argument or m.global_name == argument or m.nick == argument
members = await guild.query_members(lookup, limit=100, cache=cache)
return discord.utils.find(predicate, members)
@ -289,8 +289,8 @@ class UserConverter(IDConverter[discord.User]):
2. Lookup by mention.
3. Lookup by username#discriminator (deprecated).
4. Lookup by username#0 (deprecated, only gets users that migrated from their discriminator).
5. Lookup by global name.
6. Lookup by user name.
5. Lookup by user name.
6. Lookup by global name.
.. versionchanged:: 1.5
Raise :exc:`.UserNotFound` instead of generic :exc:`.BadArgument`
@ -329,7 +329,7 @@ class UserConverter(IDConverter[discord.User]):
if discriminator == '0' or (len(discriminator) == 4 and discriminator.isdigit()):
predicate = lambda u: u.name == username and u.discriminator == discriminator
else:
predicate = lambda u: u.global_name == argument or u.name == argument
predicate = lambda u: u.name == argument or u.global_name == argument
result = discord.utils.find(predicate, state._users.values())
if result is None:

6
discord/ext/commands/core.py

@ -776,7 +776,7 @@ class Command(_BaseCommand, Generic[CogT, P, T]):
command = self
# command.parent is type-hinted as GroupMixin some attributes are resolved via MRO
while command.parent is not None: # type: ignore
command = command.parent # type: ignore
command = command.parent
entries.append(command.name) # type: ignore
return ' '.join(reversed(entries))
@ -794,7 +794,7 @@ class Command(_BaseCommand, Generic[CogT, P, T]):
entries = []
command = self
while command.parent is not None: # type: ignore
command = command.parent # type: ignore
command = command.parent
entries.append(command)
return entries
@ -2004,7 +2004,7 @@ def check_any(*checks: Check[ContextT]) -> Check[ContextT]:
# if we're here, all checks failed
raise CheckAnyFailure(unwrapped, errors)
return check(predicate) # type: ignore
return check(predicate)
def has_role(item: Union[int, str], /) -> Check[Any]:

4
discord/ext/commands/flags.py

@ -485,7 +485,7 @@ class FlagConverter(metaclass=FlagsMeta):
for flag in flags.values():
if callable(flag.default):
# Type checker does not understand that flag.default is a Callable
default = await maybe_coroutine(flag.default, ctx) # type: ignore
default = await maybe_coroutine(flag.default, ctx)
setattr(self, flag.attribute, default)
else:
setattr(self, flag.attribute, flag.default)
@ -600,7 +600,7 @@ class FlagConverter(metaclass=FlagsMeta):
else:
if callable(flag.default):
# Type checker does not understand flag.default is a Callable
default = await maybe_coroutine(flag.default, ctx) # type: ignore
default = await maybe_coroutine(flag.default, ctx)
setattr(self, flag.attribute, default)
else:
setattr(self, flag.attribute, flag.default)

3
discord/ext/commands/help.py

@ -294,6 +294,9 @@ class _HelpCommandImpl(Command):
cog.walk_commands = cog.walk_commands.__wrapped__
self.cog = None
# Revert `on_error` to use the original one in case of race conditions
self.on_error = self._injected.on_help_command_error
class HelpCommand:
r"""The base implementation for help command formatting.

26
discord/ext/commands/hybrid.py

@ -297,14 +297,18 @@ def replace_parameters(
class HybridAppCommand(discord.app_commands.Command[CogT, P, T]):
def __init__(self, wrapped: Union[HybridCommand[CogT, ..., T], HybridGroup[CogT, ..., T]]) -> None:
def __init__(
self,
wrapped: Union[HybridCommand[CogT, ..., T], HybridGroup[CogT, ..., T]],
name: Optional[Union[str, app_commands.locale_str]] = None,
) -> None:
signature = inspect.signature(wrapped.callback)
params = replace_parameters(wrapped.params, wrapped.callback, signature)
wrapped.callback.__signature__ = signature.replace(parameters=params)
nsfw = getattr(wrapped.callback, '__discord_app_commands_is_nsfw__', False)
try:
super().__init__(
name=wrapped._locale_name or wrapped.name,
name=name or wrapped._locale_name or wrapped.name,
callback=wrapped.callback, # type: ignore # Signature doesn't match but we're overriding the invoke
description=wrapped._locale_description or wrapped.description or wrapped.short_doc or '',
nsfw=nsfw,
@ -398,7 +402,7 @@ class HybridAppCommand(discord.app_commands.Command[CogT, P, T]):
if self.binding is not None:
try:
# Type checker does not like runtime attribute retrieval
check: AppCommandCheck = self.binding.interaction_check # type: ignore
check: AppCommandCheck = self.binding.interaction_check
except AttributeError:
pass
else:
@ -594,6 +598,8 @@ class HybridGroup(Group[CogT, P, T]):
application command groups cannot be invoked, this creates a subcommand within
the group that can be invoked with the given group callback. If ``None``
then no fallback command is given. Defaults to ``None``.
fallback_locale: Optional[:class:`~discord.app_commands.locale_str`]
The fallback command name's locale string, if available.
"""
__commands_is_hybrid__: ClassVar[bool] = True
@ -603,7 +609,7 @@ class HybridGroup(Group[CogT, P, T]):
*args: Any,
name: Union[str, app_commands.locale_str] = MISSING,
description: Union[str, app_commands.locale_str] = MISSING,
fallback: Optional[str] = None,
fallback: Optional[Union[str, app_commands.locale_str]] = None,
**attrs: Any,
) -> None:
name, name_locale = (name.message, name) if isinstance(name, app_commands.locale_str) else (name, None)
@ -631,7 +637,12 @@ class HybridGroup(Group[CogT, P, T]):
# However, Python does not have conditional typing so it's very hard to
# make this type depend on the with_app_command bool without a lot of needless repetition
self.app_command: app_commands.Group = MISSING
fallback, fallback_locale = (
(fallback.message, fallback) if isinstance(fallback, app_commands.locale_str) else (fallback, None)
)
self.fallback: Optional[str] = fallback
self.fallback_locale: Optional[app_commands.locale_str] = fallback_locale
if self.with_app_command:
guild_ids = attrs.pop('guild_ids', None) or getattr(
@ -654,8 +665,7 @@ class HybridGroup(Group[CogT, P, T]):
self.app_command.module = self.module
if fallback is not None:
command = HybridAppCommand(self)
command.name = fallback
command = HybridAppCommand(self, name=fallback_locale or fallback)
self.app_command.add_command(command)
@property
@ -920,9 +930,9 @@ def hybrid_group(
If the function is not a coroutine or is already a command.
"""
def decorator(func: CommandCallback[CogT, ContextT, P, T]):
def decorator(func: CommandCallback[CogT, ContextT, P, T]) -> HybridGroup[CogT, P, T]:
if isinstance(func, Command):
raise TypeError('Callback is already a command.')
return HybridGroup(func, name=name, with_app_command=with_app_command, **attrs)
return decorator # type: ignore
return decorator

11
discord/ext/commands/parameters.py

@ -175,7 +175,13 @@ class Parameter(inspect.Parameter):
if self._displayed_default is not empty:
return self._displayed_default
return None if self.required else str(self.default)
if self.required:
return None
if callable(self.default) or self.default is None:
return None
return str(self.default)
@property
def displayed_name(self) -> Optional[str]:
@ -197,7 +203,7 @@ class Parameter(inspect.Parameter):
"""
# pre-condition: required is False
if callable(self.default):
return await maybe_coroutine(self.default, ctx) # type: ignore
return await maybe_coroutine(self.default, ctx)
return self.default
@ -300,6 +306,7 @@ CurrentGuild = parameter(
displayed_default='<this server>',
converter=GuildConverter,
)
CurrentGuild._fallback = True
class Signature(inspect.Signature):

13
discord/ext/tasks/__init__.py

@ -144,6 +144,7 @@ class Loop(Generic[LF]):
time: Union[datetime.time, Sequence[datetime.time]],
count: Optional[int],
reconnect: bool,
name: Optional[str],
) -> None:
self.coro: LF = coro
self.reconnect: bool = reconnect
@ -165,6 +166,7 @@ class Loop(Generic[LF]):
self._is_being_cancelled = False
self._has_failed = False
self._stop_next_iteration = False
self._name: str = f'discord-ext-tasks: {coro.__qualname__}' if name is None else name
if self.count is not None and self.count <= 0:
raise ValueError('count must be greater than 0 or None.')
@ -282,6 +284,7 @@ class Loop(Generic[LF]):
time=self._time,
count=self.count,
reconnect=self.reconnect,
name=self._name,
)
copy._injected = obj
copy._before_loop = self._before_loop
@ -395,7 +398,7 @@ class Loop(Generic[LF]):
args = (self._injected, *args)
self._has_failed = False
self._task = asyncio.create_task(self._loop(*args, **kwargs))
self._task = asyncio.create_task(self._loop(*args, **kwargs), name=self._name)
return self._task
def stop(self) -> None:
@ -770,6 +773,7 @@ def loop(
time: Union[datetime.time, Sequence[datetime.time]] = MISSING,
count: Optional[int] = None,
reconnect: bool = True,
name: Optional[str] = None,
) -> Callable[[LF], Loop[LF]]:
"""A decorator that schedules a task in the background for you with
optional reconnect logic. The decorator returns a :class:`Loop`.
@ -802,6 +806,12 @@ def loop(
Whether to handle errors and restart the task
using an exponential back-off algorithm similar to the
one used in :meth:`discord.Client.connect`.
name: Optional[:class:`str`]
The name to assign to the internal task. By default
it is assigned a name based off of the callable name
such as ``discord-ext-tasks: function_name``.
.. versionadded:: 2.4
Raises
--------
@ -821,6 +831,7 @@ def loop(
count=count,
time=time,
reconnect=reconnect,
name=name,
)
return decorator

171
discord/flags.py

@ -26,7 +26,21 @@ from __future__ import annotations
from functools import reduce
from operator import or_
from typing import TYPE_CHECKING, Any, Callable, ClassVar, Dict, Iterator, List, Optional, Tuple, Type, TypeVar, overload
from typing import (
TYPE_CHECKING,
Any,
Callable,
ClassVar,
Dict,
Iterator,
List,
Optional,
Sequence,
Tuple,
Type,
TypeVar,
overload,
)
from .enums import UserFlags
@ -44,6 +58,8 @@ __all__ = (
'ChannelFlags',
'AutoModPresets',
'MemberFlags',
'AttachmentFlags',
'RoleFlags',
)
BF = TypeVar('BF', bound='BaseFlags')
@ -850,7 +866,7 @@ class Intents(BaseFlags):
"""
return 1 << 2
@flag_value
@alias_flag_value
def emojis(self):
""":class:`bool`: Alias of :attr:`.emojis_and_stickers`.
@ -859,7 +875,7 @@ class Intents(BaseFlags):
"""
return 1 << 3
@alias_flag_value
@flag_value
def emojis_and_stickers(self):
""":class:`bool`: Whether guild emoji and sticker related events are enabled.
@ -1195,7 +1211,7 @@ class Intents(BaseFlags):
"""
return 1 << 16
@flag_value
@alias_flag_value
def auto_moderation(self):
""":class:`bool`: Whether auto moderation related events are enabled.
@ -1618,10 +1634,19 @@ class ChannelFlags(BaseFlags):
"""
return 1 << 4
@flag_value
def hide_media_download_options(self):
""":class:`bool`: Returns ``True`` if the client hides embedded media download options in a :class:`ForumChannel`.
Only available in media channels.
.. versionadded:: 2.4
"""
return 1 << 15
class ArrayFlags(BaseFlags):
@classmethod
def _from_value(cls: Type[Self], value: List[int]) -> Self:
def _from_value(cls: Type[Self], value: Sequence[int]) -> Self:
self = cls.__new__(cls)
# This is a micro-optimization given the frequency this object can be created.
# (1).__lshift__ is used in place of lambda x: 1 << x
@ -1810,3 +1835,139 @@ class MemberFlags(BaseFlags):
def started_onboarding(self):
""":class:`bool`: Returns ``True`` if the member has started onboarding."""
return 1 << 3
@fill_with_flags()
class AttachmentFlags(BaseFlags):
r"""Wraps up the Discord Attachment flags
.. versionadded:: 2.4
.. container:: operations
.. describe:: x == y
Checks if two AttachmentFlags are equal.
.. describe:: x != y
Checks if two AttachmentFlags are not equal.
.. describe:: x | y, x |= y
Returns a AttachmentFlags instance with all enabled flags from
both x and y.
.. describe:: x & y, x &= y
Returns a AttachmentFlags instance with only flags enabled on
both x and y.
.. describe:: x ^ y, x ^= y
Returns a AttachmentFlags instance with only flags enabled on
only one of x or y, not on both.
.. describe:: ~x
Returns a AttachmentFlags instance with all flags inverted from x.
.. describe:: hash(x)
Return the flag's hash.
.. describe:: iter(x)
Returns an iterator of ``(name, value)`` pairs. This allows it
to be, for example, constructed as a dict or a list of pairs.
Note that aliases are not shown.
.. describe:: bool(b)
Returns whether any flag is set to ``True``.
Attributes
-----------
value: :class:`int`
The raw value. You should query flags via the properties
rather than using this raw value.
"""
@flag_value
def clip(self):
""":class:`bool`: Returns ``True`` if the attachment is a clip."""
return 1 << 0
@flag_value
def thumbnail(self):
""":class:`bool`: Returns ``True`` if the attachment is a thumbnail."""
return 1 << 1
@flag_value
def remix(self):
""":class:`bool`: Returns ``True`` if the attachment has been edited using the remix feature."""
return 1 << 2
@fill_with_flags()
class RoleFlags(BaseFlags):
r"""Wraps up the Discord Role flags
.. versionadded:: 2.4
.. container:: operations
.. describe:: x == y
Checks if two RoleFlags are equal.
.. describe:: x != y
Checks if two RoleFlags are not equal.
.. describe:: x | y, x |= y
Returns a RoleFlags instance with all enabled flags from
both x and y.
.. describe:: x & y, x &= y
Returns a RoleFlags instance with only flags enabled on
both x and y.
.. describe:: x ^ y, x ^= y
Returns a RoleFlags instance with only flags enabled on
only one of x or y, not on both.
.. describe:: ~x
Returns a RoleFlags instance with all flags inverted from x.
.. describe:: hash(x)
Return the flag's hash.
.. describe:: iter(x)
Returns an iterator of ``(name, value)`` pairs. This allows it
to be, for example, constructed as a dict or a list of pairs.
Note that aliases are not shown.
.. describe:: bool(b)
Returns whether any flag is set to ``True``.
Attributes
-----------
value: :class:`int`
The raw value. You should query flags via the properties
rather than using this raw value.
"""
@flag_value
def in_prompt(self):
""":class:`bool`: Returns ``True`` if the role can be selected by members in an onboarding prompt."""
return 1 << 0

8
discord/gateway.py

@ -132,11 +132,12 @@ class KeepAliveHandler(threading.Thread):
shard_id: Optional[int] = None,
**kwargs: Any,
) -> None:
super().__init__(*args, **kwargs)
daemon: bool = kwargs.pop('daemon', True)
name: str = kwargs.pop('name', f'keep-alive-handler:shard-{shard_id}')
super().__init__(*args, daemon=daemon, name=name, **kwargs)
self.ws: DiscordWebSocket = ws
self._main_thread_id: int = ws.thread_id
self.interval: Optional[float] = interval
self.daemon: bool = True
self.shard_id: Optional[int] = shard_id
self.msg: str = 'Keeping shard ID %s websocket alive with sequence %s.'
self.block_msg: str = 'Shard ID %s heartbeat blocked for more than %s seconds.'
@ -212,7 +213,8 @@ class KeepAliveHandler(threading.Thread):
class VoiceKeepAliveHandler(KeepAliveHandler):
def __init__(self, *args: Any, **kwargs: Any) -> None:
super().__init__(*args, **kwargs)
name: str = kwargs.pop('name', f'voice-keep-alive-handler:{id(self):#x}')
super().__init__(*args, name=name, **kwargs)
self.recent_ack_latencies: Deque[float] = deque(maxlen=20)
self.msg: str = 'Keeping shard ID %s voice websocket alive with timestamp %s.'
self.block_msg: str = 'Shard ID %s voice heartbeat blocked for more than %s seconds'

35
discord/guild.py

@ -132,6 +132,7 @@ if TYPE_CHECKING:
from .types.integration import IntegrationType
from .types.snowflake import SnowflakeList
from .types.widget import EditWidgetSettings
from .types.audit_log import AuditLogEvent
from .message import EmojiInputType
VocalGuildChannel = Union[VoiceChannel, StageChannel]
@ -471,9 +472,15 @@ class Guild(Hashable):
role = Role(guild=self, data=r, state=state)
self._roles[role.id] = role
self.emojis: Tuple[Emoji, ...] = tuple(map(lambda d: state.store_emoji(self, d), guild.get('emojis', [])))
self.stickers: Tuple[GuildSticker, ...] = tuple(
map(lambda d: state.store_sticker(self, d), guild.get('stickers', []))
self.emojis: Tuple[Emoji, ...] = (
tuple(map(lambda d: state.store_emoji(self, d), guild.get('emojis', [])))
if state.cache_guild_expressions
else ()
)
self.stickers: Tuple[GuildSticker, ...] = (
tuple(map(lambda d: state.store_sticker(self, d), guild.get('stickers', [])))
if state.cache_guild_expressions
else ()
)
self.features: List[GuildFeature] = guild.get('features', [])
self._splash: Optional[str] = guild.get('splash')
@ -2897,7 +2904,10 @@ class Guild(Hashable):
payload['tags'] = emoji
data = await self._state.http.create_guild_sticker(self.id, payload, file, reason)
return self._state.store_sticker(self, data)
if self._state.cache_guild_expressions:
return self._state.store_sticker(self, data)
else:
return GuildSticker(state=self._state, data=data)
async def delete_sticker(self, sticker: Snowflake, /, *, reason: Optional[str] = None) -> None:
"""|coro|
@ -3306,7 +3316,10 @@ class Guild(Hashable):
role_ids = []
data = await self._state.http.create_custom_emoji(self.id, name, img, roles=role_ids, reason=reason)
return self._state.store_emoji(self, data)
if self._state.cache_guild_expressions:
return self._state.store_emoji(self, data)
else:
return Emoji(guild=self, state=self._state, data=data)
async def delete_emoji(self, emoji: Snowflake, /, *, reason: Optional[str] = None) -> None:
"""|coro|
@ -3594,7 +3607,7 @@ class Guild(Hashable):
The guild must have ``COMMUNITY`` in :attr:`~Guild.features`.
You must have :attr:`~Permissions.manage_guild` to do this.as well.
You must have :attr:`~Permissions.manage_guild` to do this as well.
.. versionadded:: 2.0
@ -3853,7 +3866,7 @@ class Guild(Hashable):
async def _before_strategy(retrieve: int, before: Optional[Snowflake], limit: Optional[int]):
before_id = before.id if before else None
data = await self._state.http.get_audit_logs(
self.id, limit=retrieve, user_id=user_id, action_type=action, before=before_id
self.id, limit=retrieve, user_id=user_id, action_type=action_type, before=before_id
)
entries = data.get('audit_log_entries', [])
@ -3869,7 +3882,7 @@ class Guild(Hashable):
async def _after_strategy(retrieve: int, after: Optional[Snowflake], limit: Optional[int]):
after_id = after.id if after else None
data = await self._state.http.get_audit_logs(
self.id, limit=retrieve, user_id=user_id, action_type=action, after=after_id
self.id, limit=retrieve, user_id=user_id, action_type=action_type, after=after_id
)
entries = data.get('audit_log_entries', [])
@ -3887,8 +3900,10 @@ class Guild(Hashable):
else:
user_id = None
if action:
action = action.value
if action is not MISSING:
action_type: Optional[AuditLogEvent] = action.value
else:
action_type = None
if isinstance(before, datetime.datetime):
before = Object(id=utils.time_snowflake(before, high=False))

3
discord/http.py

@ -68,7 +68,6 @@ if TYPE_CHECKING:
from .embeds import Embed
from .message import Attachment
from .flags import MessageFlags
from .enums import AuditLogAction
from .types import (
appinfo,
@ -1727,7 +1726,7 @@ class HTTPClient:
before: Optional[Snowflake] = None,
after: Optional[Snowflake] = None,
user_id: Optional[Snowflake] = None,
action_type: Optional[AuditLogAction] = None,
action_type: Optional[audit_log.AuditLogEvent] = None,
) -> Response[audit_log.AuditLog]:
params: Dict[str, Any] = {'limit': limit}
if before:

45
discord/interactions.py

@ -184,22 +184,6 @@ class Interaction(Generic[ClientT]):
self.version: int = data['version']
self.guild_id: Optional[int] = utils._get_as_snowflake(data, 'guild_id')
self.channel: Optional[InteractionChannel] = None
raw_channel = data.get('channel', {})
raw_ch_type = raw_channel.get('type')
if raw_ch_type is not None:
factory, ch_type = _threaded_channel_factory(raw_ch_type) # type is never None
if factory is None:
logging.info('Unknown channel type {type} for channel ID {id}.'.format_map(raw_channel))
else:
if ch_type in (ChannelType.group, ChannelType.private):
channel = factory(me=self._client.user, data=raw_channel, state=self._state) # type: ignore
else:
guild = self._state._get_or_create_unavailable_guild(self.guild_id) # type: ignore
channel = factory(guild=guild, state=self._state, data=raw_channel) # type: ignore
self.channel = channel
self.application_id: int = int(data['application_id'])
self.locale: Locale = try_enum(Locale, data.get('locale', 'en-US'))
@ -209,6 +193,26 @@ class Interaction(Generic[ClientT]):
except KeyError:
self.guild_locale = None
guild = None
if self.guild_id:
guild = self._state._get_or_create_unavailable_guild(self.guild_id)
raw_channel = data.get('channel', {})
channel_id = utils._get_as_snowflake(raw_channel, 'id')
if channel_id is not None and guild is not None:
self.channel = guild and guild._resolve_channel(channel_id)
raw_ch_type = raw_channel.get('type')
if self.channel is None and raw_ch_type is not None:
factory, ch_type = _threaded_channel_factory(raw_ch_type) # type is never None
if factory is None:
logging.info('Unknown channel type {type} for channel ID {id}.'.format_map(raw_channel))
else:
if ch_type in (ChannelType.group, ChannelType.private):
self.channel = factory(me=self._client.user, data=raw_channel, state=self._state) # type: ignore
elif guild is not None:
self.channel = factory(guild=guild, state=self._state, data=raw_channel) # type: ignore
self.message: Optional[Message]
try:
# The channel and message payloads are mismatched yet handled properly at runtime
@ -220,9 +224,7 @@ class Interaction(Generic[ClientT]):
self._permissions: int = 0
self._app_permissions: int = int(data.get('app_permissions', 0))
if self.guild_id:
guild = self._state._get_or_create_unavailable_guild(self.guild_id)
if guild is not None:
# Upgrade Message.guild in case it's missing with partial guild data
if self.message is not None and self.message.guild is None:
self.message.guild = guild
@ -252,7 +254,10 @@ class Interaction(Generic[ClientT]):
@property
def guild(self) -> Optional[Guild]:
"""Optional[:class:`Guild`]: The guild the interaction was sent from."""
return self._state and self._state._get_guild(self.guild_id)
# The user.guild attribute is set in __init__ to the fallback guild if available
# Therefore, we can use that instead of recreating it every time this property is
# accessed
return (self._state and self._state._get_guild(self.guild_id)) or getattr(self.user, 'guild', None)
@property
def channel_id(self) -> Optional[int]:

3
discord/invite.py

@ -47,6 +47,7 @@ if TYPE_CHECKING:
InviteGuild as InviteGuildPayload,
GatewayInvite as GatewayInvitePayload,
)
from .types.guild import GuildFeature
from .types.channel import (
PartialChannel as InviteChannelPayload,
)
@ -189,7 +190,7 @@ class PartialInviteGuild:
self._state: ConnectionState = state
self.id: int = id
self.name: str = data['name']
self.features: List[str] = data.get('features', [])
self.features: List[GuildFeature] = data.get('features', [])
self._icon: Optional[str] = data.get('icon')
self._banner: Optional[str] = data.get('banner')
self._splash: Optional[str] = data.get('splash')

10
discord/message.py

@ -54,7 +54,7 @@ from .errors import HTTPException
from .components import _component_factory
from .embeds import Embed
from .member import Member
from .flags import MessageFlags
from .flags import MessageFlags, AttachmentFlags
from .file import File
from .utils import escape_mentions, MISSING
from .http import handle_message_parameters
@ -207,6 +207,7 @@ class Attachment(Hashable):
'ephemeral',
'duration',
'waveform',
'_flags',
)
def __init__(self, *, data: AttachmentPayload, state: ConnectionState):
@ -226,6 +227,13 @@ class Attachment(Hashable):
waveform = data.get('waveform')
self.waveform: Optional[bytes] = utils._base64_to_bytes(waveform) if waveform is not None else None
self._flags: int = data.get('flags', 0)
@property
def flags(self) -> AttachmentFlags:
""":class:`AttachmentFlags`: The attachment's flags."""
return AttachmentFlags._from_value(self._flags)
def is_spoiler(self) -> bool:
""":class:`bool`: Whether this attachment contains a spoiler."""
return self.filename.startswith('SPOILER_')

2
discord/oggparse.py

@ -99,7 +99,7 @@ class OggStream:
elif not head:
return None
else:
raise OggError('invalid header magic')
raise OggError(f'invalid header magic {head}')
def _iter_pages(self) -> Generator[OggPage, None, None]:
page = self._next_page()

62
discord/opus.py

@ -39,10 +39,17 @@ from .errors import DiscordException
if TYPE_CHECKING:
T = TypeVar('T')
APPLICATION_CTL = Literal['audio', 'voip', 'lowdelay']
BAND_CTL = Literal['narrow', 'medium', 'wide', 'superwide', 'full']
SIGNAL_CTL = Literal['auto', 'voice', 'music']
class ApplicationCtl(TypedDict):
audio: int
voip: int
lowdelay: int
class BandCtl(TypedDict):
narrow: int
medium: int
@ -90,9 +97,10 @@ OK = 0
BAD_ARG = -1
# Encoder CTLs
APPLICATION_AUDIO = 2049
APPLICATION_VOIP = 2048
APPLICATION_LOWDELAY = 2051
APPLICATION_AUDIO = 'audio'
APPLICATION_VOIP = 'voip'
APPLICATION_LOWDELAY = 'lowdelay'
# These remain as strings for backwards compat
CTL_SET_BITRATE = 4002
CTL_SET_BANDWIDTH = 4008
@ -105,6 +113,12 @@ CTL_SET_GAIN = 4034
CTL_LAST_PACKET_DURATION = 4039
# fmt: on
application_ctl: ApplicationCtl = {
'audio': 2049,
'voip': 2048,
'lowdelay': 2051,
}
band_ctl: BandCtl = {
'narrow': 1101,
'medium': 1102,
@ -319,16 +333,38 @@ class _OpusStruct:
class Encoder(_OpusStruct):
def __init__(self, application: int = APPLICATION_AUDIO):
_OpusStruct.get_opus_version()
self.application: int = application
def __init__(
self,
*,
application: APPLICATION_CTL = 'audio',
bitrate: int = 128,
fec: bool = True,
expected_packet_loss: float = 0.15,
bandwidth: BAND_CTL = 'full',
signal_type: SIGNAL_CTL = 'auto',
):
if application not in application_ctl:
raise ValueError(f'{application} is not a valid application setting. Try one of: {"".join(application_ctl)}')
if not 16 <= bitrate <= 512:
raise ValueError(f'bitrate must be between 16 and 512, not {bitrate}')
if not 0 < expected_packet_loss <= 1.0:
raise ValueError(
f'expected_packet_loss must be a positive number less than or equal to 1, not {expected_packet_loss}'
)
_OpusStruct.get_opus_version() # lazy loads the opus library
self.application: int = application_ctl[application]
self._state: EncoderStruct = self._create_state()
self.set_bitrate(128)
self.set_fec(True)
self.set_expected_packet_loss_percent(0.15)
self.set_bandwidth('full')
self.set_signal_type('auto')
self.set_bitrate(bitrate)
self.set_fec(fec)
if fec:
self.set_expected_packet_loss_percent(expected_packet_loss)
self.set_bandwidth(bandwidth)
self.set_signal_type(signal_type)
def __del__(self) -> None:
if hasattr(self, '_state'):
@ -355,7 +391,7 @@ class Encoder(_OpusStruct):
def set_signal_type(self, req: SIGNAL_CTL) -> None:
if req not in signal_ctl:
raise KeyError(f'{req!r} is not a valid bandwidth setting. Try one of: {",".join(signal_ctl)}')
raise KeyError(f'{req!r} is not a valid signal type setting. Try one of: {",".join(signal_ctl)}')
k = signal_ctl[req]
_lib.opus_encoder_ctl(self._state, CTL_SET_SIGNAL, k)

2
discord/partial_emoji.py

@ -94,7 +94,7 @@ class PartialEmoji(_EmojiTag, AssetMixin):
__slots__ = ('animated', 'name', 'id', '_state')
_CUSTOM_EMOJI_RE = re.compile(r'<?(?P<animated>a)?:?(?P<name>[A-Za-z0-9\_]+):(?P<id>[0-9]{13,20})>?')
_CUSTOM_EMOJI_RE = re.compile(r'<?(?:(?P<animated>a)?:)?(?P<name>[A-Za-z0-9\_]+):(?P<id>[0-9]{13,20})>?')
if TYPE_CHECKING:
id: Optional[int]

49
discord/permissions.py

@ -141,9 +141,12 @@ class Permissions(BaseFlags):
self.value = permissions
for key, value in kwargs.items():
if key not in self.VALID_FLAGS:
raise TypeError(f'{key!r} is not a valid permission name.')
setattr(self, key, value)
try:
flag = self.VALID_FLAGS[key]
except KeyError:
raise TypeError(f'{key!r} is not a valid permission name.') from None
else:
self._set_flag(flag, value)
def is_subset(self, other: Permissions) -> bool:
"""Returns ``True`` if self has the same or fewer permissions as other."""
@ -183,7 +186,8 @@ class Permissions(BaseFlags):
"""A factory method that creates a :class:`Permissions` with all
permissions set to ``True``.
"""
return cls(0b11111111111111111111111111111111111111111111111)
# Some of these are 0 because we don't want to set unnecessary bits
return cls(0b0000_0000_0000_0000_1111_1111_1111_1111_1111_1111_1111_1111_1111_1111_1111_1111)
@classmethod
def _timeout_mask(cls) -> int:
@ -232,7 +236,7 @@ class Permissions(BaseFlags):
.. versionchanged:: 2.3
Added :attr:`use_soundboard`, :attr:`create_expressions` permissions.
"""
return cls(0b01000111110110110011111101111111111101010001)
return cls(0b0000_0000_0000_0000_0000_0100_0111_1101_1011_0011_1111_0111_1111_1111_0101_0001)
@classmethod
def general(cls) -> Self:
@ -248,7 +252,7 @@ class Permissions(BaseFlags):
.. versionchanged:: 2.3
Added :attr:`create_expressions` permission.
"""
return cls(0b10000000000001110000000010000000010010110000)
return cls(0b0000_0000_0000_0000_0000_1000_0000_0000_0111_0000_0000_1000_0000_0100_1011_0000)
@classmethod
def membership(cls) -> Self:
@ -257,7 +261,7 @@ class Permissions(BaseFlags):
.. versionadded:: 1.7
"""
return cls(0b10000000000001100000000000000000000000111)
return cls(0b0000_0000_0000_0000_0000_0001_0000_0000_0000_1100_0000_0000_0000_0000_0000_0111)
@classmethod
def text(cls) -> Self:
@ -275,13 +279,13 @@ class Permissions(BaseFlags):
.. versionchanged:: 2.3
Added :attr:`send_voice_messages` permission.
"""
return cls(0b10000000111110010000000000001111111100001000000)
return cls(0b0000_0000_0000_0000_0100_0000_0111_1100_1000_0000_0000_0111_1111_1000_0100_0000)
@classmethod
def voice(cls) -> Self:
"""A factory method that creates a :class:`Permissions` with all
"Voice" permissions from the official Discord UI set to ``True``."""
return cls(0b1001001000000000000011111100000000001100000000)
return cls(0b0000_0000_0000_0000_0010_0100_1000_0000_0000_0011_1111_0000_0000_0011_0000_0000)
@classmethod
def stage(cls) -> Self:
@ -306,7 +310,7 @@ class Permissions(BaseFlags):
.. versionchanged:: 2.0
Added :attr:`manage_channels` permission and removed :attr:`request_to_speak` permission.
"""
return cls(0b1010000000000000000010000)
return cls(0b0000_0000_0000_0000_0000_0000_0000_0000_0000_0001_0100_0000_0000_0000_0001_0000)
@classmethod
def elevated(cls) -> Self:
@ -327,7 +331,16 @@ class Permissions(BaseFlags):
.. versionadded:: 2.0
"""
return cls(0b10000010001110000000000000010000000111110)
return cls(0b0000_0000_0000_0000_0000_0001_0000_0100_0111_0000_0000_0000_0010_0000_0011_1110)
@classmethod
def events(cls) -> Self:
"""A factory method that creates a :class:`Permissions` with all
"Events" permissions from the official Discord UI set to ``True``.
.. versionadded:: 2.4
"""
return cls(0b0000_0000_0000_0000_0001_0000_0000_0010_0000_0000_0000_0000_0000_0000_0000_0000)
@classmethod
def advanced(cls) -> Self:
@ -351,8 +364,9 @@ class Permissions(BaseFlags):
A list of key/value pairs to bulk update permissions with.
"""
for key, value in kwargs.items():
if key in self.VALID_FLAGS:
setattr(self, key, value)
flag = self.VALID_FLAGS.get(key)
if flag is not None:
self._set_flag(flag, value)
def handle_overwrite(self, allow: int, deny: int) -> None:
# Basically this is what's happening here.
@ -684,6 +698,14 @@ class Permissions(BaseFlags):
"""
return 1 << 43
@flag_value
def create_events(self) -> int:
""":class:`bool`: Returns ``True`` if a user can create guild events.
.. versionadded:: 2.4
"""
return 1 << 44
@flag_value
def use_external_sounds(self) -> int:
""":class:`bool`: Returns ``True`` if a user can use sounds from other guilds.
@ -819,6 +841,7 @@ class PermissionOverwrite:
use_external_sounds: Optional[bool]
send_voice_messages: Optional[bool]
create_expressions: Optional[bool]
create_events: Optional[bool]
def __init__(self, **kwargs: Optional[bool]):
self._values: Dict[str, Optional[bool]] = {}

87
discord/player.py

@ -25,6 +25,7 @@ from __future__ import annotations
import threading
import subprocess
import warnings
import audioop
import asyncio
import logging
@ -145,6 +146,8 @@ class FFmpegAudio(AudioSource):
.. versionadded:: 1.3
"""
BLOCKSIZE: int = io.DEFAULT_BUFFER_SIZE
def __init__(
self,
source: Union[str, io.BufferedIOBase],
@ -153,12 +156,25 @@ class FFmpegAudio(AudioSource):
args: Any,
**subprocess_kwargs: Any,
):
piping = subprocess_kwargs.get('stdin') == subprocess.PIPE
if piping and isinstance(source, str):
piping_stdin = subprocess_kwargs.get('stdin') == subprocess.PIPE
if piping_stdin and isinstance(source, str):
raise TypeError("parameter conflict: 'source' parameter cannot be a string when piping to stdin")
stderr: Optional[IO[bytes]] = subprocess_kwargs.pop('stderr', None)
if stderr == subprocess.PIPE:
warnings.warn("Passing subprocess.PIPE does nothing", DeprecationWarning, stacklevel=3)
stderr = None
piping_stderr = False
if stderr is not None:
try:
stderr.fileno()
except Exception:
piping_stderr = True
args = [executable, *args]
kwargs = {'stdout': subprocess.PIPE}
kwargs = {'stdout': subprocess.PIPE, 'stderr': subprocess.PIPE if piping_stderr else stderr}
kwargs.update(subprocess_kwargs)
# Ensure attribute is assigned even in the case of errors
@ -166,15 +182,24 @@ class FFmpegAudio(AudioSource):
self._process = self._spawn_process(args, **kwargs)
self._stdout: IO[bytes] = self._process.stdout # type: ignore # process stdout is explicitly set
self._stdin: Optional[IO[bytes]] = None
self._pipe_thread: Optional[threading.Thread] = None
self._stderr: Optional[IO[bytes]] = None
self._pipe_writer_thread: Optional[threading.Thread] = None
self._pipe_reader_thread: Optional[threading.Thread] = None
if piping:
n = f'popen-stdin-writer:{id(self):#x}'
if piping_stdin:
n = f'popen-stdin-writer:pid-{self._process.pid}'
self._stdin = self._process.stdin
self._pipe_thread = threading.Thread(target=self._pipe_writer, args=(source,), daemon=True, name=n)
self._pipe_thread.start()
self._pipe_writer_thread = threading.Thread(target=self._pipe_writer, args=(source,), daemon=True, name=n)
self._pipe_writer_thread.start()
if piping_stderr:
n = f'popen-stderr-reader:pid-{self._process.pid}'
self._stderr = self._process.stderr
self._pipe_reader_thread = threading.Thread(target=self._pipe_reader, args=(stderr,), daemon=True, name=n)
self._pipe_reader_thread.start()
def _spawn_process(self, args: Any, **subprocess_kwargs: Any) -> subprocess.Popen:
_log.debug('Spawning ffmpeg process with command: %s', args)
process = None
try:
process = subprocess.Popen(args, creationflags=CREATE_NO_WINDOW, **subprocess_kwargs)
@ -207,8 +232,7 @@ class FFmpegAudio(AudioSource):
def _pipe_writer(self, source: io.BufferedIOBase) -> None:
while self._process:
# arbitrarily large read size
data = source.read(8192)
data = source.read(self.BLOCKSIZE)
if not data:
if self._stdin is not None:
self._stdin.close()
@ -222,9 +246,27 @@ class FFmpegAudio(AudioSource):
self._process.terminate()
return
def _pipe_reader(self, dest: IO[bytes]) -> None:
while self._process:
if self._stderr is None:
return
try:
data: bytes = self._stderr.read(self.BLOCKSIZE)
except Exception:
_log.debug('Read error for %s, this is probably not a problem', self, exc_info=True)
return
if data is None:
return
try:
dest.write(data)
except Exception:
_log.exception('Write error for %s', self)
self._stderr.close()
return
def cleanup(self) -> None:
self._kill_process()
self._process = self._stdout = self._stdin = MISSING
self._process = self._stdout = self._stdin = self._stderr = MISSING
class FFmpegPCMAudio(FFmpegAudio):
@ -250,7 +292,6 @@ class FFmpegPCMAudio(FFmpegAudio):
to the stdin of ffmpeg. Defaults to ``False``.
stderr: Optional[:term:`py:file object`]
A file-like object to pass to the Popen constructor.
Could also be an instance of ``subprocess.PIPE``.
before_options: Optional[:class:`str`]
Extra command line arguments to pass to ffmpeg before the ``-i`` flag.
options: Optional[:class:`str`]
@ -268,7 +309,7 @@ class FFmpegPCMAudio(FFmpegAudio):
*,
executable: str = 'ffmpeg',
pipe: bool = False,
stderr: Optional[IO[str]] = None,
stderr: Optional[IO[bytes]] = None,
before_options: Optional[str] = None,
options: Optional[str] = None,
) -> None:
@ -280,7 +321,14 @@ class FFmpegPCMAudio(FFmpegAudio):
args.append('-i')
args.append('-' if pipe else source)
args.extend(('-f', 's16le', '-ar', '48000', '-ac', '2', '-loglevel', 'warning'))
# fmt: off
args.extend(('-f', 's16le',
'-ar', '48000',
'-ac', '2',
'-loglevel', 'warning',
'-blocksize', str(self.BLOCKSIZE)))
# fmt: on
if isinstance(options, str):
args.extend(shlex.split(options))
@ -348,7 +396,6 @@ class FFmpegOpusAudio(FFmpegAudio):
to the stdin of ffmpeg. Defaults to ``False``.
stderr: Optional[:term:`py:file object`]
A file-like object to pass to the Popen constructor.
Could also be an instance of ``subprocess.PIPE``.
before_options: Optional[:class:`str`]
Extra command line arguments to pass to ffmpeg before the ``-i`` flag.
options: Optional[:class:`str`]
@ -381,7 +428,7 @@ class FFmpegOpusAudio(FFmpegAudio):
args.append('-i')
args.append('-' if pipe else source)
codec = 'copy' if codec in ('opus', 'libopus') else 'libopus'
codec = 'copy' if codec in ('opus', 'libopus', 'copy') else 'libopus'
bitrate = bitrate if bitrate is not None else 128
# fmt: off
@ -391,7 +438,10 @@ class FFmpegOpusAudio(FFmpegAudio):
'-ar', '48000',
'-ac', '2',
'-b:a', f'{bitrate}k',
'-loglevel', 'warning'))
'-loglevel', 'warning',
'-fec', 'true',
'-packet_loss', '15',
'-blocksize', str(self.BLOCKSIZE)))
# fmt: on
if isinstance(options, str):
@ -643,8 +693,7 @@ class AudioPlayer(threading.Thread):
*,
after: Optional[Callable[[Optional[Exception]], Any]] = None,
) -> None:
threading.Thread.__init__(self)
self.daemon: bool = True
super().__init__(daemon=True, name=f'audio-player:{id(self):#x}')
self.source: AudioSource = source
self.client: VoiceClient = client
self.after: Optional[Callable[[Optional[Exception]], Any]] = after

13
discord/raw_models.py

@ -25,7 +25,7 @@ DEALINGS IN THE SOFTWARE.
from __future__ import annotations
import datetime
from typing import TYPE_CHECKING, Optional, Set, List, Tuple, Union
from typing import TYPE_CHECKING, Literal, Optional, Set, List, Tuple, Union
from .enums import ChannelType, try_enum
from .utils import _get_as_snowflake
@ -57,6 +57,7 @@ if TYPE_CHECKING:
from .guild import Guild
ReactionActionEvent = Union[MessageReactionAddEvent, MessageReactionRemoveEvent]
ReactionActionType = Literal['REACTION_ADD', 'REACTION_REMOVE']
__all__ = (
@ -196,7 +197,10 @@ class RawReactionActionEvent(_RawReprMixin):
The member who added the reaction. Only available if ``event_type`` is ``REACTION_ADD`` and the reaction is inside a guild.
.. versionadded:: 1.3
message_author_id: Optional[:class:`int`]
The author ID of the message being reacted to. Only available if ``event_type`` is ``REACTION_ADD``.
.. versionadded:: 2.4
event_type: :class:`str`
The event type that triggered this action. Can be
``REACTION_ADD`` for reaction addition or
@ -205,15 +209,16 @@ class RawReactionActionEvent(_RawReprMixin):
.. versionadded:: 1.3
"""
__slots__ = ('message_id', 'user_id', 'channel_id', 'guild_id', 'emoji', 'event_type', 'member')
__slots__ = ('message_id', 'user_id', 'channel_id', 'guild_id', 'emoji', 'event_type', 'member', 'message_author_id')
def __init__(self, data: ReactionActionEvent, emoji: PartialEmoji, event_type: str) -> None:
def __init__(self, data: ReactionActionEvent, emoji: PartialEmoji, event_type: ReactionActionType) -> None:
self.message_id: int = int(data['message_id'])
self.channel_id: int = int(data['channel_id'])
self.user_id: int = int(data['user_id'])
self.emoji: PartialEmoji = emoji
self.event_type: str = event_type
self.event_type: ReactionActionType = event_type
self.member: Optional[Member] = None
self.message_author_id: Optional[int] = _get_as_snowflake(data, 'message_author_id')
try:
self.guild_id: Optional[int] = int(data['guild_id'])

11
discord/role.py

@ -30,6 +30,7 @@ from .permissions import Permissions
from .colour import Colour
from .mixins import Hashable
from .utils import snowflake_time, _bytes_to_base64_data, _get_as_snowflake, MISSING
from .flags import RoleFlags
__all__ = (
'RoleTags',
@ -219,6 +220,7 @@ class Role(Hashable):
'hoist',
'guild',
'tags',
'_flags',
'_state',
)
@ -281,6 +283,7 @@ class Role(Hashable):
self.managed: bool = data.get('managed', False)
self.mentionable: bool = data.get('mentionable', False)
self.tags: Optional[RoleTags]
self._flags: int = data.get('flags', 0)
try:
self.tags = RoleTags(data['tags'])
@ -379,6 +382,14 @@ class Role(Hashable):
role_id = self.id
return [member for member in all_members if member._roles.has(role_id)]
@property
def flags(self) -> RoleFlags:
""":class:`RoleFlags`: Returns the role's flags.
.. versionadded:: 2.4
"""
return RoleFlags._from_value(self._flags)
async def _move(self, position: int, reason: Optional[str]) -> None:
if position <= 0:
raise ValueError("Cannot move role to position 0 or below")

4
discord/shard.py

@ -192,6 +192,10 @@ class Shard:
self.ws = await asyncio.wait_for(coro, timeout=60.0)
except self._handled_exceptions as e:
await self._handle_disconnect(e)
except ReconnectWebSocket as e:
_log.debug('Somehow got a signal to %s while trying to %s shard ID %s.', e.op, exc.op, self.id)
op = EventType.resume if e.resume else EventType.identify
self._queue_put(EventItem(op, self, e))
except asyncio.CancelledError:
return
except Exception as e:

16
discord/state.py

@ -32,6 +32,7 @@ from typing import (
Dict,
Optional,
TYPE_CHECKING,
Type,
Union,
Callable,
Any,
@ -84,6 +85,8 @@ if TYPE_CHECKING:
from .http import HTTPClient
from .voice_client import VoiceProtocol
from .gateway import DiscordWebSocket
from .ui.item import Item
from .ui.dynamic import DynamicItem
from .app_commands import CommandTree, Translator
from .types.automod import AutoModerationRule, AutoModerationActionExecution
@ -259,6 +262,13 @@ class ConnectionState(Generic[ClientT]):
self.clear()
# For some reason Discord still sends emoji/sticker data in payloads
# This makes it hard to actually swap out the appropriate store methods
# So this is checked instead, it's a small penalty to pay
@property
def cache_guild_expressions(self) -> bool:
return self._intents.emojis_and_stickers
async def close(self) -> None:
for voice in self.voice_clients:
try:
@ -388,6 +398,12 @@ class ConnectionState(Generic[ClientT]):
def prevent_view_updates_for(self, message_id: int) -> Optional[View]:
return self._view_store.remove_message_tracking(message_id)
def store_dynamic_items(self, *items: Type[DynamicItem[Item[Any]]]) -> None:
self._view_store.add_dynamic_items(*items)
def remove_dynamic_items(self, *items: Type[DynamicItem[Item[Any]]]) -> None:
self._view_store.remove_dynamic_items(*items)
@property
def persistent_views(self) -> Sequence[View]:
return self._view_store.persistent_views

11
discord/team.py

@ -27,7 +27,7 @@ from __future__ import annotations
from . import utils
from .user import BaseUser
from .asset import Asset
from .enums import TeamMembershipState, try_enum
from .enums import TeamMemberRole, TeamMembershipState, try_enum
from typing import TYPE_CHECKING, Optional, List
@ -130,14 +130,19 @@ class TeamMember(BaseUser):
The team that the member is from.
membership_state: :class:`TeamMembershipState`
The membership state of the member (e.g. invited or accepted)
role: :class:`TeamMemberRole`
The role of the member within the team.
.. versionadded:: 2.4
"""
__slots__ = ('team', 'membership_state', 'permissions')
__slots__ = ('team', 'membership_state', 'permissions', 'role')
def __init__(self, team: Team, state: ConnectionState, data: TeamMemberPayload) -> None:
self.team: Team = team
self.membership_state: TeamMembershipState = try_enum(TeamMembershipState, data['membership_state'])
self.permissions: List[str] = data['permissions']
self.permissions: List[str] = data.get('permissions', [])
self.role: TeamMemberRole = try_enum(TeamMemberRole, data['role'])
super().__init__(state=state, data=data['user'])
def __repr__(self) -> str:

21
discord/template.py

@ -69,6 +69,10 @@ class _PartialTemplateState:
def member_cache_flags(self):
return self.__state.member_cache_flags
@property
def cache_guild_expressions(self):
return False
def store_emoji(self, guild, packet) -> None:
return None
@ -146,18 +150,11 @@ class Template:
self.created_at: Optional[datetime.datetime] = parse_time(data.get('created_at'))
self.updated_at: Optional[datetime.datetime] = parse_time(data.get('updated_at'))
guild_id = int(data['source_guild_id'])
guild: Optional[Guild] = self._state._get_guild(guild_id)
self.source_guild: Guild
if guild is None:
source_serialised = data['serialized_source_guild']
source_serialised['id'] = guild_id
state = _PartialTemplateState(state=self._state)
# Guild expects a ConnectionState, we're passing a _PartialTemplateState
self.source_guild = Guild(data=source_serialised, state=state) # type: ignore
else:
self.source_guild = guild
source_serialised = data['serialized_source_guild']
source_serialised['id'] = int(data['source_guild_id'])
state = _PartialTemplateState(state=self._state)
# Guild expects a ConnectionState, we're passing a _PartialTemplateState
self.source_guild = Guild(data=source_serialised, state=state) # type: ignore
self.is_dirty: Optional[bool] = data.get('is_dirty', None)

3
discord/types/audit_log.py

@ -93,6 +93,8 @@ AuditLogEvent = Literal[
143,
144,
145,
150,
151,
]
@ -314,6 +316,7 @@ class AuditEntryInfo(TypedDict):
guild_id: Snowflake
auto_moderation_rule_name: str
auto_moderation_rule_trigger_type: str
integration_type: str
class AuditLogEntry(TypedDict):

17
discord/types/channel.py

@ -40,7 +40,7 @@ class PermissionOverwrite(TypedDict):
deny: str
ChannelTypeWithoutThread = Literal[0, 1, 2, 3, 4, 5, 6, 13, 15]
ChannelTypeWithoutThread = Literal[0, 1, 2, 3, 4, 5, 6, 13, 15, 16]
ChannelType = Union[ChannelTypeWithoutThread, ThreadType]
@ -138,8 +138,7 @@ ForumOrderType = Literal[0, 1]
ForumLayoutType = Literal[0, 1, 2]
class ForumChannel(_BaseTextChannel):
type: Literal[15]
class _BaseForumChannel(_BaseTextChannel):
available_tags: List[ForumTag]
default_reaction_emoji: Optional[DefaultReaction]
default_sort_order: Optional[ForumOrderType]
@ -147,7 +146,17 @@ class ForumChannel(_BaseTextChannel):
flags: NotRequired[int]
GuildChannel = Union[TextChannel, NewsChannel, VoiceChannel, CategoryChannel, StageChannel, ThreadChannel, ForumChannel]
class ForumChannel(_BaseForumChannel):
type: Literal[15]
class MediaChannel(_BaseForumChannel):
type: Literal[16]
GuildChannel = Union[
TextChannel, NewsChannel, VoiceChannel, CategoryChannel, StageChannel, ThreadChannel, ForumChannel, MediaChannel
]
class _BaseDMChannel(_BaseChannel):

1
discord/types/gateway.py

@ -100,6 +100,7 @@ class MessageReactionAddEvent(TypedDict):
emoji: PartialEmoji
member: NotRequired[MemberWithUser]
guild_id: NotRequired[Snowflake]
message_author_id: NotRequired[Snowflake]
class MessageReactionRemoveEvent(TypedDict):

1
discord/types/message.py

@ -70,6 +70,7 @@ class Attachment(TypedDict):
ephemeral: NotRequired[bool]
duration_secs: NotRequired[float]
waveform: NotRequired[str]
flags: NotRequired[int]
MessageActivityType = Literal[1, 2, 3, 5]

1
discord/types/role.py

@ -39,6 +39,7 @@ class Role(TypedDict):
permissions: str
managed: bool
mentionable: bool
flags: int
icon: NotRequired[Optional[str]]
unicode_emoji: NotRequired[Optional[str]]
tags: NotRequired[RoleTags]

2
discord/types/sticker.py

@ -30,7 +30,7 @@ from typing_extensions import NotRequired
from .snowflake import Snowflake
from .user import User
StickerFormatType = Literal[1, 2, 3]
StickerFormatType = Literal[1, 2, 3, 4]
class StickerItem(TypedDict):

3
discord/types/team.py

@ -24,7 +24,7 @@ DEALINGS IN THE SOFTWARE.
from __future__ import annotations
from typing import TypedDict, List, Optional
from typing import Literal, TypedDict, List, Optional
from .user import PartialUser
from .snowflake import Snowflake
@ -35,6 +35,7 @@ class TeamMember(TypedDict):
membership_state: int
permissions: List[str]
team_id: Snowflake
role: Literal['admin', 'developer', 'read_only']
class Team(TypedDict):

2
discord/types/user.py

@ -34,7 +34,7 @@ class PartialUser(TypedDict):
global_name: Optional[str]
PremiumType = Literal[0, 1, 2]
PremiumType = Literal[0, 1, 2, 3]
class User(PartialUser, total=False):

1
discord/ui/__init__.py

@ -15,3 +15,4 @@ from .item import *
from .button import *
from .select import *
from .text_input import *
from .dynamic import *

209
discord/ui/dynamic.py

@ -0,0 +1,209 @@
"""
The MIT License (MIT)
Copyright (c) 2015-present Rapptz
Permission is hereby granted, free of charge, to any person obtaining a
copy of this software and associated documentation files (the "Software"),
to deal in the Software without restriction, including without limitation
the rights to use, copy, modify, merge, publish, distribute, sublicense,
and/or sell copies of the Software, and to permit persons to whom the
Software is furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in
all copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
DEALINGS IN THE SOFTWARE.
"""
from __future__ import annotations
from typing import ClassVar, Dict, Generic, Optional, Tuple, Type, TypeVar, TYPE_CHECKING, Any, Union
import re
from .item import Item
from .._types import ClientT
__all__ = ('DynamicItem',)
BaseT = TypeVar('BaseT', bound='Item[Any]', covariant=True)
if TYPE_CHECKING:
from typing_extensions import TypeVar, Self
from ..interactions import Interaction
from ..components import Component
from ..enums import ComponentType
from .view import View
V = TypeVar('V', bound='View', covariant=True, default=View)
else:
V = TypeVar('V', bound='View', covariant=True)
class DynamicItem(Generic[BaseT], Item['View']):
"""Represents an item with a dynamic ``custom_id`` that can be used to store state within
that ``custom_id``.
The ``custom_id`` parsing is done using the ``re`` module by passing a ``template``
parameter to the class parameter list.
This item is generated every time the component is dispatched. This means that
any variable that holds an instance of this class will eventually be out of date
and should not be used long term. Their only purpose is to act as a "template"
for the actual dispatched item.
When this item is generated, :attr:`view` is set to a regular :class:`View` instance
from the original message given from the interaction. This means that custom view
subclasses cannot be accessed from this item.
.. versionadded:: 2.4
Parameters
------------
item: :class:`Item`
The item to wrap with dynamic custom ID parsing.
template: Union[:class:`str`, ``re.Pattern``]
The template to use for parsing the ``custom_id``. This can be a string or a compiled
regular expression. This must be passed as a keyword argument to the class creation.
row: Optional[:class:`int`]
The relative row this button belongs to. A Discord component can only have 5
rows. By default, items are arranged automatically into those 5 rows. If you'd
like to control the relative positioning of the row then passing an index is advised.
For example, row=1 will show up before row=2. Defaults to ``None``, which is automatic
ordering. The row number must be between 0 and 4 (i.e. zero indexed).
Attributes
-----------
item: :class:`Item`
The item that is wrapped with dynamic custom ID parsing.
"""
__item_repr_attributes__: Tuple[str, ...] = (
'item',
'template',
)
__discord_ui_compiled_template__: ClassVar[re.Pattern[str]]
def __init_subclass__(cls, *, template: Union[str, re.Pattern[str]]) -> None:
super().__init_subclass__()
cls.__discord_ui_compiled_template__ = re.compile(template) if isinstance(template, str) else template
if not isinstance(cls.__discord_ui_compiled_template__, re.Pattern):
raise TypeError('template must be a str or a re.Pattern')
def __init__(
self,
item: BaseT,
*,
row: Optional[int] = None,
) -> None:
super().__init__()
self.item: BaseT = item
self.row = row
if not self.item.is_dispatchable():
raise TypeError('item must be dispatchable, e.g. not a URL button')
if not self.template.match(self.custom_id):
raise ValueError(f'item custom_id must match the template {self.template.pattern!r}')
@property
def template(self) -> re.Pattern[str]:
"""``re.Pattern``: The compiled regular expression that is used to parse the ``custom_id``."""
return self.__class__.__discord_ui_compiled_template__
def to_component_dict(self) -> Dict[str, Any]:
return self.item.to_component_dict()
def _refresh_component(self, component: Component) -> None:
self.item._refresh_component(component)
def _refresh_state(self, interaction: Interaction, data: Dict[str, Any]) -> None:
self.item._refresh_state(interaction, data)
@classmethod
def from_component(cls: Type[Self], component: Component) -> Self:
raise TypeError('Dynamic items cannot be created from components')
@property
def type(self) -> ComponentType:
return self.item.type
def is_dispatchable(self) -> bool:
return self.item.is_dispatchable()
def is_persistent(self) -> bool:
return True
@property
def custom_id(self) -> str:
""":class:`str`: The ID of the dynamic item that gets received during an interaction."""
return self.item.custom_id # type: ignore # This attribute exists for dispatchable items
@custom_id.setter
def custom_id(self, value: str) -> None:
if not isinstance(value, str):
raise TypeError('custom_id must be a str')
if not self.template.match(value):
raise ValueError(f'custom_id must match the template {self.template.pattern!r}')
self.item.custom_id = value # type: ignore # This attribute exists for dispatchable items
self._provided_custom_id = True
@property
def row(self) -> Optional[int]:
return self.item._row
@row.setter
def row(self, value: Optional[int]) -> None:
self.item.row = value
@property
def width(self) -> int:
return self.item.width
@classmethod
async def from_custom_id(
cls: Type[Self], interaction: Interaction[ClientT], item: Item[Any], match: re.Match[str], /
) -> Self:
"""|coro|
A classmethod that is called when the ``custom_id`` of a component matches the
``template`` of the class. This is called when the component is dispatched.
It must return a new instance of the :class:`DynamicItem`.
Subclasses *must* implement this method.
Exceptions raised in this method are logged and ignored.
.. warning::
This method is called before the callback is dispatched, therefore
it means that it is subject to the same timing restrictions as the callback.
Ergo, you must reply to an interaction within 3 seconds of it being
dispatched.
Parameters
------------
interaction: :class:`~discord.Interaction`
The interaction that the component belongs to.
item: :class:`~discord.ui.Item`
The base item that is being dispatched.
match: ``re.Match``
The match object that was created from the ``template``
matching the ``custom_id``.
Returns
--------
:class:`DynamicItem`
The new instance of the :class:`DynamicItem` with information
from the ``match`` object.
"""
raise NotImplementedError

33
discord/ui/item.py

@ -133,3 +133,36 @@ class Item(Generic[V]):
The interaction that triggered this UI item.
"""
pass
async def interaction_check(self, interaction: Interaction[ClientT], /) -> bool:
"""|coro|
A callback that is called when an interaction happens within this item
that checks whether the callback should be processed.
This is useful to override if, for example, you want to ensure that the
interaction author is a given user.
The default implementation of this returns ``True``.
.. note::
If an exception occurs within the body then the check
is considered a failure and :meth:`discord.ui.View.on_error` is called.
For :class:`~discord.ui.DynamicItem` this does not call the ``on_error``
handler.
.. versionadded:: 2.4
Parameters
-----------
interaction: :class:`~discord.Interaction`
The interaction that occurred.
Returns
---------
:class:`bool`
Whether the callback should be called.
"""
return True

89
discord/ui/view.py

@ -23,7 +23,7 @@ DEALINGS IN THE SOFTWARE.
"""
from __future__ import annotations
from typing import Any, Callable, ClassVar, Coroutine, Dict, Iterator, List, Optional, Sequence, TYPE_CHECKING, Tuple
from typing import Any, Callable, ClassVar, Coroutine, Dict, Iterator, List, Optional, Sequence, TYPE_CHECKING, Tuple, Type
from functools import partial
from itertools import groupby
@ -33,6 +33,7 @@ import sys
import time
import os
from .item import Item, ItemCallbackType
from .dynamic import DynamicItem
from ..components import (
Component,
ActionRow as ActionRowComponent,
@ -50,6 +51,7 @@ __all__ = (
if TYPE_CHECKING:
from typing_extensions import Self
import re
from ..interactions import Interaction
from ..message import Message
@ -417,7 +419,7 @@ class View:
try:
item._refresh_state(interaction, interaction.data) # type: ignore
allow = await self.interaction_check(interaction)
allow = await item.interaction_check(interaction) and await self.interaction_check(interaction)
if not allow:
return
@ -534,6 +536,8 @@ class ViewStore:
self._synced_message_views: Dict[int, View] = {}
# custom_id: Modal
self._modals: Dict[str, Modal] = {}
# component_type is the key
self._dynamic_items: Dict[re.Pattern[str], Type[DynamicItem[Item[Any]]]] = {}
self._state: ConnectionState = state
@property
@ -548,6 +552,16 @@ class ViewStore:
# fmt: on
return list(views.values())
def add_dynamic_items(self, *items: Type[DynamicItem[Item[Any]]]) -> None:
for item in items:
pattern = item.__discord_ui_compiled_template__
self._dynamic_items[pattern] = item
def remove_dynamic_items(self, *items: Type[DynamicItem[Item[Any]]]) -> None:
for item in items:
pattern = item.__discord_ui_compiled_template__
self._dynamic_items.pop(pattern, None)
def add_view(self, view: View, message_id: Optional[int] = None) -> None:
view._start_listening_from_store(self)
if view.__discord_ui_modal__:
@ -555,12 +569,17 @@ class ViewStore:
return
dispatch_info = self._views.setdefault(message_id, {})
is_fully_dynamic = True
for item in view._children:
if item.is_dispatchable():
if isinstance(item, DynamicItem):
pattern = item.__discord_ui_compiled_template__
self._dynamic_items[pattern] = item.__class__
elif item.is_dispatchable():
dispatch_info[(item.type.value, item.custom_id)] = item # type: ignore
is_fully_dynamic = False
view._cache_key = message_id
if message_id is not None:
if message_id is not None and not is_fully_dynamic:
self._synced_message_views[message_id] = view
def remove_view(self, view: View) -> None:
@ -571,7 +590,10 @@ class ViewStore:
dispatch_info = self._views.get(view._cache_key)
if dispatch_info:
for item in view._children:
if item.is_dispatchable():
if isinstance(item, DynamicItem):
pattern = item.__discord_ui_compiled_template__
self._dynamic_items.pop(pattern, None)
elif item.is_dispatchable():
dispatch_info.pop((item.type.value, item.custom_id), None) # type: ignore
if len(dispatch_info) == 0:
@ -579,7 +601,64 @@ class ViewStore:
self._synced_message_views.pop(view._cache_key, None) # type: ignore
async def schedule_dynamic_item_call(
self,
component_type: int,
factory: Type[DynamicItem[Item[Any]]],
interaction: Interaction,
custom_id: str,
match: re.Match[str],
) -> None:
if interaction.message is None:
return
view = View.from_message(interaction.message)
base_item_index: Optional[int] = None
for index, child in enumerate(view._children):
if child.type.value == component_type and getattr(child, 'custom_id', None) == custom_id:
base_item_index = index
break
if base_item_index is None:
return
base_item = view._children[base_item_index]
try:
item = await factory.from_custom_id(interaction, base_item, match)
except Exception:
_log.exception('Ignoring exception in dynamic item creation for %r', factory)
return
# Swap the item in the view with our new dynamic item
view._children[base_item_index] = item
item._view = view
item._refresh_state(interaction, interaction.data) # type: ignore
try:
allow = await item.interaction_check(interaction)
except Exception:
allow = False
if not allow:
return
try:
await item.callback(interaction)
except Exception:
_log.exception('Ignoring exception in dynamic item callback for %r', item)
def dispatch_dynamic_items(self, component_type: int, custom_id: str, interaction: Interaction) -> None:
for pattern, item in self._dynamic_items.items():
match = pattern.fullmatch(custom_id)
if match is not None:
asyncio.create_task(
self.schedule_dynamic_item_call(component_type, item, interaction, custom_id, match),
name=f'discord-ui-dynamic-item-{item.__name__}-{custom_id}',
)
def dispatch_view(self, component_type: int, custom_id: str, interaction: Interaction) -> None:
self.dispatch_dynamic_items(component_type, custom_id, interaction)
interaction_id: Optional[int] = None
message_id: Optional[int] = None
# Realistically, in a component based interaction the Interaction.message will never be None

6
discord/utils.py

@ -899,13 +899,13 @@ def resolve_template(code: Union[Template, str]) -> str:
_MARKDOWN_ESCAPE_SUBREGEX = '|'.join(r'\{0}(?=([\s\S]*((?<!\{0})\{0})))'.format(c) for c in ('*', '`', '_', '~', '|'))
_MARKDOWN_ESCAPE_COMMON = r'^>(?:>>)?\s|\[.+\]\(.+\)'
_MARKDOWN_ESCAPE_COMMON = r'^>(?:>>)?\s|\[.+\]\(.+\)|^#{1,3}|^\s*-'
_MARKDOWN_ESCAPE_REGEX = re.compile(fr'(?P<markdown>{_MARKDOWN_ESCAPE_SUBREGEX}|{_MARKDOWN_ESCAPE_COMMON})', re.MULTILINE)
_URL_REGEX = r'(?P<url><[^: >]+:\/[^ >]+>|(?:https?|steam):\/\/[^\s<]+[^<.,:;\"\'\]\s])'
_MARKDOWN_STOCK_REGEX = fr'(?P<markdown>[_\\~|\*`#-]|{_MARKDOWN_ESCAPE_COMMON})'
_MARKDOWN_STOCK_REGEX = fr'(?P<markdown>[_\\~|\*`]|{_MARKDOWN_ESCAPE_COMMON})'
def remove_markdown(text: str, *, ignore_links: bool = True) -> str:
@ -932,7 +932,7 @@ def remove_markdown(text: str, *, ignore_links: bool = True) -> str:
The text with the markdown special characters removed.
"""
def replacement(match):
def replacement(match: re.Match[str]) -> str:
groupdict = match.groupdict()
return groupdict.get('url', '')

60
discord/voice_client.py

@ -58,7 +58,7 @@ if TYPE_CHECKING:
from .guild import Guild
from .state import ConnectionState
from .user import ClientUser
from .opus import Encoder
from .opus import Encoder, APPLICATION_CTL, BAND_CTL, SIGNAL_CTL
from .channel import StageChannel, VoiceChannel
from . import abc
@ -421,6 +421,11 @@ class VoiceClient(VoiceProtocol):
self.finish_handshake()
self._potentially_reconnecting = False
if self.ws:
_log.debug("Closing existing voice websocket")
await self.ws.close()
try:
self.ws = await self.connect_websocket()
except (ConnectionClosed, asyncio.TimeoutError):
@ -564,7 +569,18 @@ class VoiceClient(VoiceProtocol):
return header + box.encrypt(bytes(data), bytes(nonce)).ciphertext + nonce[:4]
def play(self, source: AudioSource, *, after: Optional[Callable[[Optional[Exception]], Any]] = None) -> None:
def play(
self,
source: AudioSource,
*,
after: Optional[Callable[[Optional[Exception]], Any]] = None,
application: APPLICATION_CTL = 'audio',
bitrate: int = 128,
fec: bool = True,
expected_packet_loss: float = 0.15,
bandwidth: BAND_CTL = 'full',
signal_type: SIGNAL_CTL = 'auto',
) -> None:
"""Plays an :class:`AudioSource`.
The finalizer, ``after`` is called after the source has been exhausted
@ -574,9 +590,15 @@ class VoiceClient(VoiceProtocol):
caught and the audio player is then stopped. If no after callback is
passed, any caught exception will be logged using the library logger.
Extra parameters may be passed to the internal opus encoder if a PCM based
source is used. Otherwise, they are ignored.
.. versionchanged:: 2.0
Instead of writing to ``sys.stderr``, the library's logger is used.
.. versionchanged:: 2.4
Added encoder parameters as keyword arguments.
Parameters
-----------
source: :class:`AudioSource`
@ -585,6 +607,27 @@ class VoiceClient(VoiceProtocol):
The finalizer that is called after the stream is exhausted.
This function must have a single parameter, ``error``, that
denotes an optional exception that was raised during playing.
application: :class:`str`
Configures the encoder's intended application. Can be one of:
``'audio'``, ``'voip'``, ``'lowdelay'``.
Defaults to ``'audio'``.
bitrate: :class:`int`
Configures the bitrate in the encoder. Can be between ``16`` and ``512``.
Defaults to ``128``.
fec: :class:`bool`
Configures the encoder's use of inband forward error correction.
Defaults to ``True``.
expected_packet_loss: :class:`float`
Configures the encoder's expected packet loss percentage. Requires FEC.
Defaults to ``0.15``.
bandwidth: :class:`str`
Configures the encoder's bandpass. Can be one of:
``'narrow'``, ``'medium'``, ``'wide'``, ``'superwide'``, ``'full'``.
Defaults to ``'full'``.
signal_type: :class:`str`
Configures the type of signal being encoded. Can be one of:
``'auto'``, ``'voice'``, ``'music'``.
Defaults to ``'auto'``.
Raises
-------
@ -594,6 +637,8 @@ class VoiceClient(VoiceProtocol):
Source is not a :class:`AudioSource` or after is not a callable.
OpusNotLoaded
Source is not opus encoded and opus is not loaded.
ValueError
An improper value was passed as an encoder parameter.
"""
if not self.is_connected():
@ -605,8 +650,15 @@ class VoiceClient(VoiceProtocol):
if not isinstance(source, AudioSource):
raise TypeError(f'source must be an AudioSource not {source.__class__.__name__}')
if not self.encoder and not source.is_opus():
self.encoder = opus.Encoder()
if not source.is_opus():
self.encoder = opus.Encoder(
application=application,
bitrate=bitrate,
fec=fec,
expected_packet_loss=expected_packet_loss,
bandwidth=bandwidth,
signal_type=signal_type,
)
self._player = AudioPlayer(source, self, after=after)
self._player.start()

14
docs/_static/style.css

@ -16,6 +16,10 @@ Historically however, thanks to:
box-sizing: border-box;
}
section {
word-break: break-word;
}
/* CSS variables would go here */
:root {
--font-family: -apple-system, BlinkMacSystemFont, 'Segoe UI', Roboto, Oxygen, Ubuntu, Cantarell, 'Open Sans', 'Helvetica Neue', sans-serif;
@ -216,6 +220,7 @@ body {
display: grid;
min-height: 100%;
grid-auto-rows: min-content auto min-content;
grid-template-columns: minmax(0, 1fr);
grid-template-areas:
"s"
"h"
@ -1046,6 +1051,7 @@ code.xref, a code {
span.pre {
padding: 0 2px;
white-space: pre-wrap !important;
}
dl.class {
@ -1211,12 +1217,13 @@ div.code-block-caption {
/* desktop stuff */
@media screen and (min-width: 600px) {
@media screen and (min-width: 768px) {
.grid-item {
max-width: unset;
}
.main-grid {
grid-template-columns: repeat(6, 1fr);
grid-template-areas:
"h h h h h h"
"n n n n n n"
@ -1273,6 +1280,7 @@ div.code-block-caption {
position: sticky;
top: 1em;
max-height: calc(100vh - 2em);
max-width: 100%;
overflow-y: auto;
margin: 1em;
}
@ -1322,6 +1330,10 @@ div.code-block-caption {
"s s s f f f f f f f f f f f f f"
}
#sidebar {
max-width: unset;
}
header > nav {
margin-left: 18.75%;
margin-right: 18.75%;

67
docs/api.rst

@ -1513,6 +1513,12 @@ of :class:`enum.Enum`.
.. versionadded:: 2.0
.. attribute:: media
A media channel.
.. versionadded:: 2.4
.. class:: MessageType
Specifies the type of :class:`Message`. This is used to denote if a message
@ -2100,6 +2106,11 @@ of :class:`enum.Enum`.
When this is the action, the type of :attr:`~AuditLogEntry.target` is
the :class:`User` or :class:`Object` who got kicked.
When this is the action, the type of :attr:`~AuditLogEntry.extra` is
set to an unspecified proxy object with one attribute:
- ``integration_type``: An optional string that denotes the type of integration that did the action.
When this is the action, :attr:`~AuditLogEntry.changes` is empty.
.. attribute:: member_prune
@ -2160,6 +2171,11 @@ of :class:`enum.Enum`.
When this is the action, the type of :attr:`~AuditLogEntry.target` is
the :class:`Member`, :class:`User`, or :class:`Object` who got the role.
When this is the action, the type of :attr:`~AuditLogEntry.extra` is
set to an unspecified proxy object with one attribute:
- ``integration_type``: An optional string that denotes the type of integration that did the action.
Possible attributes for :class:`AuditLogDiff`:
- :attr:`~AuditLogDiff.roles`
@ -2799,6 +2815,18 @@ of :class:`enum.Enum`.
.. versionadded:: 2.1
.. attribute:: creator_monetization_request_created
A request to monetize the server was created.
.. versionadded:: 2.4
.. attribute:: creator_monetization_terms_accepted
The terms and conditions for creator monetization were accepted.
.. versionadded:: 2.4
.. class:: AuditLogActionCategory
Represents the category that the :class:`AuditLogAction` belongs to.
@ -2831,6 +2859,27 @@ of :class:`enum.Enum`.
Represents a member currently in the team.
.. class:: TeamMemberRole
Represents the type of role of a team member retrieved through :func:`Client.application_info`.
.. versionadded:: 2.4
.. attribute:: admin
The team member is an admin. This allows them to invite members to the team, access credentials, edit the application,
and do most things the owner can do. However they cannot do destructive actions.
.. attribute:: developer
The team member is a developer. This allows them to access information, like the client secret or public key.
They can also configure interaction endpoints or reset the bot token. Developers cannot invite anyone to the team
nor can they do destructive actions.
.. attribute:: read_only
The team member is a read-only member. This allows them to access information, but not edit anything.
.. class:: WebhookType
Represents the type of webhook that can be received.
@ -4039,7 +4088,7 @@ AuditLogDiff
See also :attr:`ForumChannel.default_reaction_emoji`
:type: :class:`default_reaction_emoji`
:type: Optional[:class:`PartialEmoji`]
.. this is currently missing the following keys: reason and application_id
I'm not sure how to port these
@ -4970,6 +5019,22 @@ MemberFlags
.. autoclass:: MemberFlags
:members:
AttachmentFlags
~~~~~~~~~~~~~~~~
.. attributetable:: AttachmentFlags
.. autoclass:: AttachmentFlags
:members:
RoleFlags
~~~~~~~~~~
.. attributetable:: RoleFlags
.. autoclass:: RoleFlags
:members:
ForumTag
~~~~~~~~~

9
docs/interactions/api.rst

@ -443,6 +443,15 @@ Item
.. autoclass:: discord.ui.Item
:members:
DynamicItem
~~~~~~~~~~~~
.. attributetable:: discord.ui.DynamicItem
.. autoclass:: discord.ui.DynamicItem
:members:
:inherited-members:
Button
~~~~~~~

3753
docs/locale/ja/LC_MESSAGES/api.po

File diff suppressed because it is too large

64
docs/locale/ja/LC_MESSAGES/discord.po

@ -2,8 +2,8 @@ msgid ""
msgstr ""
"Project-Id-Version: discordpy\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2023-01-24 11:01+0000\n"
"PO-Revision-Date: 2023-01-30 13:38\n"
"POT-Creation-Date: 2023-06-21 01:17+0000\n"
"PO-Revision-Date: 2023-06-21 01:20\n"
"Last-Translator: \n"
"Language-Team: Japanese\n"
"MIME-Version: 1.0\n"
@ -30,12 +30,12 @@ msgid "Creating a Bot account is a pretty straightforward process."
msgstr "Botのアカウント作成はとても簡単です。"
#: ../../discord.rst:12
#: ../../discord.rst:66
#: ../../discord.rst:61
msgid "Make sure you're logged on to the `Discord website <https://discord.com>`_."
msgstr "`Discordのウェブサイト <https://discord.com>`_ にログインできていることを確認してください。"
#: ../../discord.rst:13
#: ../../discord.rst:67
#: ../../discord.rst:62
msgid "Navigate to the `application page <https://discord.com/developers/applications>`_"
msgstr "`Applicationページ <https://discord.com/developers/applications>`_ に移動します。"
@ -56,22 +56,14 @@ msgid "The new application form filled in."
msgstr "記入された新しいアプリケーションフォーム"
#: ../../discord.rst:24
msgid "Create a Bot User by navigating to the \"Bot\" tab and clicking \"Add Bot\"."
msgstr "「Bot」タブへ移動し、「Add Bot」をクリックしてBotユーザーを作成します。"
#: ../../discord.rst:26
msgid "Click \"Yes, do it!\" to continue."
msgstr "「Yes, do it!」をクリックして続行します。"
#: ../../discord.rst:0
msgid "The Add Bot button."
msgstr "「Add Bot」ボタン"
msgid "Navigate to the \"Bot\" tab to configure it."
msgstr ""
#: ../../discord.rst:30
#: ../../discord.rst:25
msgid "Make sure that **Public Bot** is ticked if you want others to invite your bot."
msgstr "他人にBotの招待を許可する場合には、 **Public Bot** にチェックを入れてください。"
#: ../../discord.rst:32
#: ../../discord.rst:27
msgid "You should also make sure that **Require OAuth2 Code Grant** is unchecked unless you are developing a service that needs it. If you're unsure, then **leave it unchecked**."
msgstr "また、必要なサービスを開発している場合を除いて、 **Require OAuth2 Code Grant** がオフになっていることを確認する必要があります。わからない場合は **チェックを外してください** 。"
@ -79,55 +71,55 @@ msgstr "また、必要なサービスを開発している場合を除いて、
msgid "How the Bot User options should look like for most people."
msgstr "Botユーザーの設定がほとんどの人にとってどのように見えるか"
#: ../../discord.rst:38
#: ../../discord.rst:33
msgid "Copy the token using the \"Copy\" button."
msgstr "「Copy」ボタンを使ってトークンをコピーします。"
#: ../../discord.rst:40
#: ../../discord.rst:35
msgid "**This is not the Client Secret at the General Information page.**"
msgstr "**General InformationページのClient Secretではないので注意してください。**"
#: ../../discord.rst:44
#: ../../discord.rst:39
msgid "It should be worth noting that this token is essentially your bot's password. You should **never** share this with someone else. In doing so, someone can log in to your bot and do malicious things, such as leaving servers, ban all members inside a server, or pinging everyone maliciously."
msgstr "このトークンは、あなたのBotのパスワードと同義であることを覚えておきましょう。誰か他の人とトークンを共有することは絶対に避けてください。トークンがあれば、誰かがあなたのBotにログインし、サーバーから退出したり、サーバー内のすべてのメンバーをBANしたり、すべての人にメンションを送るなどといった悪質な行為を行える様になってしまいます。"
#: ../../discord.rst:49
#: ../../discord.rst:44
msgid "The possibilities are endless, so **do not share this token.**"
msgstr "可能性は無限にあるので、絶対に **トークンを共有しないでください** 。"
#: ../../discord.rst:51
#: ../../discord.rst:46
msgid "If you accidentally leaked your token, click the \"Regenerate\" button as soon as possible. This revokes your old token and re-generates a new one. Now you need to use the new token to login."
msgstr "誤ってトークンを流出させてしまった場合、可能な限り速急に「Regenerate」ボタンをクリックしましょう。これによって古いトークンが無効になり、新しいトークンが再生成されます。今度からは新しいトークンを利用してログインを行う必要があります。"
#: ../../discord.rst:55
#: ../../discord.rst:50
msgid "And that's it. You now have a bot account and you can login with that token."
msgstr "以上です。 これでボットアカウントが作成され、そのトークンでログインできます。"
#: ../../discord.rst:60
#: ../../discord.rst:55
msgid "Inviting Your Bot"
msgstr "Botを招待する"
#: ../../discord.rst:62
#: ../../discord.rst:57
msgid "So you've made a Bot User but it's not actually in any server."
msgstr "Botのユーザーを作成しましたが、現時点ではどのサーバーにも参加していない状態です。"
#: ../../discord.rst:64
#: ../../discord.rst:59
msgid "If you want to invite your bot you must create an invite URL for it."
msgstr "Botを招待したい場合は、そのための招待URLを作成する必要があります。"
#: ../../discord.rst:68
#: ../../discord.rst:63
msgid "Click on your bot's page."
msgstr "Botのページを開きます。"
#: ../../discord.rst:69
msgid "Go to the \"OAuth2\" tab."
msgstr "「OAuth2」タブへ移動します。"
#: ../../discord.rst:64
msgid "Go to the \"OAuth2 > URL Generator\" tab."
msgstr ""
#: ../../discord.rst:0
msgid "How the OAuth2 page should look like."
msgstr "OAuth2ページがどのように見えるか"
#: ../../discord.rst:74
#: ../../discord.rst:69
msgid "Tick the \"bot\" checkbox under \"scopes\"."
msgstr "「scopes」下にある「bot」チェックボックスを選択してください。"
@ -135,15 +127,15 @@ msgstr "「scopes」下にある「bot」チェックボックスを選択して
msgid "The scopes checkbox with \"bot\" ticked."
msgstr "「bot」がチェックされたスコープのチェックボックス"
#: ../../discord.rst:79
#: ../../discord.rst:74
msgid "Tick the permissions required for your bot to function under \"Bot Permissions\"."
msgstr "「Bot Permissions」からBotの機能に必要な権限を選択してください。"
#: ../../discord.rst:81
#: ../../discord.rst:76
msgid "Please be aware of the consequences of requiring your bot to have the \"Administrator\" permission."
msgstr "Botに「管理者」権限を要求させることによる影響は認識しておきましょう。"
#: ../../discord.rst:83
#: ../../discord.rst:78
msgid "Bot owners must have 2FA enabled for certain actions and permissions when added in servers that have Server-Wide 2FA enabled. Check the `2FA support page <https://support.discord.com/hc/en-us/articles/219576828-Setting-up-Two-Factor-Authentication>`_ for more information."
msgstr "二段階認証が有効になっているサーバーにボットを追加する場合、ボットの所有者は特定の動作や権限を与えるために二段階認証を有効化させる必要があります。詳細は `二段階認証のサポートページ <https://support.discord.com/hc/ja/articles/219576828-Setting-up-Two-Factor-Authentication>`_ を参照してください。"
@ -151,15 +143,15 @@ msgstr "二段階認証が有効になっているサーバーにボットを追
msgid "The permission checkboxes with some permissions checked."
msgstr "いくつかの権限にチェックが入った権限のチェックボックス"
#: ../../discord.rst:88
#: ../../discord.rst:83
msgid "Now the resulting URL can be used to add your bot to a server. Copy and paste the URL into your browser, choose a server to invite the bot to, and click \"Authorize\"."
msgstr "結果的に生成されたURLを使ってBotをサーバーに追加することができます。URLをコピーしてブラウザに貼り付け、Botを招待したいサーバーを選択した後、「認証」をクリックしてください。"
#: ../../discord.rst:93
#: ../../discord.rst:88
msgid "The person adding the bot needs \"Manage Server\" permissions to do so."
msgstr "Botを追加する人には「サーバー管理」権限が必要です。"
#: ../../discord.rst:95
#: ../../discord.rst:90
msgid "If you want to generate this URL dynamically at run-time inside your bot and using the :class:`discord.Permissions` interface, you can use :func:`discord.utils.oauth_url`."
msgstr "このURLを実行時に動的に生成したい場合は、 :class:`discord.Permissions` インターフェイスから :func:`discord.utils.oauth_url` を使用できます。"

277
docs/locale/ja/LC_MESSAGES/ext/commands/api.po

@ -2,8 +2,8 @@ msgid ""
msgstr ""
"Project-Id-Version: discordpy\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2023-01-29 20:45+0000\n"
"PO-Revision-Date: 2023-01-30 13:38\n"
"POT-Creation-Date: 2023-06-21 01:17+0000\n"
"PO-Revision-Date: 2023-06-21 01:20\n"
"Last-Translator: \n"
"Language-Team: Japanese\n"
"MIME-Version: 1.0\n"
@ -581,8 +581,8 @@ msgid "A view was not passed."
msgstr "Viewが渡されなかった"
#: ../../../discord/ext/commands/bot.py:docstring of discord.client.Client.add_view:16
msgid "The view is not persistent. A persistent view has no timeout and all their components have an explicitly provided custom_id."
msgstr "Viewは永続的ではありません。永続的なViewにはタイムアウトがなく、すべてのコンポーネントには明示的に渡された custom_id があります"
msgid "The view is not persistent or is already finished. A persistent view has no timeout and all their components have an explicitly provided custom_id."
msgstr ""
#: ../../../discord/ext/commands/bot.py:docstring of discord.ext.commands.Bot.allowed_mentions:1
msgid "The allowed mention configuration."
@ -932,14 +932,14 @@ msgid "Retrieves an :term:`asynchronous iterator` that enables receiving your gu
msgstr "Botが所属するGuildを取得できる、 :term:`asynchronous iterator` を取得します。"
#: ../../../discord/ext/commands/bot.py:docstring of discord.client.Client.fetch_guilds:5
msgid "Using this, you will only receive :attr:`.Guild.owner`, :attr:`.Guild.icon`, :attr:`.Guild.id`, and :attr:`.Guild.name` per :class:`.Guild`."
msgstr "これを使った場合、各 :class:`Guild` の :attr:`Guild.owner` 、 :attr:`Guild.icon` 、 :attr:`Guild.id` 、 :attr:`Guild.name` のみ取得できます。"
msgid "Using this, you will only receive :attr:`.Guild.owner`, :attr:`.Guild.icon`, :attr:`.Guild.id`, :attr:`.Guild.name`, :attr:`.Guild.approximate_member_count`, and :attr:`.Guild.approximate_presence_count` per :class:`.Guild`."
msgstr ""
#: ../../../discord/ext/commands/bot.py:docstring of discord.client.Client.fetch_guilds:10
#: ../../../discord/ext/commands/bot.py:docstring of discord.client.Client.fetch_guilds:11
msgid "This method is an API call. For general usage, consider :attr:`guilds` instead."
msgstr "これはAPIを呼び出します。通常は :attr:`guilds` を代わりに使用してください。"
#: ../../../discord/ext/commands/bot.py:docstring of discord.client.Client.fetch_guilds:13
#: ../../../discord/ext/commands/bot.py:docstring of discord.client.Client.fetch_guilds:14
#: ../../../discord/ext/commands/bot.py:docstring of discord.client.Client.wait_for:22
#: ../../../discord/ext/commands/core.py:docstring of discord.ext.commands.core.check:37
#: ../../../discord/ext/commands/core.py:docstring of discord.ext.commands.core.check_any:20
@ -947,37 +947,41 @@ msgstr "これはAPIを呼び出します。通常は :attr:`guilds` を代わ
msgid "Examples"
msgstr "例"
#: ../../../discord/ext/commands/bot.py:docstring of discord.client.Client.fetch_guilds:14
#: ../../../discord/ext/commands/bot.py:docstring of discord.client.Client.fetch_guilds:15
#: ../../../discord/ext/commands/context.py:docstring of discord.abc.Messageable.history:7
msgid "Usage ::"
msgstr "使い方 ::"
#: ../../../discord/ext/commands/bot.py:docstring of discord.client.Client.fetch_guilds:19
#: ../../../discord/ext/commands/bot.py:docstring of discord.client.Client.fetch_guilds:20
msgid "Flattening into a list ::"
msgstr "リストへフラット化 ::"
#: ../../../discord/ext/commands/bot.py:docstring of discord.client.Client.fetch_guilds:24
#: ../../../discord/ext/commands/bot.py:docstring of discord.client.Client.fetch_guilds:25
#: ../../../discord/ext/commands/context.py:docstring of discord.abc.Messageable.history:19
msgid "All parameters are optional."
msgstr "すべてのパラメータがオプションです。"
#: ../../../discord/ext/commands/bot.py:docstring of discord.client.Client.fetch_guilds:26
#: ../../../discord/ext/commands/bot.py:docstring of discord.client.Client.fetch_guilds:27
msgid "The number of guilds to retrieve. If ``None``, it retrieves every guild you have access to. Note, however, that this would make it a slow operation. Defaults to ``200``."
msgstr "取得するギルドの数。 ``None`` の場合、Botがアクセスできるギルドすべてを取得します。ただし、これには時間が掛かることに注意してください。デフォルトは200です。"
#: ../../../discord/ext/commands/bot.py:docstring of discord.client.Client.fetch_guilds:33
#: ../../../discord/ext/commands/bot.py:docstring of discord.client.Client.fetch_guilds:34
msgid "The default has been changed to 200."
msgstr "デフォルトが200に変更されました。"
#: ../../../discord/ext/commands/bot.py:docstring of discord.client.Client.fetch_guilds:35
#: ../../../discord/ext/commands/bot.py:docstring of discord.client.Client.fetch_guilds:36
msgid "Retrieves guilds before this date or object. If a datetime is provided, it is recommended to use a UTC aware datetime. If the datetime is naive, it is assumed to be local time."
msgstr "渡された日付、またはギルドより前のギルドを取得します。日付を指定する場合、UTC aware datetimeを利用することを推奨します。naive datetimeである場合、これはローカル時間であるとみなされます。"
#: ../../../discord/ext/commands/bot.py:docstring of discord.client.Client.fetch_guilds:39
#: ../../../discord/ext/commands/bot.py:docstring of discord.client.Client.fetch_guilds:40
msgid "Retrieve guilds after this date or object. If a datetime is provided, it is recommended to use a UTC aware datetime. If the datetime is naive, it is assumed to be local time."
msgstr "渡された日付、またはオブジェクトより後のギルドを取得します。日付を指定する場合、UTC対応の「aware」を利用することを推奨します。日付が「naive」である場合、これは地域時間であるとみなされます。"
#: ../../../discord/ext/commands/bot.py:docstring of discord.client.Client.fetch_guilds:44
msgid "Whether to include count information in the guilds. This fills the :attr:`.Guild.approximate_member_count` and :attr:`.Guild.approximate_presence_count` attributes without needing any privileged intents. Defaults to ``True``."
msgstr ""
#: ../../../discord/ext/commands/bot.py:docstring of discord.client.Client.fetch_guilds:51
msgid "Getting the guilds failed."
msgstr "Guildの取得に失敗した場合。"
@ -989,7 +993,7 @@ msgstr "Guildの取得に失敗した場合。"
msgid "Yields"
msgstr "Yieldする値"
#: ../../../discord/ext/commands/bot.py:docstring of discord.client.Client.fetch_guilds:46
#: ../../../discord/ext/commands/bot.py:docstring of discord.client.Client.fetch_guilds:53
msgid ":class:`.Guild` -- The guild with the guild data parsed."
msgstr ":class:`.Guild` -- データを解析したGuild。"
@ -2171,7 +2175,7 @@ msgstr "``cls`` で指定されたクラスの構築時に渡すキーワード
#: ../../../discord/ext/commands/core.py:docstring of discord.ext.commands.core.command:21
#: ../../../discord/ext/commands/hybrid.py:docstring of discord.ext.commands.hybrid.hybrid_command:29
#: ../../../discord/ext/commands/hybrid.py:docstring of discord.ext.commands.hybrid.hybrid_group:9
#: ../../../discord/ext/commands/hybrid.py:docstring of discord.ext.commands.hybrid.hybrid_group:12
msgid "If the function is not a coroutine or is already a command."
msgstr "関数がコルーチンでない場合、またはすでにコマンドが登録されている場合。"
@ -2204,7 +2208,7 @@ msgid "Checks and error handlers are dispatched and called as-if they were comma
msgstr "チェックとエラーハンドラは、 :class:`.Command` のようなコマンドであるかのように呼び出されます。つまり、パラメータには :class:`discord.Interaction` ではなく :class:`Context` を取ります。"
#: ../../../discord/ext/commands/hybrid.py:docstring of discord.ext.commands.hybrid.hybrid_command:24
#: ../../../discord/ext/commands/hybrid.py:docstring of discord.ext.commands.hybrid.hybrid_group:6
#: ../../../discord/ext/commands/hybrid.py:docstring of discord.ext.commands.hybrid.hybrid_group:9
msgid "Whether to register the command also as an application command."
msgstr "アプリケーションコマンドとしてもコマンドを登録するかどうか。"
@ -2220,6 +2224,10 @@ msgstr "関数を :class:`.HybridGroup` に変換するデコレータ。"
msgid "This is similar to the :func:`~discord.ext.commands.group` decorator except it creates a hybrid group instead."
msgstr "これは :func:`~discord.ext.commands.group` デコレータに似ていますが、代わりにハイブリッドグループを作成します。"
#: ../../../discord/ext/commands/hybrid.py:docstring of discord.ext.commands.hybrid.hybrid_group:6
msgid "The name to create the group with. By default this uses the function name unchanged."
msgstr ""
#: ../../ext/commands/api.rst:131
msgid "Command"
msgstr "Command"
@ -2925,7 +2933,11 @@ msgstr "コグが削除された際に呼び出される特別なメソッド。
msgid "Subclasses must replace this if they want special unloading behaviour."
msgstr "サブクラスは特別なアンロード動作が必要な場合にこれを置き換えなければなりません。"
#: ../../../discord/ext/commands/cog.py:docstring of discord.ext.commands.cog.Cog.cog_unload:9
#: ../../../discord/ext/commands/cog.py:docstring of discord.ext.commands.cog.Cog.cog_unload:7
msgid "Exceptions raised in this method are ignored during extension unloading."
msgstr ""
#: ../../../discord/ext/commands/cog.py:docstring of discord.ext.commands.cog.Cog.cog_unload:11
msgid "This method can now be a :term:`coroutine`."
msgstr "このメソッドは現在 :term:`coroutine` になりました。"
@ -2947,6 +2959,16 @@ msgstr ":meth:`.Bot.check` チェックとして登録する特別なメソッ
msgid "A special method that registers as a :func:`~discord.ext.commands.check` for every command and subcommand in this cog."
msgstr "このコグのすべてのコマンドとサブコマンドに対して :func:`~discord.ext.commands.check` として登録する特別なメソッド。"
#: ../../../discord/ext/commands/cog.py:docstring of discord.ext.commands.cog.Cog.interaction_check:1
#: ../../../discord/ext/commands/cog.py:docstring of discord.ext.commands.cog.Cog.interaction_check:1
msgid "A special method that registers as a :func:`discord.app_commands.check` for every app command and subcommand in this cog."
msgstr ""
#: ../../../discord/ext/commands/cog.py:docstring of discord.ext.commands.cog.Cog.interaction_check:4
#: ../../../discord/ext/commands/cog.py:docstring of discord.ext.commands.cog.Cog.interaction_check:4
msgid "This function **can** be a coroutine and must take a sole parameter, ``interaction``, to represent the :class:`~discord.Interaction`."
msgstr ""
#: ../../../discord/ext/commands/cog.py:docstring of discord.ext.commands.cog.Cog.cog_command_error:3
msgid "A special method that is called whenever an error is dispatched inside this cog."
msgstr "このコグ内でエラーが発生するたびに呼び出される特別なメソッド。"
@ -3019,8 +3041,8 @@ msgid "Decorators such as :func:`~discord.app_commands.guild_only`, :func:`~disc
msgstr ":func:`~discord.app_commands.guild_only` 、 :func:`~discord.app_commands.guilds` 、 :func:`~discord.app_commands.default_permissions` のようなデコレータはコグの上に使用されている場合、グループに適用されます。"
#: ../../../discord/ext/commands/cog.py:docstring of discord.ext.commands.cog.GroupCog:11
msgid "Hybrid commands will also be added to the Group, giving the ability categorize slash commands into groups, while keeping the prefix-style command as a root-level command."
msgstr "グループにもハイブリッドコマンドが追加され、プレフィックス形式のコマンドをルートレベルのコマンドとして保持しながら、スラッシュコマンドをグループに分類できるようになります。"
msgid "Hybrid commands will also be added to the Group, giving the ability to categorize slash commands into groups, while keeping the prefix-style command as a root-level command."
msgstr ""
#: ../../../discord/ext/commands/cog.py:docstring of discord.ext.commands.cog.GroupCog:14
msgid "For example:"
@ -3311,7 +3333,7 @@ msgstr "コマンドの最大の幅。"
#: ../../../discord/ext/commands/help.py:docstring of discord.ext.commands.help.DefaultHelpCommand:12
#: ../../../discord/ext/commands/help.py:docstring of discord.ext.commands.help.DefaultHelpCommand:42
#: ../../../discord/ext/commands/help.py:docstring of discord.ext.commands.help.Paginator:25
#: ../../../discord/ext/commands/flags.py:docstring of discord.ext.commands.flags.Flag:42
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.Context.filesize_limit:5
msgid ":class:`int`"
msgstr ":class:`int`"
@ -4423,6 +4445,10 @@ msgstr "「クリーンアップ」されたプレフィックスを返します
msgid "Returns the cog associated with this context's command. None if it does not exist."
msgstr "このコンテキストのコマンドに関連付けられたコグを返します。存在しない場合はNoneを返します。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.Context.filesize_limit:1
msgid "Returns the maximum number of bytes files can have when uploaded to this guild or DM channel associated with this context."
msgstr ""
#: ../../docstring of discord.ext.commands.Context.guild:1
msgid "Returns the guild associated with this context's command. None if not available."
msgstr "このコンテキストのコマンドに関連付けられているギルドを返します。利用できない場合はNoneを返します。"
@ -4496,72 +4522,6 @@ msgstr "ヘルプを表示するエンティティ。"
msgid "The result of the help command, if any."
msgstr "もしあれば、ヘルプコマンドの結果。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.reply:3
msgid "A shortcut method to :meth:`send` to reply to the :class:`~discord.Message` referenced by this context."
msgstr "このコンテキストで参照されている :class:`~discord.Message` に返信するための、 :meth:`send` のショートカットメソッド。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.reply:6
msgid "For interaction based contexts, this is the same as :meth:`send`."
msgstr "インタラクションベースのコンテキストでは、 :meth:`send` と同じです。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.reply:10
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.send:13
msgid "This function will now raise :exc:`TypeError` or :exc:`ValueError` instead of ``InvalidArgument``."
msgstr "この関数は ``InvalidArgument`` の代わりに :exc:`TypeError` または :exc:`ValueError` を発生するようになりました。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.reply:14
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.send:80
msgid "Sending the message failed."
msgstr "メッセージの送信に失敗しました。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.reply:15
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.send:81
msgid "You do not have the proper permissions to send the message."
msgstr "メッセージを送信するための適切な権限がありません。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.reply:16
msgid "The ``files`` list is not of the appropriate size"
msgstr "``files`` リストの大きさが適切ではありません。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.reply:17
msgid "You specified both ``file`` and ``files``."
msgstr "``file`` と ``files`` の両方が指定されています。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.reply:19
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.send:85
msgid "The message that was sent."
msgstr "送信されたメッセージ。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.reply:20
#: ../../../discord/ext/commands/context.py:docstring of discord.abc.Messageable.fetch_message:13
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.send:86
msgid ":class:`~discord.Message`"
msgstr ":class:`~discord.Message`"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.defer:3
msgid "Defers the interaction based contexts."
msgstr "インタラクションの応答を遅らせます。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.defer:5
msgid "This is typically used when the interaction is acknowledged and a secondary action will be done later."
msgstr "これは通常、インタラクションを認識した後、後で他のことを実行する場合に使われます。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.defer:8
msgid "If this isn't an interaction based context then it does nothing."
msgstr "これがインタラクションベースのコンテキストでない場合、何もしません。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.defer:10
msgid "Indicates whether the deferred message will eventually be ephemeral."
msgstr "遅れて送信するメッセージが一時的になるかを示します。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.defer:13
msgid "Deferring the interaction failed."
msgstr "インタラクションの遅延に失敗した場合。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.defer:14
msgid "This interaction has already been responded to before."
msgstr "既にインタラクションに応答していた場合。"
#: ../../../discord/ext/commands/context.py:docstring of discord.abc.Messageable.fetch_message:3
msgid "Retrieves a single :class:`~discord.Message` from the destination."
msgstr "出力先から、単一の :class:`~discord.Message` を取得します。"
@ -4586,6 +4546,12 @@ msgstr "メッセージの取得に失敗した場合。"
msgid "The message asked for."
msgstr "要求されたメッセージ。"
#: ../../../discord/ext/commands/context.py:docstring of discord.abc.Messageable.fetch_message:13
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.reply:20
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.send:91
msgid ":class:`~discord.Message`"
msgstr ":class:`~discord.Message`"
#: ../../../discord/ext/commands/context.py:docstring of discord.abc.Messageable.history:1
msgid "Returns an :term:`asynchronous iterator` that enables receiving the destination's message history."
msgstr "出力先のメッセージ履歴を取得する :term:`asynchronous iterator` を返します。"
@ -4654,6 +4620,66 @@ msgstr "現時点でピン留めされているメッセージ。"
msgid "List[:class:`~discord.Message`]"
msgstr "List[:class:`~discord.Message`]"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.reply:3
msgid "A shortcut method to :meth:`send` to reply to the :class:`~discord.Message` referenced by this context."
msgstr "このコンテキストで参照されている :class:`~discord.Message` に返信するための、 :meth:`send` のショートカットメソッド。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.reply:6
msgid "For interaction based contexts, this is the same as :meth:`send`."
msgstr "インタラクションベースのコンテキストでは、 :meth:`send` と同じです。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.reply:10
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.send:13
msgid "This function will now raise :exc:`TypeError` or :exc:`ValueError` instead of ``InvalidArgument``."
msgstr "この関数は ``InvalidArgument`` の代わりに :exc:`TypeError` または :exc:`ValueError` を発生するようになりました。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.reply:14
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.send:85
msgid "Sending the message failed."
msgstr "メッセージの送信に失敗しました。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.reply:15
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.send:86
msgid "You do not have the proper permissions to send the message."
msgstr "メッセージを送信するための適切な権限がありません。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.reply:16
msgid "The ``files`` list is not of the appropriate size"
msgstr "``files`` リストの大きさが適切ではありません。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.reply:17
msgid "You specified both ``file`` and ``files``."
msgstr "``file`` と ``files`` の両方が指定されています。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.reply:19
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.send:90
msgid "The message that was sent."
msgstr "送信されたメッセージ。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.defer:3
msgid "Defers the interaction based contexts."
msgstr "インタラクションの応答を遅らせます。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.defer:5
msgid "This is typically used when the interaction is acknowledged and a secondary action will be done later."
msgstr "これは通常、インタラクションを認識した後、後で他のことを実行する場合に使われます。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.defer:8
msgid "If this isn't an interaction based context then it does nothing."
msgstr "これがインタラクションベースのコンテキストでない場合、何もしません。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.defer:10
msgid "Indicates whether the deferred message will eventually be ephemeral."
msgstr "遅れて送信するメッセージが一時的になるかを示します。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.defer:13
msgid "Deferring the interaction failed."
msgstr "インタラクションの遅延に失敗した場合。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.defer:14
msgid "This interaction has already been responded to before."
msgstr "既にインタラクションに応答していた場合。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.send:3
msgid "Sends a message to the destination with the content given."
msgstr "指定された内容のメッセージを出力先に送信します。"
@ -4742,11 +4768,15 @@ msgstr "メッセージの埋め込みを抑制するかどうか。これが ``
msgid "Indicates if the message should only be visible to the user who started the interaction. If a view is sent with an ephemeral message and it has no timeout set then the timeout is set to 15 minutes. **This is only applicable in contexts with an interaction**."
msgstr "メッセージがインタラクションを開始したユーザーだけに表示されるかどうか。もしビューが一時的なメッセージで送信されている、かつタイムアウトが設定されていない場合、タイムアウトは15分に設定されます。 **これはインタラクションベースのコンテキストでのみ適用されます。**"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.send:82
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.send:79
msgid "Whether to suppress push and desktop notifications for the message. This will increment the mention counter in the UI, but will not actually send a notification."
msgstr ""
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.send:87
msgid "The ``files`` list is not of the appropriate size."
msgstr "``files`` リストの大きさが適切でない場合。"
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.send:83
#: ../../../discord/ext/commands/context.py:docstring of discord.ext.commands.context.Context.send:88
msgid "You specified both ``file`` and ``files``, or you specified both ``embed`` and ``embeds``, or the ``reference`` object is not a :class:`~discord.Message`, :class:`~discord.MessageReference` or :class:`~discord.PartialMessage`."
msgstr "``file`` と ``files`` の両方が指定された場合、 ``embed`` と ``embeds`` の両方が指定された場合、または ``reference`` が :class:`~discord.Message` 、 :class:`~discord.MessageReference` 、 :class:`~discord.PartialMessage` でない場合。"
@ -4864,29 +4894,41 @@ msgstr "メンションで検索"
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.MemberConverter:10
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.UserConverter:9
msgid "Lookup by name#discrim"
msgstr "名前#タグ で検索"
msgid "Lookup by username#discriminator (deprecated)."
msgstr ""
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.MemberConverter:11
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.UserConverter:10
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.TextChannelConverter:10
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.VoiceChannelConverter:10
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.StageChannelConverter:12
msgid "Lookup by name"
msgstr "名前 で検索"
msgid "Lookup by username#0 (deprecated, only gets users that migrated from their discriminator)."
msgstr ""
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.MemberConverter:12
msgid "Lookup by nickname"
msgstr "ニックネーム で検索"
msgid "Lookup by guild nickname."
msgstr ""
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.MemberConverter:13
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.UserConverter:11
msgid "Lookup by global name."
msgstr ""
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.MemberConverter:14
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.UserConverter:12
msgid "Lookup by user name."
msgstr ""
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.MemberConverter:16
msgid "Raise :exc:`.MemberNotFound` instead of generic :exc:`.BadArgument`"
msgstr "一般的な :exc:`.BadArgument` の代わりに :exc:`.MemberNotFound` を発生させます。"
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.MemberConverter:17
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.MemberConverter:19
msgid "This converter now lazily fetches members from the gateway and HTTP APIs, optionally caching the result if :attr:`.MemberCacheFlags.joined` is enabled."
msgstr "このコンバータは、ゲートウェイやHTTP APIからメンバーを取得でき、 :attr:`.MemberCacheFlags.joined` が有効な場合には結果がキャッシュされるようになりました。"
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.MemberConverter:23
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.UserConverter:21
msgid "Looking up users by discriminator will be removed in a future version due to the removal of discriminators in an API change."
msgstr ""
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.UserConverter:1
msgid "Converts to a :class:`~discord.User`."
msgstr ":class:`~discord.User` に変換します。"
@ -4895,11 +4937,11 @@ msgstr ":class:`~discord.User` に変換します。"
msgid "All lookups are via the global user cache."
msgstr "すべての検索はグローバルユーザーキャッシュを介して行われます。"
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.UserConverter:12
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.UserConverter:14
msgid "Raise :exc:`.UserNotFound` instead of generic :exc:`.BadArgument`"
msgstr "一般的な :exc:`.BadArgument` の代わりに :exc:`.UserNotFound` を発生させます。"
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.UserConverter:15
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.UserConverter:17
msgid "This converter now lazily fetches users from the HTTP APIs if an ID is passed and it's not available in cache."
msgstr "このコンバータは、ID が渡され、キャッシュされていない場合、HTTP API からユーザーを取得するようになりました。"
@ -4958,6 +5000,14 @@ msgstr "名前で検索"
msgid "Converts to a :class:`~discord.TextChannel`."
msgstr ":class:`~discord.TextChannel` に変換します。"
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.TextChannelConverter:10
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.VoiceChannelConverter:10
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.StageChannelConverter:12
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.CategoryChannelConverter:10
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.ForumChannelConverter:10
msgid "Lookup by name"
msgstr "名前 で検索"
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.TextChannelConverter:12
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.VoiceChannelConverter:12
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.CategoryChannelConverter:12
@ -5189,11 +5239,19 @@ msgstr "``Range[int, None, 10]`` は最小値なし、最大値10を意味しま
msgid "``Range[int, 1, 10]`` means the minimum is 1 and the maximum is 10."
msgstr "``Range[int, 1, 10]`` は最小値1、最大値10を意味します。"
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.Range:12
msgid "``Range[float, 1.0, 5.0]`` means the minimum is 1.0 and the maximum is 5.0."
msgstr ""
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.Range:13
msgid "``Range[str, 1, 10]`` means the minimum length is 1 and the maximum length is 10."
msgstr ""
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.Range:15
msgid "Inside a :class:`HybridCommand` this functions equivalently to :class:`discord.app_commands.Range`."
msgstr ":class:`HybridCommand` 内では、この関数は :class:`discord.app_commands.Range` と同様に動作します。"
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.Range:15
#: ../../../discord/ext/commands/converter.py:docstring of discord.ext.commands.converter.Range:17
msgid "If the value cannot be converted to the provided type or is outside the given range, :class:`~.ext.commands.BadArgument` or :class:`~.ext.commands.RangeError` is raised to the appropriate error handlers respectively."
msgstr "もし値が渡された型に変換できず、または指定された範囲外である場合、:class:`~.ext.commands.BadArgument` や :class:`~.ext.commands.RangeError` が適切なエラーハンドラに送出されます。"
@ -5412,6 +5470,11 @@ msgstr "このパラメータの説明。"
msgid "The displayed default in :class:`Command.signature`."
msgstr ":class:`Command.signature` で表示される既定値。"
#: ../../../discord/ext/commands/parameters.py:docstring of discord.ext.commands.Parameter.displayed_name:1
#: ../../../discord/ext/commands/parameters.py:docstring of discord.ext.commands.parameters.parameter:24
msgid "The name that is displayed to the user."
msgstr ""
#: ../../../discord/ext/commands/parameters.py:docstring of discord.ext.commands.parameters.Parameter.get_default:3
msgid "Gets this parameter's default value."
msgstr "このパラメータの既定値を取得します。"
@ -5441,8 +5504,8 @@ msgid "The displayed default in :attr:`Command.signature`."
msgstr ":attr:`Command.signature` で表示される既定値。"
#: ../../../discord/ext/commands/parameters.py:docstring of discord.ext.commands.parameters.parameter:1
msgid "param(\\*, converter=..., default=..., description=..., displayed_default=...)"
msgstr "param(\\*, converter=..., default=..., description=..., displayed_default=...)"
msgid "param(\\*, converter=..., default=..., description=..., displayed_default=..., displayed_name=...)"
msgstr ""
#: ../../../discord/ext/commands/parameters.py:docstring of discord.ext.commands.parameters.parameter:3
msgid "An alias for :func:`parameter`."
@ -5628,6 +5691,10 @@ msgstr "比較が失敗した値の、失敗した順のタプル。"
msgid "Tuple[Any, ``...``]"
msgstr "Tuple[Any, ``...``]"
#: ../../../discord/ext/commands/errors.py:docstring of discord.ext.commands.errors.BadLiteralArgument:28
msgid "The argument's value that failed to be converted. Defaults to an empty string."
msgstr ""
#: ../../../discord/ext/commands/errors.py:docstring of discord.ext.commands.errors.PrivateMessageOnly:1
msgid "Exception raised when an operation does not work outside of private message contexts."
msgstr "プライベートメッセージコンテキスト外で、要求された処理が実行できない場合に発生する例外。"

4
docs/locale/ja/LC_MESSAGES/ext/commands/cogs.po

@ -2,8 +2,8 @@ msgid ""
msgstr ""
"Project-Id-Version: discordpy\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2023-01-24 11:01+0000\n"
"PO-Revision-Date: 2023-01-30 13:38\n"
"POT-Creation-Date: 2023-06-21 01:17+0000\n"
"PO-Revision-Date: 2023-06-21 01:20\n"
"Last-Translator: \n"
"Language-Team: Japanese\n"
"MIME-Version: 1.0\n"

54
docs/locale/ja/LC_MESSAGES/ext/commands/commands.po

@ -2,8 +2,8 @@ msgid ""
msgstr ""
"Project-Id-Version: discordpy\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2023-01-24 11:01+0000\n"
"PO-Revision-Date: 2023-01-30 13:38\n"
"POT-Creation-Date: 2023-06-21 01:17+0000\n"
"PO-Revision-Date: 2023-06-21 01:20\n"
"Last-Translator: \n"
"Language-Team: Japanese\n"
"MIME-Version: 1.0\n"
@ -953,103 +953,103 @@ msgstr "もし例外が発生した場合、 :ref:`エラーハンドラ<ext_com
msgid "If you want a more robust error system, you can derive from the exception and raise it instead of returning ``False``:"
msgstr "もし強化されたエラーシステムが必要な場合は、例外を継承し、``False`` を返す代わりに例外を発生させることができます。"
#: ../../ext/commands/commands.rst:1161
#: ../../ext/commands/commands.rst:1162
msgid "Since having a ``guild_only`` decorator is pretty common, it comes built-in via :func:`~ext.commands.guild_only`."
msgstr "``guild_only`` デコレータはよく使われるため、標準で実装されています( :func:`~ext.commands.guild_only` )。"
#: ../../ext/commands/commands.rst:1164
#: ../../ext/commands/commands.rst:1165
msgid "Global Checks"
msgstr "グローバルチェック"
#: ../../ext/commands/commands.rst:1166
#: ../../ext/commands/commands.rst:1167
msgid "Sometimes we want to apply a check to **every** command, not just certain commands. The library supports this as well using the global check concept."
msgstr "**すべての** コマンドにチェックをかけたいこともあるでしょう。そうしたい場合は、ライブラリのグローバルチェックを使うことができます。"
#: ../../ext/commands/commands.rst:1169
#: ../../ext/commands/commands.rst:1170
msgid "Global checks work similarly to regular checks except they are registered with the :meth:`.Bot.check` decorator."
msgstr "グローバルチェックは、 :meth:`.Bot.check` デコレータで登録されることを除き、通常のチェックと同様に動作します。"
#: ../../ext/commands/commands.rst:1171
#: ../../ext/commands/commands.rst:1172
msgid "For example, to block all DMs we could do the following:"
msgstr "例えば、全DMをブロックするには、次の操作を行います。"
#: ../../ext/commands/commands.rst:1181
#: ../../ext/commands/commands.rst:1182
msgid "Be careful on how you write your global checks, as it could also lock you out of your own bot."
msgstr "グローバルチェックを追加するときには注意して下さい。ボットを操作できなくなる可能性があります。"
#: ../../ext/commands/commands.rst:1187
#: ../../ext/commands/commands.rst:1188
msgid "Hybrid Commands"
msgstr "ハイブリッドコマンド"
#: ../../ext/commands/commands.rst:1191
#: ../../ext/commands/commands.rst:1192
msgid ":class:`.commands.HybridCommand` is a command that can be invoked as both a text and a slash command. This allows you to define a command as both slash and text command without writing separate code for both counterparts."
msgstr ":class:`.commands.HybridCommand` は、テキストコマンドとしても、スラッシュコマンドとしても呼び出せるコマンドです。これを使用すれば、別々のコードを書かずにコマンドをスラッシュコマンドとテキストコマンドの両方として定義できます。"
#: ../../ext/commands/commands.rst:1196
#: ../../ext/commands/commands.rst:1197
msgid "In order to define a hybrid command, The command callback should be decorated with :meth:`.Bot.hybrid_command` decorator."
msgstr "ハイブリッドコマンドを定義するには、コマンドコールバックを :meth:`.Bot.hybrid_command` デコレータで装飾しないといけません。"
#: ../../ext/commands/commands.rst:1205
#: ../../ext/commands/commands.rst:1206
msgid "The above command can be invoked as both text and slash command. Note that you have to manually sync your :class:`~app_commands.CommandTree` by calling :class:`~app_commands.CommandTree.sync` in order for slash commands to appear."
msgstr "上のコマンドはテキストコマンドとスラッシュコマンドの両方として実行できます。なお、スラッシュコマンドを表示するには、 :class:`~app_commands.CommandTree.sync` を呼び出して :class:`~app_commands.CommandTree` を手動で同期しないといけません。"
#: ../../ext/commands/commands.rst:1212
#: ../../ext/commands/commands.rst:1213
msgid "You can create hybrid command groups and sub-commands using the :meth:`.Bot.hybrid_group` decorator."
msgstr ":meth:`.Bot.hybrid_group` デコレータを使用して、ハイブリッドコマンドグループとサブコマンドを作成できます。"
#: ../../ext/commands/commands.rst:1225
#: ../../ext/commands/commands.rst:1226
msgid "Due to a Discord limitation, slash command groups cannot be invoked directly so the ``fallback`` parameter allows you to create a sub-command that will be bound to callback of parent group."
msgstr "Discordの制限により、 スラッシュコマンドグループは直接呼び出すことができないため、 ``fallback`` パラメータを使用して、親グループのコールバックを呼び出すサブコマンドを作成できます。"
#: ../../ext/commands/commands.rst:1231
#: ../../ext/commands/commands.rst:1232
msgid "Due to certain limitations on slash commands, some features of text commands are not supported on hybrid commands. You can define a hybrid command as long as it meets the same subset that is supported for slash commands."
msgstr "スラッシュコマンドには制限があるため、ハイブリッドコマンドではテキストコマンドの一部の機能がサポートされていません。スラッシュコマンドでサポートされている機能のみ使用している場合にハイブリッドコマンドを定義できます。"
#: ../../ext/commands/commands.rst:1235
#: ../../ext/commands/commands.rst:1236
msgid "Following are currently **not supported** by hybrid commands:"
msgstr "以下は現時点でハイブリッドコマンドではサポート **されていません**:"
#: ../../ext/commands/commands.rst:1237
#: ../../ext/commands/commands.rst:1238
msgid "Variable number of arguments. e.g. ``*arg: int``"
msgstr "可変長引数。例: ``*arg: int``"
#: ../../ext/commands/commands.rst:1238
#: ../../ext/commands/commands.rst:1239
msgid "Group commands with a depth greater than 1."
msgstr "深さが1より大きいグループコマンド。"
#: ../../ext/commands/commands.rst:1242
#: ../../ext/commands/commands.rst:1243
msgid "Most :class:`typing.Union` types."
msgstr "ほとんどの :class:`typing.Union` 型。"
#: ../../ext/commands/commands.rst:1240
#: ../../ext/commands/commands.rst:1241
msgid "Unions of channel types are allowed"
msgstr "チャンネルの型のユニオン型は使用できます"
#: ../../ext/commands/commands.rst:1241
#: ../../ext/commands/commands.rst:1242
msgid "Unions of user types are allowed"
msgstr "ユーザーの型のユニオン型は使用できます"
#: ../../ext/commands/commands.rst:1242
#: ../../ext/commands/commands.rst:1243
msgid "Unions of user types with roles are allowed"
msgstr "チャンネルの型とロールの型のユニオン型は使用できます"
#: ../../ext/commands/commands.rst:1244
#: ../../ext/commands/commands.rst:1245
msgid "Apart from that, all other features such as converters, checks, autocomplete, flags etc. are supported on hybrid commands. Note that due to a design constraint, decorators related to application commands such as :func:`discord.app_commands.autocomplete` should be placed below the :func:`~ext.commands.hybrid_command` decorator."
msgstr "それ以外の、コンバーター、チェック、オートコンプリート、フラグ、その他はすべてハイブリッドコマンドで利用できます。なお、設計上の制限により、 :func:`discord.app_commands.autocomplete` といったアプリケーションコマンド関連のデコレータは :func:`~ext.commands.hybrid_command` デコレータの下に配置しないといけません。"
#: ../../ext/commands/commands.rst:1248
#: ../../ext/commands/commands.rst:1249
msgid "For convenience and ease in writing code, The :class:`~ext.commands.Context` class implements some behavioural changes for various methods and attributes:"
msgstr "コードを簡単に書くために、 :class:`~ext.commands.Context` クラスのメソッドや属性の動作が変化します:"
#: ../../ext/commands/commands.rst:1251
#: ../../ext/commands/commands.rst:1252
msgid ":attr:`.Context.interaction` can be used to retrieve the slash command interaction."
msgstr ":attr:`.Context.interaction` を用いてスラッシュコマンドのインタラクションを取得できます。"
#: ../../ext/commands/commands.rst:1252
#: ../../ext/commands/commands.rst:1253
msgid "Since interaction can only be responded to once, The :meth:`.Context.send` automatically determines whether to send an interaction response or a followup response."
msgstr "インタラクションは一度しか応答できないため、 :meth:`.Context.send` は、インタラクション応答とフォローアップ応答のどちらを送信するかを自動的に決定します。"
#: ../../ext/commands/commands.rst:1254
#: ../../ext/commands/commands.rst:1255
msgid ":meth:`.Context.defer` defers the interaction response for slash commands but shows typing indicator for text commands."
msgstr ":meth:`.Context.defer` はスラッシュコマンドではインタラクション応答を遅らせ、テキストコマンドでは入力インジケーターを表示します。"

8
docs/locale/ja/LC_MESSAGES/ext/commands/extensions.po

@ -2,8 +2,8 @@ msgid ""
msgstr ""
"Project-Id-Version: discordpy\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2023-01-24 11:01+0000\n"
"PO-Revision-Date: 2023-01-30 13:38\n"
"POT-Creation-Date: 2023-06-21 01:17+0000\n"
"PO-Revision-Date: 2023-06-21 01:20\n"
"Last-Translator: \n"
"Language-Team: Japanese\n"
"MIME-Version: 1.0\n"
@ -78,6 +78,10 @@ msgid "Although rare, sometimes an extension needs to clean-up or know when it's
msgstr "稀ではありますが、エクステンションにクリーンアップが必要だったり、いつアンロードするかを確認したい場合があります。このために ``setup`` に似たエクステンションがアンロードされるときに呼び出される ``teardown`` というエントリポイントが用意されています。"
#: ../../ext/commands/extensions.rst:57
msgid "Exceptions raised in the ``teardown`` function are ignored, and the extension is still unloaded."
msgstr ""
#: ../../ext/commands/extensions.rst:59
msgid "basic_ext.py"
msgstr "basic_ext.py"

4
docs/locale/ja/LC_MESSAGES/ext/commands/index.po

@ -2,8 +2,8 @@ msgid ""
msgstr ""
"Project-Id-Version: discordpy\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2023-01-24 11:01+0000\n"
"PO-Revision-Date: 2023-01-30 13:38\n"
"POT-Creation-Date: 2023-06-21 01:17+0000\n"
"PO-Revision-Date: 2023-06-21 01:20\n"
"Last-Translator: \n"
"Language-Team: Japanese\n"
"MIME-Version: 1.0\n"

4
docs/locale/ja/LC_MESSAGES/ext/tasks/index.po

@ -2,8 +2,8 @@ msgid ""
msgstr ""
"Project-Id-Version: discordpy\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2023-01-24 11:01+0000\n"
"PO-Revision-Date: 2023-01-30 13:38\n"
"POT-Creation-Date: 2023-06-21 01:17+0000\n"
"PO-Revision-Date: 2023-06-21 01:20\n"
"Last-Translator: \n"
"Language-Team: Japanese\n"
"MIME-Version: 1.0\n"

4
docs/locale/ja/LC_MESSAGES/faq.po

@ -2,8 +2,8 @@ msgid ""
msgstr ""
"Project-Id-Version: discordpy\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2023-01-24 11:01+0000\n"
"PO-Revision-Date: 2023-01-30 13:38\n"
"POT-Creation-Date: 2023-06-21 01:17+0000\n"
"PO-Revision-Date: 2023-06-21 01:20\n"
"Last-Translator: \n"
"Language-Team: Japanese\n"
"MIME-Version: 1.0\n"

4
docs/locale/ja/LC_MESSAGES/index.po

@ -2,8 +2,8 @@ msgid ""
msgstr ""
"Project-Id-Version: discordpy\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2023-01-24 11:01+0000\n"
"PO-Revision-Date: 2023-01-30 13:38\n"
"POT-Creation-Date: 2023-06-21 01:17+0000\n"
"PO-Revision-Date: 2023-06-21 01:20\n"
"Last-Translator: \n"
"Language-Team: Japanese\n"
"MIME-Version: 1.0\n"

4
docs/locale/ja/LC_MESSAGES/intents.po

@ -2,8 +2,8 @@ msgid ""
msgstr ""
"Project-Id-Version: discordpy\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2023-01-24 11:01+0000\n"
"PO-Revision-Date: 2023-01-30 13:38\n"
"POT-Creation-Date: 2023-06-21 01:17+0000\n"
"PO-Revision-Date: 2023-06-21 01:20\n"
"Last-Translator: \n"
"Language-Team: Japanese\n"
"MIME-Version: 1.0\n"

138
docs/locale/ja/LC_MESSAGES/interactions/api.po

@ -2,8 +2,8 @@ msgid ""
msgstr ""
"Project-Id-Version: discordpy\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2023-01-29 20:45+0000\n"
"PO-Revision-Date: 2023-01-30 13:38\n"
"POT-Creation-Date: 2023-06-21 01:17+0000\n"
"PO-Revision-Date: 2023-06-21 01:20\n"
"Last-Translator: \n"
"Language-Team: Japanese\n"
"MIME-Version: 1.0\n"
@ -62,7 +62,7 @@ msgid "type"
msgstr "型"
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:12
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:36
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:38
#: ../../../discord/message.py:docstring of discord.message.MessageInteraction:23
#: ../../../discord/components.py:docstring of discord.components.SelectMenu:36
#: ../../../discord/components.py:docstring of discord.components.SelectMenu:43
@ -84,7 +84,7 @@ msgid "The guild ID the interaction was sent from."
msgstr "インタラクションが送信されたギルドのID。"
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:24
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:30
#: ../../../discord/interactions.py:docstring of discord.Interaction.channel_id:3
#: ../../../discord/components.py:docstring of discord.components.TextInput:49
#: ../../../discord/components.py:docstring of discord.components.TextInput:55
#: ../../../discord/app_commands/models.py:docstring of discord.app_commands.models.AppCommand:91
@ -92,39 +92,47 @@ msgid "Optional[:class:`int`]"
msgstr "Optional[:class:`int`]"
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:28
msgid "The channel ID the interaction was sent from."
msgstr "インタラクションが送信されたチャンネルのID。"
msgid "The channel the interaction was sent from."
msgstr "インタラクションが送信されたチャンネル。"
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:30
msgid "Note that due to a Discord limitation, if sent from a DM channel :attr:`~DMChannel.recipient` is ``None``."
msgstr ""
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:32
msgid "Optional[Union[:class:`abc.GuildChannel`, :class:`abc.PrivateChannel`, :class:`Thread`]]"
msgstr ""
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:34
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:36
msgid "The application ID that the interaction was for."
msgstr "インタラクションの対象となったアプリケーションのID。"
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:40
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:42
msgid "The user or member that sent the interaction."
msgstr "インタラクションを送信したユーザーまたはメンバー。"
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:42
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:44
#: ../../../discord/message.py:docstring of discord.message.MessageInteraction:41
msgid "Union[:class:`User`, :class:`Member`]"
msgstr "Union[:class:`User`, :class:`Member`]"
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:46
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:48
msgid "The message that sent this interaction."
msgstr "このインタラクションを送信したメッセージ。"
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:48
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:50
msgid "This is only available for :attr:`InteractionType.component` interactions."
msgstr "これは :attr:`InteractionType.component` インタラクションの場合にのみ使用できます。"
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:50
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:52
msgid "Optional[:class:`Message`]"
msgstr "Optional[:class:`Message`]"
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:54
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:56
msgid "The token to continue the interaction. These are valid for 15 minutes."
msgstr "インタラクションを続行するのに使うトークン。有効期限は15分です。"
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:57
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:59
#: ../../docstring of discord.InteractionMessage.clean_content:15
#: ../../../discord/interactions.py:docstring of discord.InteractionMessage.jump_url:3
#: ../../docstring of discord.InteractionMessage.system_content:8
@ -132,43 +140,43 @@ msgstr "インタラクションを続行するのに使うトークン。有効
msgid ":class:`str`"
msgstr ":class:`str`"
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:61
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:63
msgid "The raw interaction data."
msgstr "生のインタラクションデータ。"
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:63
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:83
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:65
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:85
#: ../../../discord/app_commands/commands.py:docstring of discord.app_commands.commands.Command:95
#: ../../../discord/app_commands/commands.py:docstring of discord.app_commands.commands.ContextMenu:80
#: ../../../discord/app_commands/commands.py:docstring of discord.app_commands.commands.Group:105
msgid ":class:`dict`"
msgstr ":class:`dict`"
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:67
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:69
msgid "The locale of the user invoking the interaction."
msgstr "インタラクションを呼び出したユーザーのロケール。"
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:69
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:71
msgid ":class:`Locale`"
msgstr ":class:`Locale`"
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:73
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:75
msgid "The preferred locale of the guild the interaction was sent from, if any."
msgstr "インタラクションの送信元のギルドの優先ロケール。もし無ければ ``None`` となります。"
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:75
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:77
msgid "Optional[:class:`Locale`]"
msgstr "Optional[:class:`Locale`]"
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:79
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:81
msgid "A dictionary that can be used to store extraneous data for use during interaction processing. The library will not touch any values or keys within this dictionary."
msgstr "インタラクションの処理中に使用する追加のデータを保管できる辞書型。ライブラリは辞書型の中のキーや値を一切操作しません。"
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:87
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:89
msgid "Whether the command associated with this interaction failed to execute. This includes checks and execution."
msgstr "このインタラクションに関連付けられたコマンドの実行に失敗したかどうか。これにはチェックとコマンドの実行が含まれます。"
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:90
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction:92
#: ../../../discord/components.py:docstring of discord.components.Button:35
#: ../../../discord/components.py:docstring of discord.components.SelectMenu:55
#: ../../../discord/components.py:docstring of discord.components.TextInput:43
@ -196,17 +204,9 @@ msgstr "インタラクションが送信されたギルド。"
msgid "Optional[:class:`Guild`]"
msgstr "Optional[:class:`Guild`]"
#: ../../docstring of discord.Interaction.channel:1
msgid "The channel the interaction was sent from."
msgstr "インタラクションが送信されたチャンネル。"
#: ../../docstring of discord.Interaction.channel:3
msgid "Note that due to a Discord limitation, DM channels are not resolved since there is no data to complete them. These are :class:`PartialMessageable` instead."
msgstr "Discordの制限により、DMチャンネルは入れるデータがないため解決されないことに注意してください。代わりに :class:`PartialMessageable` があります。"
#: ../../docstring of discord.Interaction.channel:6
msgid "Optional[Union[:class:`abc.GuildChannel`, :class:`PartialMessageable`, :class:`Thread`]]"
msgstr "Optional[Union[:class:`abc.GuildChannel`, :class:`PartialMessageable`, :class:`Thread`]]"
#: ../../../discord/interactions.py:docstring of discord.Interaction.channel_id:1
msgid "The ID of the channel the interaction was sent from."
msgstr ""
#: ../../../discord/interactions.py:docstring of discord.Interaction.permissions:1
msgid "The resolved permissions of the member in the channel, including overwrites."
@ -430,7 +430,7 @@ msgid "You specified both ``embed`` and ``embeds``"
msgstr "``embed`` と ``embeds`` の両方を指定した場合。"
#: ../../../discord/interactions.py:docstring of discord.interactions.Interaction.edit_original_response:36
#: ../../../discord/interactions.py:docstring of discord.interactions.InteractionResponse.send_message:39
#: ../../../discord/interactions.py:docstring of discord.interactions.InteractionResponse.send_message:44
#: ../../../discord/interactions.py:docstring of discord.interactions.InteractionMessage.edit:35
msgid "The length of ``embeds`` was invalid."
msgstr "``embeds`` の長さが無効だった場合。"
@ -564,7 +564,7 @@ msgstr "インタラクションの遅延に失敗した場合。"
#: ../../../discord/interactions.py:docstring of discord.interactions.InteractionResponse.defer:25
#: ../../../discord/interactions.py:docstring of discord.interactions.InteractionResponse.pong:8
#: ../../../discord/interactions.py:docstring of discord.interactions.InteractionResponse.send_message:40
#: ../../../discord/interactions.py:docstring of discord.interactions.InteractionResponse.send_message:45
#: ../../../discord/interactions.py:docstring of discord.interactions.InteractionResponse.edit_message:35
#: ../../../discord/interactions.py:docstring of discord.interactions.InteractionResponse.send_modal:9
msgid "This interaction has already been responded to before."
@ -623,16 +623,20 @@ msgid "Whether to suppress embeds for the message. This sends the message withou
msgstr "メッセージの埋め込みを抑制するかどうか。これが ``True`` に設定されている場合、埋め込みなしでメッセージを送信します。"
#: ../../../discord/interactions.py:docstring of discord.interactions.InteractionResponse.send_message:30
msgid "Whether to suppress push and desktop notifications for the message. This will increment the mention counter in the UI, but will not actually send a notification."
msgstr ""
#: ../../../discord/interactions.py:docstring of discord.interactions.InteractionResponse.send_message:35
#: ../../../discord/interactions.py:docstring of discord.interactions.InteractionMessage.edit:25
msgid "If provided, the number of seconds to wait in the background before deleting the message we just sent. If the deletion fails, then it is silently ignored."
msgstr "指定すると、これはメッセージを送信したあと削除するまでにバックグラウンドで待機する秒数となります。もし削除が失敗しても、それは静かに無視されます。"
#: ../../../discord/interactions.py:docstring of discord.interactions.InteractionResponse.send_message:37
#: ../../../discord/interactions.py:docstring of discord.interactions.InteractionResponse.send_message:42
#: ../../../discord/interactions.py:docstring of discord.message.PartialMessage.reply:12
msgid "Sending the message failed."
msgstr "メッセージの送信に失敗した場合。"
#: ../../../discord/interactions.py:docstring of discord.interactions.InteractionResponse.send_message:38
#: ../../../discord/interactions.py:docstring of discord.interactions.InteractionResponse.send_message:43
msgid "You specified both ``embed`` and ``embeds`` or ``file`` and ``files``."
msgstr "``embed`` と ``embeds`` または ``file`` と ``files`` の両方を指定した場合。"
@ -851,34 +855,42 @@ msgid "The name of the thread."
msgstr "スレッドの名前。"
#: ../../../discord/interactions.py:docstring of discord.message.PartialMessage.create_thread:14
msgid "The duration in minutes before a thread is automatically archived for inactivity. If not provided, the channel's default auto archive duration is used."
msgstr "スレッドが非アクティブ時に、自動的にアーカイブされるまでの分単位の長さ。指定しない場合は、チャンネルのデフォルトの自動アーカイブ期間が使用されます。"
msgid "The duration in minutes before a thread is automatically hidden from the channel list. If not provided, the channel's default auto archive duration is used. Must be one of ``60``, ``1440``, ``4320``, or ``10080``, if provided."
msgstr ""
#: ../../../discord/interactions.py:docstring of discord.message.PartialMessage.create_thread:14
msgid "The duration in minutes before a thread is automatically hidden from the channel list. If not provided, the channel's default auto archive duration is used."
msgstr ""
#: ../../../discord/interactions.py:docstring of discord.message.PartialMessage.create_thread:17
msgid "Must be one of ``60``, ``1440``, ``4320``, or ``10080``, if provided."
msgstr ""
#: ../../../discord/interactions.py:docstring of discord.message.PartialMessage.create_thread:19
msgid "Specifies the slowmode rate limit for user in this channel, in seconds. The maximum value possible is ``21600``. By default no slowmode rate limit if this is ``None``."
msgstr "このチャンネルの秒単位での低速モードレート制限。 最大値は ``21600`` です。デフォルトは ``None`` でこの場合は低速モードレート制限が無しとなります。"
#: ../../../discord/interactions.py:docstring of discord.message.PartialMessage.create_thread:21
#: ../../../discord/interactions.py:docstring of discord.message.PartialMessage.create_thread:23
msgid "The reason for creating a new thread. Shows up on the audit log."
msgstr "スレッドを作成する理由。監査ログに表示されます。"
#: ../../../discord/interactions.py:docstring of discord.message.PartialMessage.create_thread:24
#: ../../../discord/interactions.py:docstring of discord.message.PartialMessage.create_thread:26
msgid "You do not have permissions to create a thread."
msgstr "スレッドを作成する権限を持っていない場合。"
#: ../../../discord/interactions.py:docstring of discord.message.PartialMessage.create_thread:25
#: ../../../discord/interactions.py:docstring of discord.message.PartialMessage.create_thread:27
msgid "Creating the thread failed."
msgstr "スレッドの作成に失敗した場合。"
#: ../../../discord/interactions.py:docstring of discord.message.PartialMessage.create_thread:26
#: ../../../discord/interactions.py:docstring of discord.message.PartialMessage.create_thread:28
msgid "This message does not have guild info attached."
msgstr "メッセージがギルド情報を持っていない場合。"
#: ../../../discord/interactions.py:docstring of discord.message.PartialMessage.create_thread:28
#: ../../../discord/interactions.py:docstring of discord.message.PartialMessage.create_thread:30
msgid "The created thread."
msgstr "作成されたスレッド"
#: ../../../discord/interactions.py:docstring of discord.message.PartialMessage.create_thread:29
#: ../../../discord/interactions.py:docstring of discord.message.PartialMessage.create_thread:31
msgid ":class:`.Thread`"
msgstr ":class:`Thread`"
@ -957,22 +969,22 @@ msgid "Pinning the message failed, probably due to the channel having more t
msgstr "チャンネルにすでに50個ピン留めされたメッセージがあるなどの理由で、メッセージのピン留めに失敗した場合。"
#: ../../../discord/interactions.py:docstring of discord.message.PartialMessage.publish:3
msgid "Publishes this message to your announcement channel."
msgstr "このメッセージをアナウンスチャンネルに公開します。"
msgid "Publishes this message to the channel's followers."
msgstr ""
#: ../../../discord/interactions.py:docstring of discord.message.PartialMessage.publish:5
msgid "You must have :attr:`~Permissions.send_messages` to do this."
msgstr "これを行うには、 :attr:`~Permissions.send_messages` が必要です。"
msgid "The message must have been sent in a news channel. You must have :attr:`~Permissions.send_messages` to do this."
msgstr ""
#: ../../../discord/interactions.py:docstring of discord.message.PartialMessage.publish:7
#: ../../../discord/interactions.py:docstring of discord.message.PartialMessage.publish:8
msgid "If the message is not your own then :attr:`~Permissions.manage_messages` is also needed."
msgstr "自身のメッセージ以外の場合は :attr:`~Permissions.manage_messages` も必要です。"
#: ../../../discord/interactions.py:docstring of discord.message.PartialMessage.publish:10
msgid "You do not have the proper permissions to publish this message."
msgstr "メッセージを公開する適切な権限がない場合。"
#: ../../../discord/interactions.py:docstring of discord.message.PartialMessage.publish:11
msgid "You do not have the proper permissions to publish this message or the channel is not a news channel."
msgstr ""
#: ../../../discord/interactions.py:docstring of discord.message.PartialMessage.publish:12
msgid "Publishing the message failed."
msgstr "メッセージの公開に失敗した場合。"
@ -1843,8 +1855,8 @@ msgid "The user's ID that archived this thread."
msgstr "このスレッドをアーカイブしたユーザーのID。"
#: ../../../discord/app_commands/models.py:docstring of discord.app_commands.models.AppCommandThread:87
msgid "The duration in minutes until the thread is automatically archived due to inactivity. Usually a value of 60, 1440, 4320 and 10080."
msgstr "非アクティブのスレッドが自動的にアーカイブされるまでの分数です。通常は60、1440、4320、10080の値を設定します。"
msgid "The duration in minutes until the thread is automatically hidden from the channel list. Usually a value of 60, 1440, 4320 and 10080."
msgstr ""
#: ../../../discord/app_commands/models.py:docstring of discord.app_commands.models.AppCommandThread:94
msgid "An aware timestamp of when the thread's archived status was last updated in UTC."
@ -2450,7 +2462,7 @@ msgid "This object must be inherited to create a UI within Discord."
msgstr "Discord内でUIを作成するには、このオブジェクトを継承する必要があります。"
#: ../../../discord/ui/view.py:docstring of discord.ui.view.View:7
#: ../../../discord/ui/modal.py:docstring of discord.ui.modal.Modal:22
#: ../../../discord/ui/modal.py:docstring of discord.ui.modal.Modal:23
msgid "Timeout in seconds from last interaction with the UI before no longer accepting input. If ``None`` then there is no timeout."
msgstr "UIの最後のインタラクションから起算した、入力を受け付けなくなるまでの秒単位のタイムアウト。 ``None`` の場合タイムアウトはありません。"
@ -2677,19 +2689,19 @@ msgstr "Discord内でモーダルポップアップウィンドウを作成す
msgid "Examples"
msgstr "例"
#: ../../../discord/ui/modal.py:docstring of discord.ui.modal.Modal:20
#: ../../../discord/ui/modal.py:docstring of discord.ui.modal.Modal:21
msgid "The title of the modal. Can only be up to 45 characters."
msgstr "モーダルのタイトル。最大45文字までです。"
#: ../../../discord/ui/modal.py:docstring of discord.ui.modal.Modal:25
#: ../../../discord/ui/modal.py:docstring of discord.ui.modal.Modal:26
msgid "The ID of the modal that gets received during an interaction. If not given then one is generated for you. Can only be up to 100 characters."
msgstr "インタラクション中に受け取るモーダルID。 指定されていない場合は、自動で生成されます。最大 100 文字までしか使用できません。"
#: ../../../discord/ui/modal.py:docstring of discord.ui.modal.Modal:32
#: ../../../discord/ui/modal.py:docstring of discord.ui.modal.Modal:33
msgid "The title of the modal."
msgstr "モーダルのタイトル。"
#: ../../../discord/ui/modal.py:docstring of discord.ui.modal.Modal:38
#: ../../../discord/ui/modal.py:docstring of discord.ui.modal.Modal:39
msgid "The ID of the modal that gets received during an interaction."
msgstr "インタラクション中に受け取るモーダルID。"

14
docs/locale/ja/LC_MESSAGES/intro.po

@ -2,8 +2,8 @@ msgid ""
msgstr ""
"Project-Id-Version: discordpy\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2023-01-24 11:01+0000\n"
"PO-Revision-Date: 2023-01-30 13:38\n"
"POT-Creation-Date: 2023-06-21 01:17+0000\n"
"PO-Revision-Date: 2023-06-21 01:20\n"
"Last-Translator: \n"
"Language-Team: Japanese\n"
"MIME-Version: 1.0\n"
@ -109,15 +109,19 @@ msgstr "いつものようにpipインストールを実行します。"
msgid "Congratulations. You now have a virtual environment all set up."
msgstr "おめでとうございます。これで仮想環境のセットアップができました。"
#: ../../intro.rst:92
#: ../../intro.rst:93
msgid "Scripts executed with ``py -3`` will ignore any currently active virtual environment, as the ``-3`` specifies a global scope."
msgstr ""
#: ../../intro.rst:97
msgid "Basic Concepts"
msgstr "基本概念"
#: ../../intro.rst:94
#: ../../intro.rst:99
msgid "discord.py revolves around the concept of :ref:`events <discord-api-events>`. An event is something you listen to and then respond to. For example, when a message happens, you will receive an event about it that you can respond to."
msgstr "discord.pyは :ref:`イベント <discord-api-events>` の概念を中心としています。イベントは何かを受け取り、それに対する応答を行います。例えば、メッセージが発生すると、メッセージの発生に関連するイベントを受け取り、そのイベントに対して応答を返すことができます。"
#: ../../intro.rst:98
#: ../../intro.rst:103
msgid "A quick example to showcase how events work:"
msgstr "以下はイベントの仕組みを紹介する簡単な例です。"

4
docs/locale/ja/LC_MESSAGES/logging.po

@ -2,8 +2,8 @@ msgid ""
msgstr ""
"Project-Id-Version: discordpy\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2023-01-24 11:01+0000\n"
"PO-Revision-Date: 2023-01-30 13:38\n"
"POT-Creation-Date: 2023-06-21 01:17+0000\n"
"PO-Revision-Date: 2023-06-21 01:20\n"
"Last-Translator: \n"
"Language-Team: Japanese\n"
"MIME-Version: 1.0\n"

608
docs/locale/ja/LC_MESSAGES/migrating.po

File diff suppressed because it is too large

4
docs/locale/ja/LC_MESSAGES/migrating_to_async.po

@ -2,8 +2,8 @@ msgid ""
msgstr ""
"Project-Id-Version: discordpy\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2023-01-24 11:01+0000\n"
"PO-Revision-Date: 2023-01-30 13:38\n"
"POT-Creation-Date: 2023-06-21 01:17+0000\n"
"PO-Revision-Date: 2023-06-21 01:20\n"
"Last-Translator: \n"
"Language-Team: Japanese\n"
"MIME-Version: 1.0\n"

4
docs/locale/ja/LC_MESSAGES/migrating_to_v1.po

@ -2,8 +2,8 @@ msgid ""
msgstr ""
"Project-Id-Version: discordpy\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2023-01-24 11:01+0000\n"
"PO-Revision-Date: 2023-01-30 13:38\n"
"POT-Creation-Date: 2023-06-21 01:17+0000\n"
"PO-Revision-Date: 2023-06-21 01:20\n"
"Last-Translator: \n"
"Language-Team: Japanese\n"
"MIME-Version: 1.0\n"

4
docs/locale/ja/LC_MESSAGES/quickstart.po

@ -2,8 +2,8 @@ msgid ""
msgstr ""
"Project-Id-Version: discordpy\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2023-01-24 11:01+0000\n"
"PO-Revision-Date: 2023-01-30 13:38\n"
"POT-Creation-Date: 2023-06-21 01:17+0000\n"
"PO-Revision-Date: 2023-06-21 01:20\n"
"Last-Translator: \n"
"Language-Team: Japanese\n"
"MIME-Version: 1.0\n"

4
docs/locale/ja/LC_MESSAGES/sphinx.po

@ -2,8 +2,8 @@ msgid ""
msgstr ""
"Project-Id-Version: discordpy\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2023-01-24 11:01+0000\n"
"PO-Revision-Date: 2023-01-30 13:38\n"
"POT-Creation-Date: 2023-06-21 01:17+0000\n"
"PO-Revision-Date: 2023-06-21 01:20\n"
"Last-Translator: \n"
"Language-Team: Japanese\n"
"MIME-Version: 1.0\n"

4
docs/locale/ja/LC_MESSAGES/version_guarantees.po

@ -2,8 +2,8 @@ msgid ""
msgstr ""
"Project-Id-Version: discordpy\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2023-01-24 11:01+0000\n"
"PO-Revision-Date: 2023-01-30 13:38\n"
"POT-Creation-Date: 2023-06-21 01:17+0000\n"
"PO-Revision-Date: 2023-06-21 01:20\n"
"Last-Translator: \n"
"Language-Team: Japanese\n"
"MIME-Version: 1.0\n"

2002
docs/locale/ja/LC_MESSAGES/whats_new.po

File diff suppressed because it is too large

6
docs/logging.rst

@ -43,6 +43,12 @@ Likewise, configuring the log level to ``logging.DEBUG`` is also possible:
This is recommended, especially at verbose levels such as ``DEBUG``, as there are a lot of events logged and it would clog the stderr of your program.
If you want the logging configuration the library provides to affect all loggers rather than just the ``discord`` logger, you can pass ``root_logger=True`` inside :meth:`Client.run`:
.. code-block:: python3
client.run(token, log_handler=handler, root_logger=True)
If you want to setup logging using the library provided configuration without using :meth:`Client.run`, you can use :func:`discord.utils.setup_logging`:
.. code-block:: python3

33
docs/whats_new.rst

@ -11,6 +11,39 @@ Changelog
This page keeps a detailed human friendly rendering of what's new and changed
in specific versions.
.. _vp2p3p2:
v2.3.2
-------
Bug Fixes
~~~~~~~~~~
- Fix the ``name`` parameter not being respected when sending a :class:`CustomActivity`.
- Fix :attr:`Intents.emoji` and :attr:`Intents.emojis_and_stickers` having swapped alias values (:issue:`9471`).
- Fix ``NameError`` when using :meth:`abc.GuildChannel.create_invite` (:issue:`9505`).
- Fix crash when disconnecting during the middle of a ``HELLO`` packet when using :class:`AutoShardedClient`.
- Fix overly eager escape behaviour for lists and header markdown in :func:`utils.escape_markdown` (:issue:`9516`).
- Fix voice websocket not being closed before being replaced by a new one (:issue:`9518`).
- |commands| Fix the wrong :meth:`~ext.commands.HelpCommand.on_help_command_error` being called when ejected from a cog.
- |commands| Fix ``=None`` being displayed in :attr:`~ext.commands.Command.signature`.
.. _vp2p3p1:
v2.3.1
-------
Bug Fixes
~~~~~~~~~~
- Fix username lookup in :meth:`Guild.get_member_named` (:issue:`9451`).
- Use cache data first for :attr:`Interaction.channel` instead of API data.
- This bug usually manifested in incomplete channel objects (e.g. no ``overwrites``) because Discord does not provide this data.
- Fix false positives in :meth:`PartialEmoji.from_str` inappropriately setting ``animated`` to ``True`` (:issue:`9456`, :issue:`9457`).
- Fix certain select types not appearing in :attr:`Message.components` (:issue:`9462`).
- |commands| Change lookup order for :class:`~ext.commands.MemberConverter` and :class:`~ext.commands.UserConverter` to prioritise usernames instead of nicknames.
.. _vp2p3p0:
v2.3.0

98
examples/views/dynamic_counter.py

@ -0,0 +1,98 @@
from __future__ import annotations
from discord.ext import commands
import discord
import re
# Complicated use cases for persistent views can be difficult to achieve when dealing
# with state changes or dynamic items. In order to facilitate these complicated use cases,
# the library provides DynamicItem which allows you to define an item backed by a regular
# expression that can parse state out of the custom_id.
# The following example showcases a dynamic item that implements a counter.
# The `template` class parameter is used to give the library a regular expression to parse
# the custom_id. In this case we're parsing out custom_id in the form of e.g.
# `counter:5:user:80088516616269824` where the first number is the current count and the
# second number is the user ID who owns the button.
# Note that custom_ids can only be up to 100 characters long.
class DynamicCounter(
discord.ui.DynamicItem[discord.ui.Button],
template=r'counter:(?P<count>[0-9]+):user:(?P<id>[0-9]+)',
):
def __init__(self, user_id: int, count: int = 0) -> None:
self.user_id: int = user_id
self.count: int = count
super().__init__(
discord.ui.Button(
label=f'Total: {count}',
style=self.style,
custom_id=f'counter:{count}:user:{user_id}',
emoji='\N{THUMBS UP SIGN}',
)
)
# We want the style of the button to be dynamic depending on the count.
@property
def style(self) -> discord.ButtonStyle:
if self.count < 10:
return discord.ButtonStyle.grey
if self.count < 15:
return discord.ButtonStyle.red
if self.count < 20:
return discord.ButtonStyle.blurple
return discord.ButtonStyle.green
# This method actually extracts the information from the custom ID and creates the item.
@classmethod
async def from_custom_id(cls, interaction: discord.Interaction, item: discord.ui.Button, match: re.Match[str], /):
count = int(match['count'])
user_id = int(match['id'])
return cls(user_id, count=count)
# We want to ensure that our button is only called by the user who created it.
async def interaction_check(self, interaction: discord.Interaction) -> bool:
return interaction.user.id == self.user_id
async def callback(self, interaction: discord.Interaction) -> None:
# When the button is invoked, we want to increase the count and update the button's
# styling and label.
# In order to actually persist these changes we need to also update the custom_id
# to match the new information.
# Note that the custom ID *must* match the template.
self.count += 1
self.item.label = f'Total: {self.count}'
self.custom_id = f'counter:{self.count}:user:{self.user_id}'
self.item.style = self.style
# In here, self.view is the view given by the interaction's message.
# It cannot be a custom subclass due to limitations.
await interaction.response.edit_message(view=self.view)
class DynamicCounterBot(commands.Bot):
def __init__(self):
intents = discord.Intents.default()
super().__init__(command_prefix=commands.when_mentioned, intents=intents)
async def setup_hook(self) -> None:
# For dynamic items, we must register the classes instead of the views.
self.add_dynamic_items(DynamicCounter)
async def on_ready(self):
print(f'Logged in as {self.user} (ID: {self.user.id})')
print('------')
bot = DynamicCounterBot()
@bot.command()
async def counter(ctx: commands.Context):
"""Starts a dynamic counter."""
view = discord.ui.View(timeout=None)
view.add_item(DynamicCounter(ctx.author.id))
await ctx.send('Here is your very own button!', view=view)
bot.run('token')

45
examples/views/persistent.py

@ -1,7 +1,9 @@
# This example requires the 'message_content' privileged intent to function.
from __future__ import annotations
from discord.ext import commands
import discord
import re
# Define a simple View that persists between bot restarts
@ -29,6 +31,38 @@ class PersistentView(discord.ui.View):
await interaction.response.send_message('This is grey.', ephemeral=True)
# More complicated cases might require parsing state out from the custom_id instead.
# For this use case, the library provides a `DynamicItem` to make this easier.
# The same constraints as above apply to this too.
# For this example, the `template` class parameter is used to give the library a regular
# expression to parse the custom_id with.
# These custom IDs will be in the form of e.g. `button:user:80088516616269824`.
class DynamicButton(discord.ui.DynamicItem[discord.ui.Button], template=r'button:user:(?P<id>[0-9]+)'):
def __init__(self, user_id: int) -> None:
super().__init__(
discord.ui.Button(
label='Do Thing',
style=discord.ButtonStyle.blurple,
custom_id=f'button:user:{user_id}',
emoji='\N{THUMBS UP SIGN}',
)
)
self.user_id: int = user_id
# This is called when the button is clicked and the custom_id matches the template.
@classmethod
async def from_custom_id(cls, interaction: discord.Interaction, item: discord.ui.Button, match: re.Match[str], /):
user_id = int(match['id'])
return cls(user_id)
async def interaction_check(self, interaction: discord.Interaction) -> bool:
# Only allow the user who created the button to interact with it.
return interaction.user.id == self.user_id
async def callback(self, interaction: discord.Interaction) -> None:
await interaction.response.send_message('This is your very own button!', ephemeral=True)
class PersistentViewBot(commands.Bot):
def __init__(self):
intents = discord.Intents.default()
@ -43,6 +77,8 @@ class PersistentViewBot(commands.Bot):
# If you have the message_id you can also pass it as a keyword argument, but for this example
# we don't have one.
self.add_view(PersistentView())
# For dynamic items, we must register the classes instead of the views.
self.add_dynamic_items(DynamicButton)
async def on_ready(self):
print(f'Logged in as {self.user} (ID: {self.user.id})')
@ -63,4 +99,13 @@ async def prepare(ctx: commands.Context):
await ctx.send("What's your favourite colour?", view=PersistentView())
@bot.command()
async def dynamic_button(ctx: commands.Context):
"""Starts a dynamic button."""
view = discord.ui.View(timeout=None)
view.add_item(DynamicButton(ctx.author.id))
await ctx.send('Here is your very own button!', view=view)
bot.run('token')

1
setup.py

@ -53,6 +53,7 @@ extras_require = {
'pytest-cov',
'pytest-mock',
'typing-extensions>=4.3,<5',
'tzdata; sys_platform == "win32"',
],
}

82
tests/test_app_commands_group.py

@ -397,3 +397,85 @@ def test_cog_group_with_custom_state_issue9383():
assert cog.inner.my_command.parent is cog.inner
assert cog.my_inner_command.parent is cog.inner
assert cog.my_inner_command.binding is cog
def test_cog_hybrid_group_manual_command():
class MyCog(commands.Cog):
@commands.hybrid_group()
async def first(self, ctx: commands.Context) -> None:
...
@first.command(name='both')
async def second_both(self, ctx: commands.Context) -> None:
...
@first.app_command.command(name='second')
async def second_app(self, interaction: discord.Interaction) -> None:
...
client = discord.Client(intents=discord.Intents.default())
tree = app_commands.CommandTree(client)
cog = MyCog()
tree.add_command(cog.first.app_command)
assert cog.first is not MyCog.first
assert cog.second_both is not MyCog.second_both
assert cog.second_app is not MyCog.second_app
assert cog.first.parent is None
assert cog.second_both.parent is cog.first
assert cog.second_app.parent is cog.first.app_command
assert cog.second_app.binding is cog
assert tree.get_command('first') is cog.first.app_command
first = tree.get_command('first')
assert isinstance(first, app_commands.Group)
both = first.get_command('both')
assert isinstance(both, app_commands.Command)
assert both.parent is first
assert both.binding is cog
second = first.get_command('second')
assert isinstance(second, app_commands.Command)
assert second.parent is first
assert second.binding is cog
def test_cog_hybrid_group_manual_nested_command():
class MyCog(commands.Cog):
@commands.hybrid_group()
async def first(self, ctx: commands.Context) -> None:
pass
@first.group()
async def second(self, ctx: commands.Context) -> None:
pass
@second.app_command.command()
async def third(self, interaction: discord.Interaction) -> None:
pass
client = discord.Client(intents=discord.Intents.default())
tree = app_commands.CommandTree(client)
cog = MyCog()
tree.add_command(cog.first.app_command)
assert cog.first is not MyCog.first
assert cog.second is not MyCog.second
assert cog.third is not MyCog.third
assert cog.first.parent is None
assert cog.second.parent is cog.first
assert cog.third.parent is cog.second.app_command
assert cog.third.binding is cog
first = tree.get_command('first')
assert isinstance(first, app_commands.Group)
second = first.get_command('second')
assert isinstance(second, app_commands.Group)
third = second.get_command('third')
assert isinstance(third, app_commands.Command)
assert third.parent is second
assert third.binding is cog

Loading…
Cancel
Save