diff --git a/discord/message.py b/discord/message.py index 12783ea9a..42732d8bf 100644 --- a/discord/message.py +++ b/discord/message.py @@ -83,7 +83,7 @@ if TYPE_CHECKING: ) from .types.user import User as UserPayload from .types.embed import Embed as EmbedPayload - from .types.gateway import MessageReactionRemoveEvent + from .types.gateway import MessageReactionRemoveEvent, MessageUpdateEvent from .abc import Snowflake from .abc import GuildChannel, PartialMessageableChannel, MessageableChannel from .components import Component @@ -454,7 +454,7 @@ class MessageReference: return self @classmethod - def from_message(cls, message: Message, *, fail_if_not_exists: bool = True) -> Self: + def from_message(cls, message: PartialMessage, *, fail_if_not_exists: bool = True) -> Self: """Creates a :class:`MessageReference` from an existing :class:`~discord.Message`. .. versionadded:: 1.6 @@ -527,1324 +527,1439 @@ def flatten_handlers(cls: Type[Message]) -> Type[Message]: return cls -@flatten_handlers -class Message(Hashable): - r"""Represents a message from Discord. +class PartialMessage(Hashable): + """Represents a partial message to aid with working messages when only + a message and channel ID are present. + + There are two ways to construct this class. The first one is through + the constructor itself, and the second is via the following: + + - :meth:`TextChannel.get_partial_message` + - :meth:`Thread.get_partial_message` + - :meth:`DMChannel.get_partial_message` + + Note that this class is trimmed down and has no rich attributes. + + .. versionadded:: 1.6 .. container:: operations .. describe:: x == y - Checks if two messages are equal. + Checks if two partial messages are equal. .. describe:: x != y - Checks if two messages are not equal. + Checks if two partial messages are not equal. .. describe:: hash(x) - Returns the message's hash. + Returns the partial message's hash. Attributes ----------- - tts: :class:`bool` - Specifies if the message was done with text-to-speech. - This can only be accurately received in :func:`on_message` due to - a discord limitation. - type: :class:`MessageType` - The type of message. In most cases this should not be checked, but it is helpful - in cases where it might be a system message for :attr:`system_content`. - author: Union[:class:`Member`, :class:`abc.User`] - A :class:`Member` that sent the message. If :attr:`channel` is a - private channel or the user has the left the guild, then it is a :class:`User` instead. - content: :class:`str` - The actual contents of the message. - nonce: Optional[Union[:class:`str`, :class:`int`]] - The value used by the discord guild and the client to verify that the message is successfully sent. - This is not stored long term within Discord's servers and is only used ephemerally. - embeds: List[:class:`Embed`] - A list of embeds the message has. - channel: Union[:class:`TextChannel`, :class:`Thread`, :class:`DMChannel`, :class:`GroupChannel`, :class:`PartialMessageable`] - The :class:`TextChannel` or :class:`Thread` that the message was sent from. - Could be a :class:`DMChannel` or :class:`GroupChannel` if it's a private message. - reference: Optional[:class:`~discord.MessageReference`] - The message that this message references. This is only applicable to messages of - type :attr:`MessageType.pins_add`, crossposted messages created by a - followed channel integration, or message replies. - - .. versionadded:: 1.5 + channel: Union[:class:`PartialMessageable`, :class:`TextChannel`, :class:`Thread`, :class:`DMChannel`] + The channel associated with this partial message. + id: :class:`int` + The message ID. + guild: Optional[:class:`Guild`] + The guild that the partial message belongs to, if applicable. + """ - mention_everyone: :class:`bool` - Specifies if the message mentions everyone. + __slots__ = ('channel', 'id', '_cs_guild', '_state', 'guild') - .. note:: + def __init__(self, *, channel: MessageableChannel, id: int) -> None: + if not isinstance(channel, PartialMessageable) and channel.type not in ( + ChannelType.text, + ChannelType.news, + ChannelType.private, + ChannelType.news_thread, + ChannelType.public_thread, + ChannelType.private_thread, + ): + raise TypeError(f'Expected PartialMessageable, TextChannel, DMChannel or Thread not {type(channel)!r}') - This does not check if the ``@everyone`` or the ``@here`` text is in the message itself. - Rather this boolean indicates if either the ``@everyone`` or the ``@here`` text is in the message - **and** it did end up mentioning. - mentions: List[:class:`abc.User`] - A list of :class:`Member` that were mentioned. If the message is in a private message - then the list will be of :class:`User` instead. For messages that are not of type - :attr:`MessageType.default`\, this array can be used to aid in system messages. - For more information, see :attr:`system_content`. + self.channel: MessageableChannel = channel + self._state: ConnectionState = channel._state + self.id: int = id - .. warning:: + self.guild: Optional[Guild] = getattr(channel, 'guild', None) - The order of the mentions list is not in any particular order so you should - not rely on it. This is a Discord limitation, not one with the library. - channel_mentions: List[Union[:class:`abc.GuildChannel`, :class:`Thread`]] - A list of :class:`abc.GuildChannel` or :class:`Thread` that were mentioned. If the message is - in a private message then the list is always empty. - role_mentions: List[:class:`Role`] - A list of :class:`Role` that were mentioned. If the message is in a private message - then the list is always empty. - id: :class:`int` - The message ID. - webhook_id: Optional[:class:`int`] - If this message was sent by a webhook, then this is the webhook ID's that sent this - message. - attachments: List[:class:`Attachment`] - A list of attachments given to a message. - pinned: :class:`bool` - Specifies if the message is currently pinned. - flags: :class:`MessageFlags` - Extra features of the message. + def _update(self, data: MessageUpdateEvent) -> None: + # This is used for duck typing purposes. + # Just do nothing with the data. + pass - .. versionadded:: 1.3 + # Also needed for duck typing purposes + # n.b. not exposed + pinned: Any = property(None, lambda x, y: None) - reactions : List[:class:`Reaction`] - Reactions to a message. Reactions can be either custom emoji or standard unicode emoji. - activity: Optional[:class:`dict`] - The activity associated with this message. Sent with Rich-Presence related messages that for - example, request joining, spectating, or listening to or with another member. + def __repr__(self) -> str: + return f'' - It is a dictionary with the following optional keys: + @property + def created_at(self) -> datetime.datetime: + """:class:`datetime.datetime`: The partial message's creation time in UTC.""" + return utils.snowflake_time(self.id) - - ``type``: An integer denoting the type of message activity being requested. - - ``party_id``: The party ID associated with the party. - application: Optional[:class:`dict`] - The rich presence enabled application associated with this message. + @property + def jump_url(self) -> str: + """:class:`str`: Returns a URL that allows the client to jump to this message.""" + guild_id = getattr(self.guild, 'id', '@me') + return f'https://discord.com/channels/{guild_id}/{self.channel.id}/{self.id}' - It is a dictionary with the following keys: + async def fetch(self) -> Message: + """|coro| - - ``id``: A string representing the application's ID. - - ``name``: A string representing the application's name. - - ``description``: A string representing the application's description. - - ``icon``: A string representing the icon ID of the application. - - ``cover_image``: A string representing the embed's image asset ID. - stickers: List[:class:`StickerItem`] - A list of sticker items given to the message. + Fetches the partial message to a full :class:`Message`. - .. versionadded:: 1.6 - components: List[:class:`Component`] - A list of components in the message. + Raises + -------- + NotFound + The message was not found. + Forbidden + You do not have the permissions required to get a message. + HTTPException + Retrieving the message failed. - .. versionadded:: 2.0 - guild: Optional[:class:`Guild`] - The guild that the message belongs to, if applicable. - """ + Returns + -------- + :class:`Message` + The full message. + """ - __slots__ = ( - '_state', - '_edited_timestamp', - '_cs_channel_mentions', - '_cs_raw_mentions', - '_cs_clean_content', - '_cs_raw_channel_mentions', - '_cs_raw_role_mentions', - '_cs_system_content', - 'tts', - 'content', - 'channel', - 'webhook_id', - 'mention_everyone', - 'embeds', - 'id', - 'mentions', - 'author', - 'attachments', - 'nonce', - 'pinned', - 'role_mentions', - 'type', - 'flags', - 'reactions', - 'reference', - 'application', - 'activity', - 'stickers', - 'components', - 'guild', - ) + data = await self._state.http.get_message(self.channel.id, self.id) + return self._state.create_message(channel=self.channel, data=data) - if TYPE_CHECKING: - _HANDLERS: ClassVar[List[Tuple[str, Callable[..., None]]]] - _CACHED_SLOTS: ClassVar[List[str]] - guild: Optional[Guild] - reference: Optional[MessageReference] - mentions: List[Union[User, Member]] - author: Union[User, Member] - role_mentions: List[Role] + async def delete(self, *, delay: Optional[float] = None) -> None: + """|coro| - def __init__( - self, - *, - state: ConnectionState, - channel: MessageableChannel, - data: MessagePayload, - ): - self._state: ConnectionState = state - self.id: int = int(data['id']) - self.webhook_id: Optional[int] = utils._get_as_snowflake(data, 'webhook_id') - self.reactions: List[Reaction] = [Reaction(message=self, data=d) for d in data.get('reactions', [])] - self.attachments: List[Attachment] = [Attachment(data=a, state=self._state) for a in data['attachments']] - self.embeds: List[Embed] = [Embed.from_dict(a) for a in data['embeds']] - self.application: Optional[MessageApplicationPayload] = data.get('application') - self.activity: Optional[MessageActivityPayload] = data.get('activity') - self.channel: MessageableChannel = channel - self._edited_timestamp: Optional[datetime.datetime] = utils.parse_time(data['edited_timestamp']) - self.type: MessageType = try_enum(MessageType, data['type']) - self.pinned: bool = data['pinned'] - self.flags: MessageFlags = MessageFlags._from_value(data.get('flags', 0)) - self.mention_everyone: bool = data['mention_everyone'] - self.tts: bool = data['tts'] - self.content: str = data['content'] - self.nonce: Optional[Union[int, str]] = data.get('nonce') - self.stickers: List[StickerItem] = [StickerItem(data=d, state=state) for d in data.get('sticker_items', [])] - self.components: List[Component] = [_component_factory(d) for d in data.get('components', [])] + Deletes the message. - try: - # if the channel doesn't have a guild attribute, we handle that - self.guild = channel.guild # type: ignore - except AttributeError: - self.guild = state._get_guild(utils._get_as_snowflake(data, 'guild_id')) + Your own messages could be deleted without any proper permissions. However to + delete other people's messages, you need the :attr:`~Permissions.manage_messages` + permission. - try: - ref = data['message_reference'] - except KeyError: - self.reference = None - else: - self.reference = ref = MessageReference.with_state(state, ref) - try: - resolved = data['referenced_message'] - except KeyError: - pass - else: - if resolved is None: - ref.resolved = DeletedReferencedMessage(ref) - else: - # Right now the channel IDs match but maybe in the future they won't. - if ref.channel_id == channel.id: - chan = channel - elif isinstance(channel, Thread) and channel.parent_id == ref.channel_id: - chan = channel - else: - chan, _ = state._get_guild_channel(resolved, ref.guild_id) + .. versionchanged:: 1.1 + Added the new ``delay`` keyword-only parameter. - # the channel will be the correct type here - ref.resolved = self.__class__(channel=chan, data=resolved, state=state) # type: ignore + Parameters + ----------- + delay: Optional[:class:`float`] + If provided, the number of seconds to wait in the background + before deleting the message. If the deletion fails then it is silently ignored. - for handler in ('author', 'member', 'mentions', 'mention_roles'): - try: - getattr(self, f'_handle_{handler}')(data[handler]) - except KeyError: - continue + Raises + ------ + Forbidden + You do not have proper permissions to delete the message. + NotFound + The message was deleted already + HTTPException + Deleting the message failed. + """ + if delay is not None: - def __repr__(self) -> str: - name = self.__class__.__name__ - return ( - f'<{name} id={self.id} channel={self.channel!r} type={self.type!r} author={self.author!r} flags={self.flags!r}>' - ) + async def delete(delay: float): + await asyncio.sleep(delay) + try: + await self._state.http.delete_message(self.channel.id, self.id) + except HTTPException: + pass - def _try_patch(self, data, key, transform=None) -> None: - try: - value = data[key] - except KeyError: - pass + asyncio.create_task(delete(delay)) else: - if transform is None: - setattr(self, key, value) - else: - setattr(self, key, transform(value)) + await self._state.http.delete_message(self.channel.id, self.id) - def _add_reaction(self, data, emoji, user_id) -> Reaction: - reaction = utils.find(lambda r: r.emoji == emoji, self.reactions) - is_me = data['me'] = user_id == self._state.self_id + @overload + async def edit( + self, + *, + content: Optional[str] = ..., + embed: Optional[Embed] = ..., + attachments: Sequence[Union[Attachment, File]] = ..., + delete_after: Optional[float] = ..., + allowed_mentions: Optional[AllowedMentions] = ..., + view: Optional[View] = ..., + ) -> Message: + ... - if reaction is None: - reaction = Reaction(message=self, data=data, emoji=emoji) - self.reactions.append(reaction) - else: - reaction.count += 1 - if is_me: - reaction.me = is_me + @overload + async def edit( + self, + *, + content: Optional[str] = ..., + embeds: Sequence[Embed] = ..., + attachments: Sequence[Union[Attachment, File]] = ..., + delete_after: Optional[float] = ..., + allowed_mentions: Optional[AllowedMentions] = ..., + view: Optional[View] = ..., + ) -> Message: + ... - return reaction + async def edit( + self, + content: Optional[str] = MISSING, + embed: Optional[Embed] = MISSING, + embeds: Sequence[Embed] = MISSING, + attachments: Sequence[Union[Attachment, File]] = MISSING, + delete_after: Optional[float] = None, + allowed_mentions: Optional[AllowedMentions] = MISSING, + view: Optional[View] = MISSING, + ) -> Message: + """|coro| - def _remove_reaction(self, data: MessageReactionRemoveEvent, emoji: EmojiInputType, user_id: int) -> Reaction: - reaction = utils.find(lambda r: r.emoji == emoji, self.reactions) + Edits the message. - if reaction is None: - # already removed? - raise ValueError('Emoji already removed?') + The content must be able to be transformed into a string via ``str(content)``. - # if reaction isn't in the list, we crash. This means discord - # sent bad data, or we stored improperly - reaction.count -= 1 + .. versionchanged:: 2.0 + Edits are no longer in-place, the newly edited message is returned instead. - if user_id == self._state.self_id: - reaction.me = False - if reaction.count == 0: - # this raises ValueError if something went wrong as well. - self.reactions.remove(reaction) + .. versionchanged:: 2.0 + This function will now raise :exc:`TypeError` instead of + ``InvalidArgument``. - return reaction + Parameters + ----------- + content: Optional[:class:`str`] + The new content to replace the message with. + Could be ``None`` to remove the content. + embed: Optional[:class:`Embed`] + The new embed to replace the original with. + Could be ``None`` to remove the embed. + embeds: List[:class:`Embed`] + The new embeds to replace the original with. Must be a maximum of 10. + To remove all embeds ``[]`` should be passed. - def _clear_emoji(self, emoji) -> Optional[Reaction]: - to_check = str(emoji) - for index, reaction in enumerate(self.reactions): - if str(reaction.emoji) == to_check: - break - else: - # didn't find anything so just return - return + .. versionadded:: 2.0 + attachments: List[Union[:class:`Attachment`, :class:`File`]] + A list of attachments to keep in the message as well as new files to upload. If ``[]`` is passed + then all attachments are removed. - del self.reactions[index] - return reaction + .. note:: - def _update(self, data): - # In an update scheme, 'author' key has to be handled before 'member' - # otherwise they overwrite each other which is undesirable. - # Since there's no good way to do this we have to iterate over every - # handler rather than iterating over the keys which is a little slower - for key, handler in self._HANDLERS: - try: - value = data[key] - except KeyError: - continue - else: - handler(self, value) + New files will always appear after current attachments. - # clear the cached properties - for attr in self._CACHED_SLOTS: - try: - delattr(self, attr) - except AttributeError: - pass + .. versionadded:: 2.0 + delete_after: Optional[:class:`float`] + If provided, the number of seconds to wait in the background + before deleting the message we just edited. If the deletion fails, + then it is silently ignored. + allowed_mentions: Optional[:class:`~discord.AllowedMentions`] + Controls the mentions being processed in this message. If this is + passed, then the object is merged with :attr:`~discord.Client.allowed_mentions`. + The merging behaviour only overrides attributes that have been explicitly passed + to the object, otherwise it uses the attributes set in :attr:`~discord.Client.allowed_mentions`. + If no object is passed at all then the defaults given by :attr:`~discord.Client.allowed_mentions` + are used instead. - def _handle_edited_timestamp(self, value: str) -> None: - self._edited_timestamp = utils.parse_time(value) + .. versionadded:: 1.4 + view: Optional[:class:`~discord.ui.View`] + The updated view to update this message with. If ``None`` is passed then + the view is removed. - def _handle_pinned(self, value: bool) -> None: - self.pinned = value + Raises + ------- + HTTPException + Editing the message failed. + Forbidden + Tried to suppress a message without permissions or + edited a message's content or embed that isn't yours. + TypeError + You specified both ``embed`` and ``embeds`` - def _handle_flags(self, value: int) -> None: - self.flags = MessageFlags._from_value(value) + Returns + -------- + :class:`Message` + The newly edited message. + """ - def _handle_application(self, value: MessageApplicationPayload) -> None: - self.application = value + if content is not MISSING: + previous_allowed_mentions = self._state.allowed_mentions + else: + previous_allowed_mentions = None - def _handle_activity(self, value: MessageActivityPayload) -> None: - self.activity = value + if view is not MISSING: + self._state.prevent_view_updates_for(self.id) - def _handle_mention_everyone(self, value: bool) -> None: - self.mention_everyone = value + params = handle_message_parameters( + content=content, + embed=embed, + embeds=embeds, + attachments=attachments, + view=view, + allowed_mentions=allowed_mentions, + previous_allowed_mentions=previous_allowed_mentions, + ) + data = await self._state.http.edit_message(self.channel.id, self.id, params=params) + message = Message(state=self._state, channel=self.channel, data=data) - def _handle_tts(self, value: bool) -> None: - self.tts = value + if view and not view.is_finished(): + self._state.store_view(view, self.id) - def _handle_type(self, value: int) -> None: - self.type = try_enum(MessageType, value) + if delete_after is not None: + await self.delete(delay=delete_after) - def _handle_content(self, value: str) -> None: - self.content = value + return message - def _handle_attachments(self, value: List[AttachmentPayload]) -> None: - self.attachments = [Attachment(data=a, state=self._state) for a in value] + async def publish(self) -> None: + """|coro| - def _handle_embeds(self, value: List[EmbedPayload]) -> None: - self.embeds = [Embed.from_dict(data) for data in value] + Publishes this message to your announcement channel. - def _handle_nonce(self, value: Union[str, int]) -> None: - self.nonce = value + You must have the :attr:`~Permissions.send_messages` permission to do this. - def _handle_author(self, author: UserPayload) -> None: - self.author = self._state.store_user(author) - if isinstance(self.guild, Guild): - found = self.guild.get_member(self.author.id) - if found is not None: - self.author = found + If the message is not your own then the :attr:`~Permissions.manage_messages` + permission is also needed. - def _handle_member(self, member: MemberPayload) -> None: - # The gateway now gives us full Member objects sometimes with the following keys - # deaf, mute, joined_at, roles - # For the sake of performance I'm going to assume that the only - # field that needs *updating* would be the joined_at field. - # If there is no Member object (for some strange reason), then we can upgrade - # ourselves to a more "partial" member object. - author = self.author - try: - # Update member reference - author._update_from_message(member) # type: ignore - except AttributeError: - # It's a user here - # TODO: consider adding to cache here - self.author = Member._from_message(message=self, data=member) + Raises + ------- + Forbidden + You do not have the proper permissions to publish this message. + HTTPException + Publishing the message failed. + """ - def _handle_mentions(self, mentions: List[UserWithMemberPayload]) -> None: - self.mentions = r = [] - guild = self.guild - state = self._state - if not isinstance(guild, Guild): - self.mentions = [state.store_user(m) for m in mentions] - return + await self._state.http.publish_message(self.channel.id, self.id) - for mention in filter(None, mentions): - id_search = int(mention['id']) - member = guild.get_member(id_search) - if member is not None: - r.append(member) - else: - r.append(Member._try_upgrade(data=mention, guild=guild, state=state)) + async def pin(self, *, reason: Optional[str] = None) -> None: + """|coro| - def _handle_mention_roles(self, role_mentions: List[int]) -> None: - self.role_mentions = [] - if isinstance(self.guild, Guild): - for role_id in map(int, role_mentions): - role = self.guild.get_role(role_id) - if role is not None: - self.role_mentions.append(role) + Pins the message. - def _handle_components(self, components: List[ComponentPayload]): - self.components = [_component_factory(d) for d in components] + You must have the :attr:`~Permissions.manage_messages` permission to do + this in a non-private channel context. - def _rebind_cached_references(self, new_guild: Guild, new_channel: Union[TextChannel, Thread]) -> None: - self.guild = new_guild - self.channel = new_channel + Parameters + ----------- + reason: Optional[:class:`str`] + The reason for pinning the message. Shows up on the audit log. - @utils.cached_slot_property('_cs_raw_mentions') - def raw_mentions(self) -> List[int]: - """List[:class:`int`]: A property that returns an array of user IDs matched with - the syntax of ``<@user_id>`` in the message content. + .. versionadded:: 1.4 - This allows you to receive the user IDs of mentioned users - even in a private message context. + Raises + ------- + Forbidden + You do not have permissions to pin the message. + NotFound + The message or channel was not found or deleted. + HTTPException + Pinning the message failed, probably due to the channel + having more than 50 pinned messages. """ - return [int(x) for x in re.findall(r'<@!?([0-9]{15,20})>', self.content)] - @utils.cached_slot_property('_cs_raw_channel_mentions') - def raw_channel_mentions(self) -> List[int]: - """List[:class:`int`]: A property that returns an array of channel IDs matched with - the syntax of ``<#channel_id>`` in the message content. - """ - return [int(x) for x in re.findall(r'<#([0-9]{15,20})>', self.content)] + await self._state.http.pin_message(self.channel.id, self.id, reason=reason) + # pinned exists on PartialMessage for duck typing purposes + self.pinned = True - @utils.cached_slot_property('_cs_raw_role_mentions') - def raw_role_mentions(self) -> List[int]: - """List[:class:`int`]: A property that returns an array of role IDs matched with - the syntax of ``<@&role_id>`` in the message content. - """ - return [int(x) for x in re.findall(r'<@&([0-9]{15,20})>', self.content)] + async def unpin(self, *, reason: Optional[str] = None) -> None: + """|coro| - @utils.cached_slot_property('_cs_channel_mentions') - def channel_mentions(self) -> List[Union[GuildChannel, Thread]]: - if self.guild is None: - return [] - it = filter(None, map(self.guild._resolve_channel, self.raw_channel_mentions)) - return utils._unique(it) + Unpins the message. - @utils.cached_slot_property('_cs_clean_content') - def clean_content(self) -> str: - """:class:`str`: A property that returns the content in a "cleaned up" - manner. This basically means that mentions are transformed - into the way the client shows it. e.g. ``<#id>`` will transform - into ``#name``. + You must have the :attr:`~Permissions.manage_messages` permission to do + this in a non-private channel context. - This will also transform @everyone and @here mentions into - non-mentions. + Parameters + ----------- + reason: Optional[:class:`str`] + The reason for unpinning the message. Shows up on the audit log. - .. note:: + .. versionadded:: 1.4 - This *does not* affect markdown. If you want to escape - or remove markdown then use :func:`utils.escape_markdown` or :func:`utils.remove_markdown` - respectively, along with this function. + Raises + ------- + Forbidden + You do not have permissions to unpin the message. + NotFound + The message or channel was not found or deleted. + HTTPException + Unpinning the message failed. """ - if self.guild: + await self._state.http.unpin_message(self.channel.id, self.id, reason=reason) + # pinned exists on PartialMessage for duck typing purposes + self.pinned = False - def resolve_member(id: int) -> str: - m = self.guild.get_member(id) or utils.get(self.mentions, id=id) - return f'@{m.display_name}' if m else '@deleted-user' + async def add_reaction(self, emoji: EmojiInputType, /) -> None: + """|coro| - def resolve_role(id: int) -> str: - r = self.guild.get_role(id) or utils.get(self.role_mentions, id=id) - return f'@{r.name}' if r else '@deleted-role' + Adds a reaction to the message. - def resolve_channel(id: int) -> str: - c = self.guild._resolve_channel(id) - return f'#{c.name}' if c else '#deleted-channel' + The emoji may be a unicode emoji or a custom guild :class:`Emoji`. - else: + You must have the :attr:`~Permissions.read_message_history` permission + to use this. If nobody else has reacted to the message using this + emoji, the :attr:`~Permissions.add_reactions` permission is required. - def resolve_member(id: int) -> str: - m = utils.get(self.mentions, id=id) - return f'@{m.display_name}' if m else '@deleted-user' + .. versionchanged:: 2.0 - def resolve_role(id: int) -> str: - return '@deleted-role' + ``emoji`` parameter is now positional-only. - def resolve_channel(id: int) -> str: - return f'#deleted-channel' + .. versionchanged:: 2.0 + This function will now raise :exc:`TypeError` instead of + ``InvalidArgument``. - transforms = { - '@': resolve_member, - '@!': resolve_member, - '#': resolve_channel, - '@&': resolve_role, - } + Parameters + ------------ + emoji: Union[:class:`Emoji`, :class:`Reaction`, :class:`PartialEmoji`, :class:`str`] + The emoji to react with. - def repl(match: re.Match) -> str: - type = match[1] - id = int(match[2]) - transformed = transforms[type](id) - return transformed + Raises + -------- + HTTPException + Adding the reaction failed. + Forbidden + You do not have the proper permissions to react to the message. + NotFound + The emoji you specified was not found. + TypeError + The emoji parameter is invalid. + """ - result = re.sub(r'<(@[!&]?|#)([0-9]{15,20})>', repl, self.content) + emoji = convert_emoji_reaction(emoji) + await self._state.http.add_reaction(self.channel.id, self.id, emoji) - return escape_mentions(result) + async def remove_reaction(self, emoji: Union[EmojiInputType, Reaction], member: Snowflake) -> None: + """|coro| - @property - def created_at(self) -> datetime.datetime: - """:class:`datetime.datetime`: The message's creation time in UTC.""" - return utils.snowflake_time(self.id) + Remove a reaction by the member from the message. - @property - def edited_at(self) -> Optional[datetime.datetime]: - """Optional[:class:`datetime.datetime`]: An aware UTC datetime object containing the edited time of the message.""" - return self._edited_timestamp + The emoji may be a unicode emoji or a custom guild :class:`Emoji`. - @property - def jump_url(self) -> str: - """:class:`str`: Returns a URL that allows the client to jump to this message.""" - guild_id = getattr(self.guild, 'id', '@me') - return f'https://discord.com/channels/{guild_id}/{self.channel.id}/{self.id}' + If the reaction is not your own (i.e. ``member`` parameter is not you) then + the :attr:`~Permissions.manage_messages` permission is needed. - def is_system(self) -> bool: - """:class:`bool`: Whether the message is a system message. + The ``member`` parameter must represent a member and meet + the :class:`abc.Snowflake` abc. - A system message is a message that is constructed entirely by the Discord API - in response to something. + .. versionchanged:: 2.0 + This function will now raise :exc:`TypeError` instead of + ``InvalidArgument``. - .. versionadded:: 1.3 + Parameters + ------------ + emoji: Union[:class:`Emoji`, :class:`Reaction`, :class:`PartialEmoji`, :class:`str`] + The emoji to remove. + member: :class:`abc.Snowflake` + The member for which to remove the reaction. + + Raises + -------- + HTTPException + Removing the reaction failed. + Forbidden + You do not have the proper permissions to remove the reaction. + NotFound + The member or emoji you specified was not found. + TypeError + The emoji parameter is invalid. """ - return self.type not in ( - MessageType.default, - MessageType.reply, - MessageType.application_command, - MessageType.thread_starter_message, - ) - @utils.cached_slot_property('_cs_system_content') - def system_content(self) -> Optional[str]: - r""":class:`str`: A property that returns the content that is rendered - regardless of the :attr:`Message.type`. + emoji = convert_emoji_reaction(emoji) - In the case of :attr:`MessageType.default` and :attr:`MessageType.reply`\, - this just returns the regular :attr:`Message.content`. Otherwise this - returns an English message denoting the contents of the system message. - """ + if member.id == self._state.self_id: + await self._state.http.remove_own_reaction(self.channel.id, self.id, emoji) + else: + await self._state.http.remove_reaction(self.channel.id, self.id, emoji, member.id) - if self.type is MessageType.default: - return self.content + async def clear_reaction(self, emoji: Union[EmojiInputType, Reaction]) -> None: + """|coro| - if self.type is MessageType.recipient_add: - if self.channel.type is ChannelType.group: - return f'{self.author.name} added {self.mentions[0].name} to the group.' - else: - return f'{self.author.name} added {self.mentions[0].name} to the thread.' + Clears a specific reaction from the message. - if self.type is MessageType.recipient_remove: - if self.channel.type is ChannelType.group: - return f'{self.author.name} removed {self.mentions[0].name} from the group.' - else: - return f'{self.author.name} removed {self.mentions[0].name} from the thread.' + The emoji may be a unicode emoji or a custom guild :class:`Emoji`. - if self.type is MessageType.channel_name_change: - return f'{self.author.name} changed the channel name: **{self.content}**' + You need the :attr:`~Permissions.manage_messages` permission to use this. - if self.type is MessageType.channel_icon_change: - return f'{self.author.name} changed the channel icon.' + .. versionadded:: 1.3 - if self.type is MessageType.pins_add: - return f'{self.author.name} pinned a message to this channel.' - - if self.type is MessageType.new_member: - formats = [ - "{0} joined the party.", - "{0} is here.", - "Welcome, {0}. We hope you brought pizza.", - "A wild {0} appeared.", - "{0} just landed.", - "{0} just slid into the server.", - "{0} just showed up!", - "Welcome {0}. Say hi!", - "{0} hopped into the server.", - "Everyone welcome {0}!", - "Glad you're here, {0}.", - "Good to see you, {0}.", - "Yay you made it, {0}!", - ] - - created_at_ms = int(self.created_at.timestamp() * 1000) - return formats[created_at_ms % len(formats)].format(self.author.name) - - if self.type is MessageType.premium_guild_subscription: - if not self.content: - return f'{self.author.name} just boosted the server!' - else: - return f'{self.author.name} just boosted the server **{self.content}** times!' - - if self.type is MessageType.premium_guild_tier_1: - if not self.content: - return f'{self.author.name} just boosted the server! {self.guild} has achieved **Level 1!**' - else: - return f'{self.author.name} just boosted the server **{self.content}** times! {self.guild} has achieved **Level 1!**' - - if self.type is MessageType.premium_guild_tier_2: - if not self.content: - return f'{self.author.name} just boosted the server! {self.guild} has achieved **Level 2!**' - else: - return f'{self.author.name} just boosted the server **{self.content}** times! {self.guild} has achieved **Level 2!**' - - if self.type is MessageType.premium_guild_tier_3: - if not self.content: - return f'{self.author.name} just boosted the server! {self.guild} has achieved **Level 3!**' - else: - return f'{self.author.name} just boosted the server **{self.content}** times! {self.guild} has achieved **Level 3!**' - - if self.type is MessageType.channel_follow_add: - return f'{self.author.name} has added {self.content} to this channel' - - if self.type is MessageType.guild_stream: - # the author will be a Member - return f'{self.author.name} is live! Now streaming {self.author.activity.name}' # type: ignore - - if self.type is MessageType.guild_discovery_disqualified: - return 'This server has been removed from Server Discovery because it no longer passes all the requirements. Check Server Settings for more details.' - - if self.type is MessageType.guild_discovery_requalified: - return 'This server is eligible for Server Discovery again and has been automatically relisted!' + .. versionchanged:: 2.0 + This function will now raise :exc:`TypeError` instead of + ``InvalidArgument``. - if self.type is MessageType.guild_discovery_grace_period_initial_warning: - return 'This server has failed Discovery activity requirements for 1 week. If this server fails for 4 weeks in a row, it will be automatically removed from Discovery.' + Parameters + ----------- + emoji: Union[:class:`Emoji`, :class:`Reaction`, :class:`PartialEmoji`, :class:`str`] + The emoji to clear. - if self.type is MessageType.guild_discovery_grace_period_final_warning: - return 'This server has failed Discovery activity requirements for 3 weeks in a row. If this server fails for 1 more week, it will be removed from Discovery.' + Raises + -------- + HTTPException + Clearing the reaction failed. + Forbidden + You do not have the proper permissions to clear the reaction. + NotFound + The emoji you specified was not found. + TypeError + The emoji parameter is invalid. + """ - if self.type is MessageType.thread_created: - return f'{self.author.name} started a thread: **{self.content}**. See all **threads**.' + emoji = convert_emoji_reaction(emoji) + await self._state.http.clear_single_reaction(self.channel.id, self.id, emoji) - if self.type is MessageType.reply: - return self.content + async def clear_reactions(self) -> None: + """|coro| - if self.type is MessageType.thread_starter_message: - if self.reference is None or self.reference.resolved is None: - return 'Sorry, we couldn\'t load the first message in this thread' + Removes all the reactions from the message. - # the resolved message for the reference will be a Message - return self.reference.resolved.content # type: ignore + You need the :attr:`~Permissions.manage_messages` permission to use this. - if self.type is MessageType.guild_invite_reminder: - return 'Wondering who to invite?\nStart by inviting anyone who can help you build the server!' + Raises + -------- + HTTPException + Removing the reactions failed. + Forbidden + You do not have the proper permissions to remove all the reactions. + """ + await self._state.http.clear_reactions(self.channel.id, self.id) - async def delete(self, *, delay: Optional[float] = None) -> None: + async def create_thread( + self, + *, + name: str, + auto_archive_duration: ThreadArchiveDuration = MISSING, + slowmode_delay: Optional[int] = None, + reason: Optional[str] = None, + ) -> Thread: """|coro| - Deletes the message. + Creates a public thread from this message. - Your own messages could be deleted without any proper permissions. However to - delete other people's messages, you need the :attr:`~Permissions.manage_messages` - permission. + You must have :attr:`~discord.Permissions.create_public_threads` in order to + create a public thread from a message. - .. versionchanged:: 1.1 - Added the new ``delay`` keyword-only parameter. + The channel this message belongs in must be a :class:`TextChannel`. + + .. versionadded:: 2.0 Parameters ----------- - delay: Optional[:class:`float`] - If provided, the number of seconds to wait in the background - before deleting the message. If the deletion fails then it is silently ignored. + name: :class:`str` + The name of the thread. + auto_archive_duration: :class:`int` + The duration in minutes before a thread is automatically archived for inactivity. + If not provided, the channel's default auto archive duration is used. + slowmode_delay: Optional[:class:`int`] + 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``. + reason: Optional[:class:`str`] + The reason for creating a new thread. Shows up on the audit log. Raises - ------ + ------- Forbidden - You do not have proper permissions to delete the message. - NotFound - The message was deleted already + You do not have permissions to create a thread. HTTPException - Deleting the message failed. + Creating the thread failed. + ValueError + This message does not have guild info attached. + + Returns + -------- + :class:`.Thread` + The created thread. """ - if delay is not None: + if self.guild is None: + raise ValueError('This message does not have guild info attached.') - async def delete(delay: float): - await asyncio.sleep(delay) - try: - await self._state.http.delete_message(self.channel.id, self.id) - except HTTPException: - pass + default_auto_archive_duration: ThreadArchiveDuration = getattr(self.channel, 'default_auto_archive_duration', 1440) + data = await self._state.http.start_thread_with_message( + self.channel.id, + self.id, + name=name, + auto_archive_duration=auto_archive_duration or default_auto_archive_duration, + rate_limit_per_user=slowmode_delay, + reason=reason, + ) + return Thread(guild=self.guild, state=self._state, data=data) - asyncio.create_task(delete(delay)) - else: - await self._state.http.delete_message(self.channel.id, self.id) + async def reply(self, content: Optional[str] = None, **kwargs: Any) -> Message: + """|coro| - @overload - async def edit( - self, - *, - content: Optional[str] = ..., - embed: Optional[Embed] = ..., - attachments: Sequence[Union[Attachment, File]] = ..., - suppress: bool = ..., - delete_after: Optional[float] = ..., - allowed_mentions: Optional[AllowedMentions] = ..., - view: Optional[View] = ..., - ) -> Message: - ... + A shortcut method to :meth:`.abc.Messageable.send` to reply to the + :class:`.Message`. - @overload - async def edit( - self, - *, - content: Optional[str] = ..., - embeds: Sequence[Embed] = ..., - attachments: Sequence[Union[Attachment, File]] = ..., - suppress: bool = ..., - delete_after: Optional[float] = ..., - allowed_mentions: Optional[AllowedMentions] = ..., - view: Optional[View] = ..., - ) -> Message: - ... + .. versionadded:: 1.6 - async def edit( - self, - content: Optional[str] = MISSING, - embed: Optional[Embed] = MISSING, - embeds: Sequence[Embed] = MISSING, - attachments: Sequence[Union[Attachment, File]] = MISSING, - suppress: bool = MISSING, - delete_after: Optional[float] = None, - allowed_mentions: Optional[AllowedMentions] = MISSING, - view: Optional[View] = MISSING, - ) -> Message: - """|coro| + .. versionchanged:: 2.0 + This function will now raise :exc:`TypeError` or + :exc:`ValueError` instead of ``InvalidArgument``. - Edits the message. + Raises + -------- + ~discord.HTTPException + Sending the message failed. + ~discord.Forbidden + You do not have the proper permissions to send the message. + ValueError + The ``files`` list is not of the appropriate size + TypeError + You specified both ``file`` and ``files``. - The content must be able to be transformed into a string via ``str(content)``. + Returns + --------- + :class:`.Message` + The message that was sent. + """ - .. versionchanged:: 1.3 - The ``suppress`` keyword-only parameter was added. + return await self.channel.send(content, reference=self, **kwargs) - .. versionchanged:: 2.0 - Edits are no longer in-place, the newly edited message is returned instead. + def to_reference(self, *, fail_if_not_exists: bool = True) -> MessageReference: + """Creates a :class:`~discord.MessageReference` from the current message. - .. versionchanged:: 2.0 - This function will now raise :exc:`TypeError` instead of - ``InvalidArgument``. + .. versionadded:: 1.6 Parameters - ----------- - content: Optional[:class:`str`] - The new content to replace the message with. - Could be ``None`` to remove the content. - embed: Optional[:class:`Embed`] - The new embed to replace the original with. - Could be ``None`` to remove the embed. - embeds: List[:class:`Embed`] - The new embeds to replace the original with. Must be a maximum of 10. - To remove all embeds ``[]`` should be passed. + ---------- + fail_if_not_exists: :class:`bool` + Whether replying using the message reference should raise :class:`HTTPException` + if the message no longer exists or Discord could not fetch the message. - .. versionadded:: 2.0 - attachments: List[Union[:class:`Attachment`, :class:`File`]] - A list of attachments to keep in the message as well as new files to upload. If ``[]`` is passed - then all attachments are removed. + .. versionadded:: 1.7 - .. note:: + Returns + --------- + :class:`~discord.MessageReference` + The reference to this message. + """ - New files will always appear after current attachments. + return MessageReference.from_message(self, fail_if_not_exists=fail_if_not_exists) - .. versionadded:: 2.0 - suppress: :class:`bool` - Whether to suppress embeds for the message. This removes - all the embeds if set to ``True``. If set to ``False`` - this brings the embeds back if they were suppressed. - Using this parameter requires :attr:`~.Permissions.manage_messages`. - delete_after: Optional[:class:`float`] - If provided, the number of seconds to wait in the background - before deleting the message we just edited. If the deletion fails, - then it is silently ignored. - allowed_mentions: Optional[:class:`~discord.AllowedMentions`] - Controls the mentions being processed in this message. If this is - passed, then the object is merged with :attr:`~discord.Client.allowed_mentions`. - The merging behaviour only overrides attributes that have been explicitly passed - to the object, otherwise it uses the attributes set in :attr:`~discord.Client.allowed_mentions`. - If no object is passed at all then the defaults given by :attr:`~discord.Client.allowed_mentions` - are used instead. + def to_message_reference_dict(self) -> MessageReferencePayload: + data: MessageReferencePayload = { + 'message_id': self.id, + 'channel_id': self.channel.id, + } - .. versionadded:: 1.4 - view: Optional[:class:`~discord.ui.View`] - The updated view to update this message with. If ``None`` is passed then - the view is removed. + if self.guild is not None: + data['guild_id'] = self.guild.id - Raises - ------- - HTTPException - Editing the message failed. - Forbidden - Tried to suppress a message without permissions or - edited a message's content or embed that isn't yours. - TypeError - You specified both ``embed`` and ``embeds`` + return data - Returns - -------- - :class:`Message` - The newly edited message. - """ - if content is not MISSING: - previous_allowed_mentions = self._state.allowed_mentions - else: - previous_allowed_mentions = None +@flatten_handlers +class Message(PartialMessage, Hashable): + r"""Represents a message from Discord. - if suppress is not MISSING: - flags = MessageFlags._from_value(self.flags.value) - flags.suppress_embeds = suppress - else: - flags = MISSING + .. container:: operations - if view is not MISSING: - self._state.prevent_view_updates_for(self.id) + .. describe:: x == y - params = handle_message_parameters( - content=content, - flags=flags, - embed=embed, - embeds=embeds, - attachments=attachments, - view=view, - allowed_mentions=allowed_mentions, - previous_allowed_mentions=previous_allowed_mentions, - ) - data = await self._state.http.edit_message(self.channel.id, self.id, params=params) - message = Message(state=self._state, channel=self.channel, data=data) + Checks if two messages are equal. - if view and not view.is_finished(): - self._state.store_view(view, self.id) + .. describe:: x != y - if delete_after is not None: - await self.delete(delay=delete_after) + Checks if two messages are not equal. - return message + .. describe:: hash(x) - async def add_files(self, *files: File) -> Message: - r"""|coro| + Returns the message's hash. - Adds new files to the end of the message attachments. + Attributes + ----------- + tts: :class:`bool` + Specifies if the message was done with text-to-speech. + This can only be accurately received in :func:`on_message` due to + a discord limitation. + type: :class:`MessageType` + The type of message. In most cases this should not be checked, but it is helpful + in cases where it might be a system message for :attr:`system_content`. + author: Union[:class:`Member`, :class:`abc.User`] + A :class:`Member` that sent the message. If :attr:`channel` is a + private channel or the user has the left the guild, then it is a :class:`User` instead. + content: :class:`str` + The actual contents of the message. + nonce: Optional[Union[:class:`str`, :class:`int`]] + The value used by the discord guild and the client to verify that the message is successfully sent. + This is not stored long term within Discord's servers and is only used ephemerally. + embeds: List[:class:`Embed`] + A list of embeds the message has. + channel: Union[:class:`TextChannel`, :class:`Thread`, :class:`DMChannel`, :class:`GroupChannel`, :class:`PartialMessageable`] + The :class:`TextChannel` or :class:`Thread` that the message was sent from. + Could be a :class:`DMChannel` or :class:`GroupChannel` if it's a private message. + reference: Optional[:class:`~discord.MessageReference`] + The message that this message references. This is only applicable to messages of + type :attr:`MessageType.pins_add`, crossposted messages created by a + followed channel integration, or message replies. + + .. versionadded:: 1.5 + + mention_everyone: :class:`bool` + Specifies if the message mentions everyone. + + .. note:: + + This does not check if the ``@everyone`` or the ``@here`` text is in the message itself. + Rather this boolean indicates if either the ``@everyone`` or the ``@here`` text is in the message + **and** it did end up mentioning. + mentions: List[:class:`abc.User`] + A list of :class:`Member` that were mentioned. If the message is in a private message + then the list will be of :class:`User` instead. For messages that are not of type + :attr:`MessageType.default`\, this array can be used to aid in system messages. + For more information, see :attr:`system_content`. + + .. warning:: + + The order of the mentions list is not in any particular order so you should + not rely on it. This is a Discord limitation, not one with the library. + channel_mentions: List[Union[:class:`abc.GuildChannel`, :class:`Thread`]] + A list of :class:`abc.GuildChannel` or :class:`Thread` that were mentioned. If the message is + in a private message then the list is always empty. + role_mentions: List[:class:`Role`] + A list of :class:`Role` that were mentioned. If the message is in a private message + then the list is always empty. + id: :class:`int` + The message ID. + webhook_id: Optional[:class:`int`] + If this message was sent by a webhook, then this is the webhook ID's that sent this + message. + attachments: List[:class:`Attachment`] + A list of attachments given to a message. + pinned: :class:`bool` + Specifies if the message is currently pinned. + flags: :class:`MessageFlags` + Extra features of the message. + + .. versionadded:: 1.3 + + reactions : List[:class:`Reaction`] + Reactions to a message. Reactions can be either custom emoji or standard unicode emoji. + activity: Optional[:class:`dict`] + The activity associated with this message. Sent with Rich-Presence related messages that for + example, request joining, spectating, or listening to or with another member. + + It is a dictionary with the following optional keys: + + - ``type``: An integer denoting the type of message activity being requested. + - ``party_id``: The party ID associated with the party. + application: Optional[:class:`dict`] + The rich presence enabled application associated with this message. + + It is a dictionary with the following keys: + + - ``id``: A string representing the application's ID. + - ``name``: A string representing the application's name. + - ``description``: A string representing the application's description. + - ``icon``: A string representing the icon ID of the application. + - ``cover_image``: A string representing the embed's image asset ID. + stickers: List[:class:`StickerItem`] + A list of sticker items given to the message. + + .. versionadded:: 1.6 + components: List[:class:`Component`] + A list of components in the message. .. versionadded:: 2.0 + guild: Optional[:class:`Guild`] + The guild that the message belongs to, if applicable. + """ - Parameters - ----------- - \*files: :class:`File` - New files to add to the message. + __slots__ = ( + '_state', + '_edited_timestamp', + '_cs_channel_mentions', + '_cs_raw_mentions', + '_cs_clean_content', + '_cs_raw_channel_mentions', + '_cs_raw_role_mentions', + '_cs_system_content', + 'tts', + 'content', + 'channel', + 'webhook_id', + 'mention_everyone', + 'embeds', + 'mentions', + 'author', + 'attachments', + 'nonce', + 'pinned', + 'role_mentions', + 'type', + 'flags', + 'reactions', + 'reference', + 'application', + 'activity', + 'stickers', + 'components', + ) - Raises - ------- - HTTPException - Editing the message failed. - Forbidden - Tried to edit a message that isn't yours. + if TYPE_CHECKING: + _HANDLERS: ClassVar[List[Tuple[str, Callable[..., None]]]] + _CACHED_SLOTS: ClassVar[List[str]] + # guild: Optional[Guild] + reference: Optional[MessageReference] + mentions: List[Union[User, Member]] + author: Union[User, Member] + role_mentions: List[Role] - Returns - -------- - :class:`Message` - The newly edited message. - """ - return await self.edit(attachments=[*self.attachments, *files]) + def __init__( + self, + *, + state: ConnectionState, + channel: MessageableChannel, + data: MessagePayload, + ) -> None: + super().__init__(channel=channel, id=int(data['id'])) + self._state: ConnectionState = state + self.webhook_id: Optional[int] = utils._get_as_snowflake(data, 'webhook_id') + self.reactions: List[Reaction] = [Reaction(message=self, data=d) for d in data.get('reactions', [])] + self.attachments: List[Attachment] = [Attachment(data=a, state=self._state) for a in data['attachments']] + self.embeds: List[Embed] = [Embed.from_dict(a) for a in data['embeds']] + self.application: Optional[MessageApplicationPayload] = data.get('application') + self.activity: Optional[MessageActivityPayload] = data.get('activity') + self.channel: MessageableChannel = channel + self._edited_timestamp: Optional[datetime.datetime] = utils.parse_time(data['edited_timestamp']) + self.type: MessageType = try_enum(MessageType, data['type']) + self.pinned: bool = data['pinned'] + self.flags: MessageFlags = MessageFlags._from_value(data.get('flags', 0)) + self.mention_everyone: bool = data['mention_everyone'] + self.tts: bool = data['tts'] + self.content: str = data['content'] + self.nonce: Optional[Union[int, str]] = data.get('nonce') + self.stickers: List[StickerItem] = [StickerItem(data=d, state=state) for d in data.get('sticker_items', [])] + self.components: List[Component] = [_component_factory(d) for d in data.get('components', [])] - async def remove_attachments(self, *attachments: Attachment) -> Message: - r"""|coro| + try: + # if the channel doesn't have a guild attribute, we handle that + self.guild = channel.guild # type: ignore + except AttributeError: + self.guild = state._get_guild(utils._get_as_snowflake(data, 'guild_id')) - Removes attachments from the message. + try: + ref = data['message_reference'] + except KeyError: + self.reference = None + else: + self.reference = ref = MessageReference.with_state(state, ref) + try: + resolved = data['referenced_message'] + except KeyError: + pass + else: + if resolved is None: + ref.resolved = DeletedReferencedMessage(ref) + else: + # Right now the channel IDs match but maybe in the future they won't. + if ref.channel_id == channel.id: + chan = channel + elif isinstance(channel, Thread) and channel.parent_id == ref.channel_id: + chan = channel + else: + chan, _ = state._get_guild_channel(resolved, ref.guild_id) + + # the channel will be the correct type here + ref.resolved = self.__class__(channel=chan, data=resolved, state=state) # type: ignore + + for handler in ('author', 'member', 'mentions', 'mention_roles'): + try: + getattr(self, f'_handle_{handler}')(data[handler]) + except KeyError: + continue + + def __repr__(self) -> str: + name = self.__class__.__name__ + return ( + f'<{name} id={self.id} channel={self.channel!r} type={self.type!r} author={self.author!r} flags={self.flags!r}>' + ) + + def _try_patch(self, data, key, transform=None) -> None: + try: + value = data[key] + except KeyError: + pass + else: + if transform is None: + setattr(self, key, value) + else: + setattr(self, key, transform(value)) + + def _add_reaction(self, data, emoji, user_id) -> Reaction: + reaction = utils.find(lambda r: r.emoji == emoji, self.reactions) + is_me = data['me'] = user_id == self._state.self_id + + if reaction is None: + reaction = Reaction(message=self, data=data, emoji=emoji) + self.reactions.append(reaction) + else: + reaction.count += 1 + if is_me: + reaction.me = is_me + + return reaction + + def _remove_reaction(self, data: MessageReactionRemoveEvent, emoji: EmojiInputType, user_id: int) -> Reaction: + reaction = utils.find(lambda r: r.emoji == emoji, self.reactions) + + if reaction is None: + # already removed? + raise ValueError('Emoji already removed?') + + # if reaction isn't in the list, we crash. This means discord + # sent bad data, or we stored improperly + reaction.count -= 1 + + if user_id == self._state.self_id: + reaction.me = False + if reaction.count == 0: + # this raises ValueError if something went wrong as well. + self.reactions.remove(reaction) - .. versionadded:: 2.0 + return reaction - Parameters - ----------- - \*attachments: :class:`Attachment` - Attachments to remove from the message. + def _clear_emoji(self, emoji: PartialEmoji) -> Optional[Reaction]: + to_check = str(emoji) + for index, reaction in enumerate(self.reactions): + if str(reaction.emoji) == to_check: + break + else: + # didn't find anything so just return + return - Raises - ------- - HTTPException - Editing the message failed. - Forbidden - Tried to edit a message that isn't yours. + del self.reactions[index] + return reaction - Returns - -------- - :class:`Message` - The newly edited message. - """ - return await self.edit(attachments=[a for a in self.attachments if a not in attachments]) + def _update(self, data: MessageUpdateEvent) -> None: + # In an update scheme, 'author' key has to be handled before 'member' + # otherwise they overwrite each other which is undesirable. + # Since there's no good way to do this we have to iterate over every + # handler rather than iterating over the keys which is a little slower + for key, handler in self._HANDLERS: + try: + value = data[key] + except KeyError: + continue + else: + handler(self, value) - async def publish(self) -> None: - """|coro| + # clear the cached properties + for attr in self._CACHED_SLOTS: + try: + delattr(self, attr) + except AttributeError: + pass - Publishes this message to your announcement channel. + def _handle_edited_timestamp(self, value: str) -> None: + self._edited_timestamp = utils.parse_time(value) - You must have the :attr:`~Permissions.send_messages` permission to do this. + def _handle_pinned(self, value: bool) -> None: + self.pinned = value - If the message is not your own then the :attr:`~Permissions.manage_messages` - permission is also needed. + def _handle_flags(self, value: int) -> None: + self.flags = MessageFlags._from_value(value) - Raises - ------- - Forbidden - You do not have the proper permissions to publish this message. - HTTPException - Publishing the message failed. - """ + def _handle_application(self, value: MessageApplicationPayload) -> None: + self.application = value - await self._state.http.publish_message(self.channel.id, self.id) + def _handle_activity(self, value: MessageActivityPayload) -> None: + self.activity = value - async def pin(self, *, reason: Optional[str] = None) -> None: - """|coro| + def _handle_mention_everyone(self, value: bool) -> None: + self.mention_everyone = value - Pins the message. + def _handle_tts(self, value: bool) -> None: + self.tts = value - You must have the :attr:`~Permissions.manage_messages` permission to do - this in a non-private channel context. + def _handle_type(self, value: int) -> None: + self.type = try_enum(MessageType, value) - Parameters - ----------- - reason: Optional[:class:`str`] - The reason for pinning the message. Shows up on the audit log. + def _handle_content(self, value: str) -> None: + self.content = value - .. versionadded:: 1.4 + def _handle_attachments(self, value: List[AttachmentPayload]) -> None: + self.attachments = [Attachment(data=a, state=self._state) for a in value] - Raises - ------- - Forbidden - You do not have permissions to pin the message. - NotFound - The message or channel was not found or deleted. - HTTPException - Pinning the message failed, probably due to the channel - having more than 50 pinned messages. - """ + def _handle_embeds(self, value: List[EmbedPayload]) -> None: + self.embeds = [Embed.from_dict(data) for data in value] - await self._state.http.pin_message(self.channel.id, self.id, reason=reason) - self.pinned = True + def _handle_nonce(self, value: Union[str, int]) -> None: + self.nonce = value - async def unpin(self, *, reason: Optional[str] = None) -> None: - """|coro| + def _handle_author(self, author: UserPayload) -> None: + self.author = self._state.store_user(author) + if isinstance(self.guild, Guild): + found = self.guild.get_member(self.author.id) + if found is not None: + self.author = found - Unpins the message. + def _handle_member(self, member: MemberPayload) -> None: + # The gateway now gives us full Member objects sometimes with the following keys + # deaf, mute, joined_at, roles + # For the sake of performance I'm going to assume that the only + # field that needs *updating* would be the joined_at field. + # If there is no Member object (for some strange reason), then we can upgrade + # ourselves to a more "partial" member object. + author = self.author + try: + # Update member reference + author._update_from_message(member) # type: ignore + except AttributeError: + # It's a user here + # TODO: consider adding to cache here + self.author = Member._from_message(message=self, data=member) - You must have the :attr:`~Permissions.manage_messages` permission to do - this in a non-private channel context. + def _handle_mentions(self, mentions: List[UserWithMemberPayload]) -> None: + self.mentions = r = [] + guild = self.guild + state = self._state + if not isinstance(guild, Guild): + self.mentions = [state.store_user(m) for m in mentions] + return - Parameters - ----------- - reason: Optional[:class:`str`] - The reason for unpinning the message. Shows up on the audit log. + for mention in filter(None, mentions): + id_search = int(mention['id']) + member = guild.get_member(id_search) + if member is not None: + r.append(member) + else: + r.append(Member._try_upgrade(data=mention, guild=guild, state=state)) - .. versionadded:: 1.4 + def _handle_mention_roles(self, role_mentions: List[int]) -> None: + self.role_mentions = [] + if isinstance(self.guild, Guild): + for role_id in map(int, role_mentions): + role = self.guild.get_role(role_id) + if role is not None: + self.role_mentions.append(role) - Raises - ------- - Forbidden - You do not have permissions to unpin the message. - NotFound - The message or channel was not found or deleted. - HTTPException - Unpinning the message failed. - """ + def _handle_components(self, components: List[ComponentPayload]): + self.components = [_component_factory(d) for d in components] - await self._state.http.unpin_message(self.channel.id, self.id, reason=reason) - self.pinned = False + def _rebind_cached_references(self, new_guild: Guild, new_channel: Union[TextChannel, Thread]) -> None: + self.guild = new_guild + self.channel = new_channel - async def add_reaction(self, emoji: EmojiInputType, /) -> None: - """|coro| + @utils.cached_slot_property('_cs_raw_mentions') + def raw_mentions(self) -> List[int]: + """List[:class:`int`]: A property that returns an array of user IDs matched with + the syntax of ``<@user_id>`` in the message content. - Adds a reaction to the message. + This allows you to receive the user IDs of mentioned users + even in a private message context. + """ + return [int(x) for x in re.findall(r'<@!?([0-9]{15,20})>', self.content)] - The emoji may be a unicode emoji or a custom guild :class:`Emoji`. + @utils.cached_slot_property('_cs_raw_channel_mentions') + def raw_channel_mentions(self) -> List[int]: + """List[:class:`int`]: A property that returns an array of channel IDs matched with + the syntax of ``<#channel_id>`` in the message content. + """ + return [int(x) for x in re.findall(r'<#([0-9]{15,20})>', self.content)] - You must have the :attr:`~Permissions.read_message_history` permission - to use this. If nobody else has reacted to the message using this - emoji, the :attr:`~Permissions.add_reactions` permission is required. + @utils.cached_slot_property('_cs_raw_role_mentions') + def raw_role_mentions(self) -> List[int]: + """List[:class:`int`]: A property that returns an array of role IDs matched with + the syntax of ``<@&role_id>`` in the message content. + """ + return [int(x) for x in re.findall(r'<@&([0-9]{15,20})>', self.content)] - .. versionchanged:: 2.0 + @utils.cached_slot_property('_cs_channel_mentions') + def channel_mentions(self) -> List[Union[GuildChannel, Thread]]: + if self.guild is None: + return [] + it = filter(None, map(self.guild._resolve_channel, self.raw_channel_mentions)) + return utils._unique(it) - ``emoji`` parameter is now positional-only. + @utils.cached_slot_property('_cs_clean_content') + def clean_content(self) -> str: + """:class:`str`: A property that returns the content in a "cleaned up" + manner. This basically means that mentions are transformed + into the way the client shows it. e.g. ``<#id>`` will transform + into ``#name``. - .. versionchanged:: 2.0 - This function will now raise :exc:`TypeError` instead of - ``InvalidArgument``. + This will also transform @everyone and @here mentions into + non-mentions. - Parameters - ------------ - emoji: Union[:class:`Emoji`, :class:`Reaction`, :class:`PartialEmoji`, :class:`str`] - The emoji to react with. + .. note:: - Raises - -------- - HTTPException - Adding the reaction failed. - Forbidden - You do not have the proper permissions to react to the message. - NotFound - The emoji you specified was not found. - TypeError - The emoji parameter is invalid. + This *does not* affect markdown. If you want to escape + or remove markdown then use :func:`utils.escape_markdown` or :func:`utils.remove_markdown` + respectively, along with this function. """ - emoji = convert_emoji_reaction(emoji) - await self._state.http.add_reaction(self.channel.id, self.id, emoji) + if self.guild: - async def remove_reaction(self, emoji: Union[EmojiInputType, Reaction], member: Snowflake) -> None: - """|coro| + def resolve_member(id: int) -> str: + m = self.guild.get_member(id) or utils.get(self.mentions, id=id) # type: ignore + return f'@{m.display_name}' if m else '@deleted-user' - Remove a reaction by the member from the message. + def resolve_role(id: int) -> str: + r = self.guild.get_role(id) or utils.get(self.role_mentions, id=id) # type: ignore + return f'@{r.name}' if r else '@deleted-role' - The emoji may be a unicode emoji or a custom guild :class:`Emoji`. + def resolve_channel(id: int) -> str: + c = self.guild._resolve_channel(id) # type: ignore + return f'#{c.name}' if c else '#deleted-channel' - If the reaction is not your own (i.e. ``member`` parameter is not you) then - the :attr:`~Permissions.manage_messages` permission is needed. + else: + + def resolve_member(id: int) -> str: + m = utils.get(self.mentions, id=id) + return f'@{m.display_name}' if m else '@deleted-user' - The ``member`` parameter must represent a member and meet - the :class:`abc.Snowflake` abc. + def resolve_role(id: int) -> str: + return '@deleted-role' - .. versionchanged:: 2.0 - This function will now raise :exc:`TypeError` instead of - ``InvalidArgument``. + def resolve_channel(id: int) -> str: + return f'#deleted-channel' - Parameters - ------------ - emoji: Union[:class:`Emoji`, :class:`Reaction`, :class:`PartialEmoji`, :class:`str`] - The emoji to remove. - member: :class:`abc.Snowflake` - The member for which to remove the reaction. + transforms = { + '@': resolve_member, + '@!': resolve_member, + '#': resolve_channel, + '@&': resolve_role, + } - Raises - -------- - HTTPException - Removing the reaction failed. - Forbidden - You do not have the proper permissions to remove the reaction. - NotFound - The member or emoji you specified was not found. - TypeError - The emoji parameter is invalid. - """ + def repl(match: re.Match) -> str: + type = match[1] + id = int(match[2]) + transformed = transforms[type](id) + return transformed - emoji = convert_emoji_reaction(emoji) + result = re.sub(r'<(@[!&]?|#)([0-9]{15,20})>', repl, self.content) - if member.id == self._state.self_id: - await self._state.http.remove_own_reaction(self.channel.id, self.id, emoji) - else: - await self._state.http.remove_reaction(self.channel.id, self.id, emoji, member.id) + return escape_mentions(result) - async def clear_reaction(self, emoji: Union[EmojiInputType, Reaction]) -> None: - """|coro| + @property + def created_at(self) -> datetime.datetime: + """:class:`datetime.datetime`: The message's creation time in UTC.""" + return utils.snowflake_time(self.id) - Clears a specific reaction from the message. + @property + def edited_at(self) -> Optional[datetime.datetime]: + """Optional[:class:`datetime.datetime`]: An aware UTC datetime object containing the edited time of the message.""" + return self._edited_timestamp - The emoji may be a unicode emoji or a custom guild :class:`Emoji`. + def is_system(self) -> bool: + """:class:`bool`: Whether the message is a system message. - You need the :attr:`~Permissions.manage_messages` permission to use this. + A system message is a message that is constructed entirely by the Discord API + in response to something. .. versionadded:: 1.3 + """ + return self.type not in ( + MessageType.default, + MessageType.reply, + MessageType.application_command, + MessageType.thread_starter_message, + ) - .. versionchanged:: 2.0 - This function will now raise :exc:`TypeError` instead of - ``InvalidArgument``. - - Parameters - ----------- - emoji: Union[:class:`Emoji`, :class:`Reaction`, :class:`PartialEmoji`, :class:`str`] - The emoji to clear. + @utils.cached_slot_property('_cs_system_content') + def system_content(self) -> Optional[str]: + r""":class:`str`: A property that returns the content that is rendered + regardless of the :attr:`Message.type`. - Raises - -------- - HTTPException - Clearing the reaction failed. - Forbidden - You do not have the proper permissions to clear the reaction. - NotFound - The emoji you specified was not found. - TypeError - The emoji parameter is invalid. + In the case of :attr:`MessageType.default` and :attr:`MessageType.reply`\, + this just returns the regular :attr:`Message.content`. Otherwise this + returns an English message denoting the contents of the system message. """ - emoji = convert_emoji_reaction(emoji) - await self._state.http.clear_single_reaction(self.channel.id, self.id, emoji) + if self.type is MessageType.default: + return self.content - async def clear_reactions(self) -> None: - """|coro| + if self.type is MessageType.recipient_add: + if self.channel.type is ChannelType.group: + return f'{self.author.name} added {self.mentions[0].name} to the group.' + else: + return f'{self.author.name} added {self.mentions[0].name} to the thread.' - Removes all the reactions from the message. + if self.type is MessageType.recipient_remove: + if self.channel.type is ChannelType.group: + return f'{self.author.name} removed {self.mentions[0].name} from the group.' + else: + return f'{self.author.name} removed {self.mentions[0].name} from the thread.' - You need the :attr:`~Permissions.manage_messages` permission to use this. + if self.type is MessageType.channel_name_change: + return f'{self.author.name} changed the channel name: **{self.content}**' - Raises - -------- - HTTPException - Removing the reactions failed. - Forbidden - You do not have the proper permissions to remove all the reactions. - """ - await self._state.http.clear_reactions(self.channel.id, self.id) + if self.type is MessageType.channel_icon_change: + return f'{self.author.name} changed the channel icon.' - async def create_thread( - self, - *, - name: str, - auto_archive_duration: ThreadArchiveDuration = MISSING, - slowmode_delay: Optional[int] = None, - reason: Optional[str] = None, - ) -> Thread: - """|coro| + if self.type is MessageType.pins_add: + return f'{self.author.name} pinned a message to this channel.' - Creates a public thread from this message. + if self.type is MessageType.new_member: + formats = [ + "{0} joined the party.", + "{0} is here.", + "Welcome, {0}. We hope you brought pizza.", + "A wild {0} appeared.", + "{0} just landed.", + "{0} just slid into the server.", + "{0} just showed up!", + "Welcome {0}. Say hi!", + "{0} hopped into the server.", + "Everyone welcome {0}!", + "Glad you're here, {0}.", + "Good to see you, {0}.", + "Yay you made it, {0}!", + ] - You must have :attr:`~discord.Permissions.create_public_threads` in order to - create a public thread from a message. + created_at_ms = int(self.created_at.timestamp() * 1000) + return formats[created_at_ms % len(formats)].format(self.author.name) - The channel this message belongs in must be a :class:`TextChannel`. + if self.type is MessageType.premium_guild_subscription: + if not self.content: + return f'{self.author.name} just boosted the server!' + else: + return f'{self.author.name} just boosted the server **{self.content}** times!' - .. versionadded:: 2.0 + if self.type is MessageType.premium_guild_tier_1: + if not self.content: + return f'{self.author.name} just boosted the server! {self.guild} has achieved **Level 1!**' + else: + return f'{self.author.name} just boosted the server **{self.content}** times! {self.guild} has achieved **Level 1!**' - Parameters - ----------- - name: :class:`str` - The name of the thread. - auto_archive_duration: :class:`int` - The duration in minutes before a thread is automatically archived for inactivity. - If not provided, the channel's default auto archive duration is used. - slowmode_delay: Optional[:class:`int`] - 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``. - reason: Optional[:class:`str`] - The reason for creating a new thread. Shows up on the audit log. + if self.type is MessageType.premium_guild_tier_2: + if not self.content: + return f'{self.author.name} just boosted the server! {self.guild} has achieved **Level 2!**' + else: + return f'{self.author.name} just boosted the server **{self.content}** times! {self.guild} has achieved **Level 2!**' - Raises - ------- - Forbidden - You do not have permissions to create a thread. - HTTPException - Creating the thread failed. - ValueError - This message does not have guild info attached. + if self.type is MessageType.premium_guild_tier_3: + if not self.content: + return f'{self.author.name} just boosted the server! {self.guild} has achieved **Level 3!**' + else: + return f'{self.author.name} just boosted the server **{self.content}** times! {self.guild} has achieved **Level 3!**' - Returns - -------- - :class:`.Thread` - The created thread. - """ - if self.guild is None: - raise ValueError('This message does not have guild info attached.') + if self.type is MessageType.channel_follow_add: + return f'{self.author.name} has added {self.content} to this channel' - default_auto_archive_duration: ThreadArchiveDuration = getattr(self.channel, 'default_auto_archive_duration', 1440) - data = await self._state.http.start_thread_with_message( - self.channel.id, - self.id, - name=name, - auto_archive_duration=auto_archive_duration or default_auto_archive_duration, - rate_limit_per_user=slowmode_delay, - reason=reason, - ) - return Thread(guild=self.guild, state=self._state, data=data) + if self.type is MessageType.guild_stream: + # the author will be a Member + return f'{self.author.name} is live! Now streaming {self.author.activity.name}' # type: ignore - async def reply(self, content: Optional[str] = None, **kwargs: Any) -> Message: - """|coro| + if self.type is MessageType.guild_discovery_disqualified: + return 'This server has been removed from Server Discovery because it no longer passes all the requirements. Check Server Settings for more details.' - A shortcut method to :meth:`.abc.Messageable.send` to reply to the - :class:`.Message`. + if self.type is MessageType.guild_discovery_requalified: + return 'This server is eligible for Server Discovery again and has been automatically relisted!' - .. versionadded:: 1.6 + if self.type is MessageType.guild_discovery_grace_period_initial_warning: + return 'This server has failed Discovery activity requirements for 1 week. If this server fails for 4 weeks in a row, it will be automatically removed from Discovery.' - .. versionchanged:: 2.0 - This function will now raise :exc:`TypeError` or - :exc:`ValueError` instead of ``InvalidArgument``. + if self.type is MessageType.guild_discovery_grace_period_final_warning: + return 'This server has failed Discovery activity requirements for 3 weeks in a row. If this server fails for 1 more week, it will be removed from Discovery.' - Raises - -------- - ~discord.HTTPException - Sending the message failed. - ~discord.Forbidden - You do not have the proper permissions to send the message. - ValueError - The ``files`` list is not of the appropriate size - TypeError - You specified both ``file`` and ``files``. + if self.type is MessageType.thread_created: + return f'{self.author.name} started a thread: **{self.content}**. See all **threads**.' + + if self.type is MessageType.reply: + return self.content + + if self.type is MessageType.thread_starter_message: + if self.reference is None or self.reference.resolved is None: + return 'Sorry, we couldn\'t load the first message in this thread' - Returns - --------- - :class:`.Message` - The message that was sent. - """ + # the resolved message for the reference will be a Message + return self.reference.resolved.content # type: ignore - return await self.channel.send(content, reference=self, **kwargs) + if self.type is MessageType.guild_invite_reminder: + return 'Wondering who to invite?\nStart by inviting anyone who can help you build the server!' - def to_reference(self, *, fail_if_not_exists: bool = True) -> MessageReference: - """Creates a :class:`~discord.MessageReference` from the current message. + @overload + async def edit( + self, + *, + content: Optional[str] = ..., + embed: Optional[Embed] = ..., + attachments: Sequence[Union[Attachment, File]] = ..., + suppress: bool = ..., + delete_after: Optional[float] = ..., + allowed_mentions: Optional[AllowedMentions] = ..., + view: Optional[View] = ..., + ) -> Message: + ... - .. versionadded:: 1.6 + @overload + async def edit( + self, + *, + content: Optional[str] = ..., + embeds: Sequence[Embed] = ..., + attachments: Sequence[Union[Attachment, File]] = ..., + suppress: bool = ..., + delete_after: Optional[float] = ..., + allowed_mentions: Optional[AllowedMentions] = ..., + view: Optional[View] = ..., + ) -> Message: + ... - Parameters - ---------- - fail_if_not_exists: :class:`bool` - Whether replying using the message reference should raise :class:`HTTPException` - if the message no longer exists or Discord could not fetch the message. + async def edit( + self, + content: Optional[str] = MISSING, + embed: Optional[Embed] = MISSING, + embeds: Sequence[Embed] = MISSING, + attachments: Sequence[Union[Attachment, File]] = MISSING, + suppress: bool = False, + delete_after: Optional[float] = None, + allowed_mentions: Optional[AllowedMentions] = MISSING, + view: Optional[View] = MISSING, + ) -> Message: + """|coro| - .. versionadded:: 1.7 + Edits the message. - Returns - --------- - :class:`~discord.MessageReference` - The reference to this message. - """ + The content must be able to be transformed into a string via ``str(content)``. - return MessageReference.from_message(self, fail_if_not_exists=fail_if_not_exists) + .. versionchanged:: 1.3 + The ``suppress`` keyword-only parameter was added. - def to_message_reference_dict(self) -> MessageReferencePayload: - data: MessageReferencePayload = { - 'message_id': self.id, - 'channel_id': self.channel.id, - } + .. versionchanged:: 2.0 + Edits are no longer in-place, the newly edited message is returned instead. - if self.guild is not None: - data['guild_id'] = self.guild.id + .. versionchanged:: 2.0 + This function will now raise :exc:`TypeError` instead of + ``InvalidArgument``. - return data + Parameters + ----------- + content: Optional[:class:`str`] + The new content to replace the message with. + Could be ``None`` to remove the content. + embed: Optional[:class:`Embed`] + The new embed to replace the original with. + Could be ``None`` to remove the embed. + embeds: List[:class:`Embed`] + The new embeds to replace the original with. Must be a maximum of 10. + To remove all embeds ``[]`` should be passed. + .. versionadded:: 2.0 + attachments: List[Union[:class:`Attachment`, :class:`File`]] + A list of attachments to keep in the message as well as new files to upload. If ``[]`` is passed + then all attachments are removed. -class PartialMessage(Hashable): - """Represents a partial message to aid with working messages when only - a message and channel ID are present. + .. note:: - There are two ways to construct this class. The first one is through - the constructor itself, and the second is via the following: + New files will always appear after current attachments. - - :meth:`TextChannel.get_partial_message` - - :meth:`Thread.get_partial_message` - - :meth:`DMChannel.get_partial_message` + .. versionadded:: 2.0 + suppress: :class:`bool` + Whether to suppress embeds for the message. This removes + all the embeds if set to ``True``. If set to ``False`` + this brings the embeds back if they were suppressed. + Using this parameter requires :attr:`~.Permissions.manage_messages`. + delete_after: Optional[:class:`float`] + If provided, the number of seconds to wait in the background + before deleting the message we just edited. If the deletion fails, + then it is silently ignored. + allowed_mentions: Optional[:class:`~discord.AllowedMentions`] + Controls the mentions being processed in this message. If this is + passed, then the object is merged with :attr:`~discord.Client.allowed_mentions`. + The merging behaviour only overrides attributes that have been explicitly passed + to the object, otherwise it uses the attributes set in :attr:`~discord.Client.allowed_mentions`. + If no object is passed at all then the defaults given by :attr:`~discord.Client.allowed_mentions` + are used instead. - Note that this class is trimmed down and has no rich attributes. + .. versionadded:: 1.4 + view: Optional[:class:`~discord.ui.View`] + The updated view to update this message with. If ``None`` is passed then + the view is removed. - .. versionadded:: 1.6 + Raises + ------- + HTTPException + Editing the message failed. + Forbidden + Tried to suppress a message without permissions or + edited a message's content or embed that isn't yours. + TypeError + You specified both ``embed`` and ``embeds`` - .. container:: operations + Returns + -------- + :class:`Message` + The newly edited message. + """ - .. describe:: x == y + if content is not MISSING: + previous_allowed_mentions = self._state.allowed_mentions + else: + previous_allowed_mentions = None - Checks if two partial messages are equal. + if suppress is not MISSING: + flags = MessageFlags._from_value(self.flags.value) + flags.suppress_embeds = suppress + else: + flags = MISSING - .. describe:: x != y + if view is not MISSING: + self._state.prevent_view_updates_for(self.id) - Checks if two partial messages are not equal. + params = handle_message_parameters( + content=content, + flags=flags, + embed=embed, + embeds=embeds, + attachments=attachments, + view=view, + allowed_mentions=allowed_mentions, + previous_allowed_mentions=previous_allowed_mentions, + ) + data = await self._state.http.edit_message(self.channel.id, self.id, params=params) + message = Message(state=self._state, channel=self.channel, data=data) - .. describe:: hash(x) + if view and not view.is_finished(): + self._state.store_view(view, self.id) - Returns the partial message's hash. + if delete_after is not None: + await self.delete(delay=delete_after) - Attributes - ----------- - channel: Union[:class:`PartialMessageable`, :class:`TextChannel`, :class:`Thread`, :class:`DMChannel`] - The channel associated with this partial message. - id: :class:`int` - The message ID. - """ + return message - __slots__ = ('channel', 'id', '_cs_guild', '_state') - - jump_url: str = Message.jump_url # type: ignore - edit = Message.edit - add_files = Message.add_files - remove_attachments = Message.remove_attachments - delete = Message.delete - publish = Message.publish - pin = Message.pin - unpin = Message.unpin - add_reaction = Message.add_reaction - remove_reaction = Message.remove_reaction - clear_reaction = Message.clear_reaction - clear_reactions = Message.clear_reactions - reply = Message.reply - to_reference = Message.to_reference - to_message_reference_dict = Message.to_message_reference_dict - - def __init__(self, *, channel: PartialMessageableChannel, id: int): - if not isinstance(channel, PartialMessageable) and channel.type not in ( - ChannelType.text, - ChannelType.news, - ChannelType.private, - ChannelType.news_thread, - ChannelType.public_thread, - ChannelType.private_thread, - ): - raise TypeError(f'Expected PartialMessageable, TextChannel, DMChannel or Thread not {type(channel)!r}') + async def add_files(self, *files: File) -> Message: + r"""|coro| - self.channel: PartialMessageableChannel = channel - self._state: ConnectionState = channel._state - self.id: int = id + Adds new files to the end of the message attachments. - def _update(self, data) -> None: - # This is used for duck typing purposes. - # Just do nothing with the data. - pass + .. versionadded:: 2.0 - # Also needed for duck typing purposes - # n.b. not exposed - pinned: Any = property(None, lambda x, y: None) + Parameters + ----------- + \*files: :class:`File` + New files to add to the message. - def __repr__(self) -> str: - return f'' + Raises + ------- + HTTPException + Editing the message failed. + Forbidden + Tried to edit a message that isn't yours. - @property - def created_at(self) -> datetime.datetime: - """:class:`datetime.datetime`: The partial message's creation time in UTC.""" - return utils.snowflake_time(self.id) + Returns + -------- + :class:`Message` + The newly edited message. + """ + return await self.edit(attachments=[*self.attachments, *files]) - @utils.cached_slot_property('_cs_guild') - def guild(self) -> Optional[Guild]: - """Optional[:class:`Guild`]: The guild that the partial message belongs to, if applicable.""" - return getattr(self.channel, 'guild', None) + async def remove_attachments(self, *attachments: Attachment) -> Message: + r"""|coro| - async def fetch(self) -> Message: - """|coro| + Removes attachments from the message. - Fetches the partial message to a full :class:`Message`. + .. versionadded:: 2.0 + + Parameters + ----------- + \*attachments: :class:`Attachment` + Attachments to remove from the message. Raises - -------- - NotFound - The message was not found. - Forbidden - You do not have the permissions required to get a message. + ------- HTTPException - Retrieving the message failed. + Editing the message failed. + Forbidden + Tried to edit a message that isn't yours. Returns -------- :class:`Message` - The full message. + The newly edited message. """ - - data = await self._state.http.get_message(self.channel.id, self.id) - return self._state.create_message(channel=self.channel, data=data) + return await self.edit(attachments=[a for a in self.attachments if a not in attachments]) diff --git a/docs/api.rst b/docs/api.rst index 09a2c7fe8..f9f33ad92 100644 --- a/docs/api.rst +++ b/docs/api.rst @@ -3564,6 +3564,7 @@ Message .. autoclass:: Message() :members: + :inherited-members: DeletedReferencedMessage ~~~~~~~~~~~~~~~~~~~~~~~~~