I am currently working for my own discord bot (Rock paper scissors game)
async def rps(ctx) :
comp = rpslist[random.randint(0,2)]
yet = discord.Embed(title=f"{ctx.message.author}'s Rock Paper Scissors {comp} Game!", description="Click on a button to start! Respond in 15 seconds.", color=0xFFEA00)
win = discord.Embed(title=f"{ctx.message.author} won!", description = f"I have chosen {comp}.", color = 0x17ff0f)
out = discord.Embed(title=f"{ctx.message.author}, you didn't respond in time!", description = "Make sure to click faster next time!")
lose = discord.Embed(title=f"A bot is better than you.", description = f"I have chosen {comp}.", color = 0xff0000)
tie = discord.Embed(title=f"You have the same level of cleverness as this bot", description = f"I chose {comp}.")
m = await ctx.send(
embed = yet,
components = [Button(style=1, label = "Rock"), Button(style=3, label = "Paper"), Button(style=ButtonStyle.red, label="Scissors")])
def check(res):
return ctx.message.author == res.user and res.channel == ctx.channel
try:
res = await client.wait_for("button_click", check=check, timeout=15)
player = res.component.label
if player == comp:
await m.edit(embed=tie, components=[Button(label="Round ended", disabled=True)])
elif player == "Rock" and comp == "Paper":
await m.edit(embed=lose, components=[Button(label="Round ended", disabled=True)])
elif player == "Rock" and comp == "Scissors":
await m.edit(embed=win, components=[Button(label="Round ended", disabled=True)])
elif player == "Paper" and comp == "Rock":
await m.edit(embed=win, components=[Button(label="Round ended", disabled=True)])
elif player == "Paper" and comp == "Scissors":
await m.edit(embed=lose, components=[Button(label="Round ended", disabled=True)])
elif player == "Scissors" and comp == "Rock":
await m.edit(embed=lose, components=[Button(label="Round ended", disabled=True)])
elif player == "Scissors" and comp == "Paper":
await m.edit(embed=win, components=[Button(label="Round ended", disabled=True)])
except TimeoutError:
await m.edit(embed=out, components=[Button(label="Round ended", disabled=True)])
I have already tried to catch the Timeout error but apparently it does not. Is there something I need to add or to delete it?
Note: All the buttons work within that 15 seconds, but after the 15 seconds it does not work.
The following section outlines the API of discord.py.
Note
This module uses the Python logging module to log diagnostic and errors
in an output independent way. If the logging module is not configured,
these logs will not be output anywhere. See Setting Up Logging for
more information on how to set up and use the logging module with
discord.py.
Clients¶
Client¶
Attributes
- activity
- allowed_mentions
- application
- application_flags
- application_id
- cached_messages
- emojis
- guilds
- intents
- latency
- persistent_views
- private_channels
- status
- stickers
- user
- users
- voice_clients
- ws
Methods
-
defadd_view -
asyncapplication_info -
asyncbefore_identify_hook -
asyncchange_presence -
defclear -
asyncclose -
asyncconnect -
asynccreate_dm -
asynccreate_guild -
asyncdelete_invite -
@event -
asyncfetch_channel -
asyncfetch_guild -
async forfetch_guilds -
asyncfetch_invite -
asyncfetch_premium_sticker_packs -
asyncfetch_stage_instance -
asyncfetch_sticker -
asyncfetch_template -
asyncfetch_user -
asyncfetch_webhook -
asyncfetch_widget -
defget_all_channels -
defget_all_members -
defget_channel -
defget_emoji -
defget_guild -
defget_partial_messageable -
defget_stage_instance -
defget_sticker -
defget_user -
defis_closed -
defis_ready -
defis_ws_ratelimited -
asynclogin -
asyncon_error -
defrun -
asyncsetup_hook -
asyncstart -
asyncwait_for -
asyncwait_until_ready
- class discord.Client(*, intents, **options)¶
-
Represents a client connection that connects to Discord.
This class is used to interact with the Discord WebSocket and API.- async with x
-
Asynchronously initialises the client and automatically cleans up.
New in version 2.0.
A number of options can be passed to the
Client
.- Parameters
-
-
max_messages (Optional[
int
]) –The maximum number of messages to store in the internal message cache.
This defaults to1000
. Passing inNone
disables the message cache.Changed in version 1.3: Allow disabling the message cache and change the default size to
1000
. -
proxy (Optional[
str
]) – Proxy URL. -
proxy_auth (Optional[
aiohttp.BasicAuth
]) – An object that represents proxy HTTP Basic Authorization. -
shard_id (Optional[
int
]) – Integer starting at0
and less thanshard_count
. -
shard_count (Optional[
int
]) – The total number of shards. -
application_id (
int
) – The client’s application ID. -
intents (
Intents
) –The intents that you want to enable for the session. This is a way of
disabling and enabling certain gateway events from triggering and being sent.New in version 1.5.
Changed in version 2.0: Parameter is now required.
-
member_cache_flags (
MemberCacheFlags
) –Allows for finer control over how the library caches members.
If not given, defaults to cache as much as possible with the
currently selected intents.New in version 1.5.
-
chunk_guilds_at_startup (
bool
) –Indicates if
on_ready()
should be delayed to chunk all guilds
at start-up if necessary. This operation is incredibly slow for large
amounts of guilds. The default isTrue
ifIntents.members
isTrue
.New in version 1.5.
-
status (Optional[
Status
]) – A status to start your presence with upon logging on to Discord. -
activity (Optional[
BaseActivity
]) – An activity to start your presence with upon logging on to Discord. -
allowed_mentions (Optional[
AllowedMentions
]) –Control how the client handles mentions by default on every message sent.
New in version 1.4.
-
heartbeat_timeout (
float
) – The maximum numbers of seconds before timing out and restarting the
WebSocket in the case of not receiving a HEARTBEAT_ACK. Useful if
processing the initial packets take too long to the point of disconnecting
you. The default timeout is 60 seconds. -
guild_ready_timeout (
float
) –The maximum number of seconds to wait for the GUILD_CREATE stream to end before
preparing the member cache and firing READY. The default timeout is 2 seconds.New in version 1.4.
-
assume_unsync_clock (
bool
) –Whether to assume the system clock is unsynced. This applies to the ratelimit handling
code. If this is set toTrue
, the default, then the library uses the time to reset
a rate limit bucket given by Discord. If this isFalse
then your system clock is
used to calculate how long to sleep for. If this is set toFalse
it is recommended to
sync your system clock to Google’s NTP server.New in version 1.3.
-
enable_debug_events (
bool
) –Whether to enable events that are useful only for debugging gateway related information.
Right now this involves
on_socket_raw_receive()
andon_socket_raw_send()
. If
this isFalse
then those events will not be dispatched (due to performance considerations).
To enable these events, this must be set toTrue
. Defaults toFalse
.New in version 2.0.
-
http_trace (
aiohttp.TraceConfig
) –The trace configuration to use for tracking HTTP requests the library does using
aiohttp
.
This allows you to check requests the library is using. For more information, check the
aiohttp documentation.New in version 2.0.
-
max_ratelimit_timeout (Optional[
float
]) –The maximum number of seconds to wait when a non-global rate limit is encountered.
If a request requires sleeping for more than the seconds passed in, then
RateLimited
will be raised. By default, there is no timeout limit.
In order to prevent misuse and unnecessary bans, the minimum value this can be
set to is30.0
seconds.New in version 2.0.
-
- ws¶
-
The websocket gateway the client is currently connected to. Could be
None
.
- @event¶
-
A decorator that registers an event to listen to.
You can find more info about the events on the documentation below.
The events must be a coroutine, if not,
TypeError
is raised.Example
@client.event async def on_ready(): print('Ready!')
Changed in version 2.0:
coro
parameter is now positional-only.- Raises
-
TypeError – The coroutine passed is not actually a coroutine.
- property latency¶
-
Measures latency between a HEARTBEAT and a HEARTBEAT_ACK in seconds.
This could be referred to as the Discord WebSocket protocol latency.
- Type
-
float
- is_ws_ratelimited()¶
-
bool
: Whether the websocket is currently rate limited.This can be useful to know when deciding whether you should query members
using HTTP or via the gateway.New in version 1.6.
- property user¶
-
Represents the connected client.
None
if not logged in.- Type
-
Optional[
ClientUser
]
- property guilds¶
-
The guilds that the connected client is a member of.
- Type
-
Sequence[
Guild
]
- property emojis¶
-
The emojis that the connected client has.
- Type
-
Sequence[
Emoji
]
- property stickers¶
-
The stickers that the connected client has.
New in version 2.0.
- Type
-
Sequence[
GuildSticker
]
- property cached_messages¶
-
Read-only list of messages the connected client has cached.
New in version 1.1.
- Type
-
Sequence[
Message
]
- property private_channels¶
-
The private channels that the connected client is participating on.
Note
This returns only up to 128 most recent private channels due to an internal working
on how Discord deals with private channels.- Type
-
Sequence[
abc.PrivateChannel
]
- property voice_clients¶
-
Represents a list of voice connections.
These are usually
VoiceClient
instances.- Type
-
List[
VoiceProtocol
]
- property application_id¶
-
The client’s application ID.
If this is not passed via
__init__
then this is retrieved
through the gateway when an event contains the data or after a call
tologin()
. Usually afteron_connect()
is called.New in version 2.0.
- Type
-
Optional[
int
]
- property application_flags¶
-
The client’s application flags.
New in version 2.0.
- Type
-
ApplicationFlags
- property application¶
-
The client’s application info.
This is retrieved on
login()
and is not updated
afterwards. This allows populating the application_id without requiring a
gateway connection.This is
None
if accessed beforelogin()
is called.See also
The
application_info()
API callNew in version 2.0.
- Type
-
Optional[
AppInfo
]
- is_ready()¶
-
bool
: Specifies if the client’s internal cache is ready for use.
- await on_error(event_method, /, *args, **kwargs)¶
-
This function is a coroutine.
The default error handler provided by the client.
By default this logs to the library logger however it could be
overridden to have a different implementation.
Checkon_error()
for more details.Changed in version 2.0:
event_method
parameter is now positional-only
and instead of writing tosys.stderr
it logs instead.
- await before_identify_hook(shard_id, *, initial=False)¶
-
This function is a coroutine.
A hook that is called before IDENTIFYing a session. This is useful
if you wish to have more control over the synchronization of multiple
IDENTIFYing clients.The default implementation sleeps for 5 seconds.
New in version 1.4.
- Parameters
-
-
shard_id (
int
) – The shard ID that requested being IDENTIFY’d -
initial (
bool
) – Whether this IDENTIFY is the first initial IDENTIFY.
-
- await setup_hook()¶
-
This function is a coroutine.
A coroutine to be called to setup the bot, by default this is blank.
To perform asynchronous setup after the bot is logged in but before
it has connected to the Websocket, overwrite this coroutine.This is only called once, in
login()
, and will be called before
any events are dispatched, making it a better solution than doing such
setup in theon_ready()
event.Warning
Since this is called before the websocket connection is made therefore
anything that waits for the websocket will deadlock, this includes things
likewait_for()
andwait_until_ready()
.New in version 2.0.
- await login(token)¶
-
This function is a coroutine.
Logs in the client with the specified credentials and
calls thesetup_hook()
.- Parameters
-
token (
str
) – The authentication token. Do not prefix this token with
anything as the library will do it for you. - Raises
-
-
LoginFailure – The wrong credentials are passed.
-
HTTPException – An unknown HTTP related error occurred,
usually when it isn’t 200 or the known incorrect credentials
passing status code.
-
- await connect(*, reconnect=True)¶
-
This function is a coroutine.
Creates a websocket connection and lets the websocket listen
to messages from Discord. This is a loop that runs the entire
event system and miscellaneous aspects of the library. Control
is not resumed until the WebSocket connection is terminated.- Parameters
-
reconnect (
bool
) – If we should attempt reconnecting, either due to internet
failure or a specific failure on Discord’s part. Certain
disconnects that lead to bad state will not be handled (such as
invalid sharding payloads or bad tokens). - Raises
-
-
GatewayNotFound – If the gateway to connect to Discord is not found. Usually if this
is thrown then there is a Discord API outage. -
ConnectionClosed – The websocket connection has been terminated.
-
- await close()¶
-
This function is a coroutine.
Closes the connection to Discord.
- clear()¶
-
Clears the internal state of the bot.
After this, the bot can be considered “re-opened”, i.e.
is_closed()
andis_ready()
both returnFalse
along with the bot’s internal
cache cleared.
- await start(token, *, reconnect=True)¶
-
This function is a coroutine.
A shorthand coroutine for
login()
+connect()
.- Parameters
-
-
token (
str
) – The authentication token. Do not prefix this token with
anything as the library will do it for you. -
reconnect (
bool
) – If we should attempt reconnecting, either due to internet
failure or a specific failure on Discord’s part. Certain
disconnects that lead to bad state will not be handled (such as
invalid sharding payloads or bad tokens).
-
- Raises
-
TypeError – An unexpected keyword argument was received.
- run(token, *, reconnect=True, log_handler=…, log_formatter=…, log_level=…, root_logger=False)¶
-
A blocking call that abstracts away the event loop
initialisation from you.If you want more control over the event loop then this
function should not be used. Usestart()
coroutine
orconnect()
+login()
.This function also sets up the logging library to make it easier
for beginners to know what is going on with the library. For more
advanced users, this can be disabled by passingNone
to
thelog_handler
parameter.Warning
This function must be the last function to call due to the fact that it
is blocking. That means that registration of events or anything being
called after this function call will not execute until it returns.- Parameters
-
-
token (
str
) – The authentication token. Do not prefix this token with
anything as the library will do it for you. -
reconnect (
bool
) – If we should attempt reconnecting, either due to internet
failure or a specific failure on Discord’s part. Certain
disconnects that lead to bad state will not be handled (such as
invalid sharding payloads or bad tokens). -
log_handler (Optional[
logging.Handler
]) –The log handler to use for the library’s logger. If this is
None
then the library will not set up anything logging related. Logging
will still work ifNone
is passed, though it is your responsibility
to set it up.The default log handler if not provided is
logging.StreamHandler
.New in version 2.0.
-
log_formatter (
logging.Formatter
) –The formatter to use with the given log handler. If not provided then it
defaults to a colour based logging formatter (if available).New in version 2.0.
-
log_level (
int
) –The default log level for the library’s logger. This is only applied if the
log_handler
parameter is notNone
. Defaults tologging.INFO
.New in version 2.0.
-
root_logger (
bool
) –Whether to set up the root logger rather than the library logger.
By default, only the library logger ('discord'
) is set up. If this
is set toTrue
then the root logger is set up as well.Defaults to
False
.New in version 2.0.
-
- is_closed()¶
-
bool
: Indicates if the websocket connection is closed.
- property activity¶
-
The activity being used upon
logging in.- Type
-
Optional[
BaseActivity
]
- property status¶
-
Status
:
The status being used upon logging on to Discord.
- property allowed_mentions¶
-
The allowed mention configuration.
New in version 1.4.
- Type
-
Optional[
AllowedMentions
]
- property intents¶
-
The intents configured for this connection.
New in version 1.5.
- Type
-
Intents
- property users¶
-
Returns a list of all the users the bot can see.
- Type
-
List[
User
]
- get_channel(id, /)¶
-
Returns a channel or thread with the given ID.
Changed in version 2.0:
id
parameter is now positional-only.- Parameters
-
id (
int
) – The ID to search for. - Returns
-
The returned channel or
None
if not found. - Return type
-
Optional[Union[
abc.GuildChannel
,Thread
,abc.PrivateChannel
]]
- get_partial_messageable(id, *, guild_id=None, type=None)¶
-
Returns a partial messageable with the given channel ID.
This is useful if you have a channel_id but don’t want to do an API call
to send messages to it.New in version 2.0.
- Parameters
-
-
id (
int
) – The channel ID to create a partial messageable for. -
guild_id (Optional[
int
]) –The optional guild ID to create a partial messageable for.
This is not required to actually send messages, but it does allow the
jump_url()
and
guild
properties to function properly. -
type (Optional[
ChannelType
]) – The underlying channel type for the partial messageable.
-
- Returns
-
The partial messageable
- Return type
-
PartialMessageable
- get_stage_instance(id, /)¶
-
Returns a stage instance with the given stage channel ID.
New in version 2.0.
- Parameters
-
id (
int
) – The ID to search for. - Returns
-
The stage instance or
None
if not found. - Return type
-
Optional[
StageInstance
]
- get_guild(id, /)¶
-
Returns a guild with the given ID.
Changed in version 2.0:
id
parameter is now positional-only.- Parameters
-
id (
int
) – The ID to search for. - Returns
-
The guild or
None
if not found. - Return type
-
Optional[
Guild
]
- get_user(id, /)¶
-
Returns a user with the given ID.
Changed in version 2.0:
id
parameter is now positional-only.- Parameters
-
id (
int
) – The ID to search for. - Returns
-
The user or
None
if not found. - Return type
-
Optional[
User
]
- get_emoji(id, /)¶
-
Returns an emoji with the given ID.
Changed in version 2.0:
id
parameter is now positional-only.- Parameters
-
id (
int
) – The ID to search for. - Returns
-
The custom emoji or
None
if not found. - Return type
-
Optional[
Emoji
]
- get_sticker(id, /)¶
-
Returns a guild sticker with the given ID.
New in version 2.0.
Note
To retrieve standard stickers, use
fetch_sticker()
.
orfetch_premium_sticker_packs()
.- Returns
-
The sticker or
None
if not found. - Return type
-
Optional[
GuildSticker
]
- for … in get_all_channels()¶
-
A generator that retrieves every
abc.GuildChannel
the client can ‘access’.This is equivalent to:
for guild in client.guilds: for channel in guild.channels: yield channel
Note
Just because you receive a
abc.GuildChannel
does not mean that
you can communicate in said channel.abc.GuildChannel.permissions_for()
should
be used for that.- Yields
-
abc.GuildChannel
– A channel the client can ‘access’.
- for … in get_all_members()¶
-
Returns a generator with every
Member
the client can see.This is equivalent to:
for guild in client.guilds: for member in guild.members: yield member
- Yields
-
Member
– A member the client can see.
- await wait_until_ready()¶
-
This function is a coroutine.
Waits until the client’s internal cache is all ready.
Warning
Calling this inside
setup_hook()
can lead to a deadlock.
- wait_for(event, /, *, check=None, timeout=None)¶
-
This function is a coroutine.
Waits for a WebSocket event to be dispatched.
This could be used to wait for a user to reply to a message,
or to react to a message, or to edit a message in a self-contained
way.The
timeout
parameter is passed ontoasyncio.wait_for()
. By default,
it does not timeout. Note that this does propagate the
asyncio.TimeoutError
for you in case of timeout and is provided for
ease of use.In case the event returns multiple arguments, a
tuple
containing those
arguments is returned instead. Please check the
documentation for a list of events and their
parameters.This function returns the first event that meets the requirements.
Examples
Waiting for a user reply:
@client.event async def on_message(message): if message.content.startswith('$greet'): channel = message.channel await channel.send('Say hello!') def check(m): return m.content == 'hello' and m.channel == channel msg = await client.wait_for('message', check=check) await channel.send(f'Hello {msg.author}!')
Waiting for a thumbs up reaction from the message author:
@client.event async def on_message(message): if message.content.startswith('$thumb'): channel = message.channel await channel.send('Send me that 👍 reaction, mate') def check(reaction, user): return user == message.author and str(reaction.emoji) == '👍' try: reaction, user = await client.wait_for('reaction_add', timeout=60.0, check=check) except asyncio.TimeoutError: await channel.send('👎') else: await channel.send('👍')
Changed in version 2.0:
event
parameter is now positional-only.- Parameters
-
-
event (
str
) – The event name, similar to the event reference,
but without theon_
prefix, to wait for. -
check (Optional[Callable[…,
bool
]]) – A predicate to check what to wait for. The arguments must meet the
parameters of the event being waited for. -
timeout (Optional[
float
]) – The number of seconds to wait before timing out and raising
asyncio.TimeoutError
.
-
- Raises
-
asyncio.TimeoutError – If a timeout is provided and it was reached.
- Returns
-
Returns no arguments, a single argument, or a
tuple
of multiple
arguments that mirrors the parameters passed in the
event reference. - Return type
-
Any
- await change_presence(*, activity=None, status=None)¶
-
This function is a coroutine.
Changes the client’s presence.
Example
game = discord.Game("with the API") await client.change_presence(status=discord.Status.idle, activity=game)
Changed in version 2.0: Removed the
afk
keyword-only parameter.Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
-
activity (Optional[
BaseActivity
]) – The activity being done.None
if no currently active activity is done. -
status (Optional[
Status
]) – Indicates what status to change to. IfNone
, then
Status.online
is used.
-
- Raises
-
TypeError – If the
activity
parameter is not the proper type.
- async for … in fetch_guilds(*, limit=200, before=None, after=None)¶
-
Retrieves an asynchronous iterator that enables receiving your guilds.
Note
Using this, you will only receive
Guild.owner
,Guild.icon
,
Guild.id
, andGuild.name
perGuild
.Note
This method is an API call. For general usage, consider
guilds
instead.Examples
Usage
async for guild in client.fetch_guilds(limit=150): print(guild.name)
Flattening into a list
guilds = [guild async for guild in client.fetch_guilds(limit=150)] # guilds is now a list of Guild...
All parameters are optional.
- Parameters
-
-
limit (Optional[
int
]) –The number of guilds to retrieve.
IfNone
, it retrieves every guild you have access to. Note, however,
that this would make it a slow operation.
Defaults to200
.Changed in version 2.0: The default has been changed to 200.
-
before (Union[
abc.Snowflake
,datetime.datetime
]) – 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. -
after (Union[
abc.Snowflake
,datetime.datetime
]) – 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.
-
- Raises
-
HTTPException – Getting the guilds failed.
- Yields
-
Guild
– The guild with the guild data parsed.
- await fetch_template(code)¶
-
This function is a coroutine.
Gets a
Template
from a discord.new URL or code.- Parameters
-
code (Union[
Template
,str
]) – The Discord Template Code or URL (must be a discord.new URL). - Raises
-
-
NotFound – The template is invalid.
-
HTTPException – Getting the template failed.
-
- Returns
-
The template from the URL/code.
- Return type
-
Template
- await fetch_guild(guild_id, /, *, with_counts=True)¶
-
This function is a coroutine.
Retrieves a
Guild
from an ID.Note
Using this, you will not receive
Guild.channels
,Guild.members
,
Member.activity
andMember.voice
perMember
.Note
This method is an API call. For general usage, consider
get_guild()
instead.Changed in version 2.0:
guild_id
parameter is now positional-only.- Parameters
-
-
guild_id (
int
) – The guild’s ID to fetch from. -
with_counts (
bool
) –Whether to include count information in the guild. This fills the
Guild.approximate_member_count
andGuild.approximate_presence_count
attributes without needing any privileged intents. Defaults toTrue
.New in version 2.0.
-
- Raises
-
-
Forbidden – You do not have access to the guild.
-
HTTPException – Getting the guild failed.
-
- Returns
-
The guild from the ID.
- Return type
-
Guild
- await create_guild(*, name, icon=…, code=…)¶
-
This function is a coroutine.
Creates a
Guild
.Bot accounts in more than 10 guilds are not allowed to create guilds.
Changed in version 2.0:
name
andicon
parameters are now keyword-only. Theregion
parameter has been removed.Changed in version 2.0: This function will now raise
ValueError
instead of
InvalidArgument
.- Parameters
-
-
name (
str
) – The name of the guild. -
icon (Optional[
bytes
]) – The bytes-like object representing the icon. SeeClientUser.edit()
for more details on what is expected. -
code (
str
) –The code for a template to create the guild with.
New in version 1.4.
-
- Raises
-
-
HTTPException – Guild creation failed.
-
ValueError – Invalid icon image format given. Must be PNG or JPG.
-
- Returns
-
The guild created. This is not the same guild that is
added to cache. - Return type
-
Guild
- await fetch_stage_instance(channel_id, /)¶
-
This function is a coroutine.
Gets a
StageInstance
for a stage channel id.New in version 2.0.
- Parameters
-
channel_id (
int
) – The stage channel ID. - Raises
-
-
NotFound – The stage instance or channel could not be found.
-
HTTPException – Getting the stage instance failed.
-
- Returns
-
The stage instance from the stage channel ID.
- Return type
-
StageInstance
- await fetch_invite(url, *, with_counts=True, with_expiration=True, scheduled_event_id=None)¶
-
This function is a coroutine.
Gets an
Invite
from a discord.gg URL or ID.Note
If the invite is for a guild you have not joined, the guild and channel
attributes of the returnedInvite
will bePartialInviteGuild
and
PartialInviteChannel
respectively.- Parameters
-
-
url (Union[
Invite
,str
]) – The Discord invite ID or URL (must be a discord.gg URL). -
with_counts (
bool
) – Whether to include count information in the invite. This fills the
Invite.approximate_member_count
andInvite.approximate_presence_count
fields. -
with_expiration (
bool
) –Whether to include the expiration date of the invite. This fills the
Invite.expires_at
field.New in version 2.0.
-
scheduled_event_id (Optional[
int
]) –The ID of the scheduled event this invite is for.
Note
It is not possible to provide a url that contains an
event_id
parameter
when using this parameter.New in version 2.0.
-
- Raises
-
-
ValueError – The url contains an
event_id
, butscheduled_event_id
has also been provided. -
NotFound – The invite has expired or is invalid.
-
HTTPException – Getting the invite failed.
-
- Returns
-
The invite from the URL/ID.
- Return type
-
Invite
- await delete_invite(invite, /)¶
-
This function is a coroutine.
Revokes an
Invite
, URL, or ID to an invite.You must have
manage_channels
in
the associated guild to do this.Changed in version 2.0:
invite
parameter is now positional-only.- Parameters
-
invite (Union[
Invite
,str
]) – The invite to revoke. - Raises
-
-
Forbidden – You do not have permissions to revoke invites.
-
NotFound – The invite is invalid or expired.
-
HTTPException – Revoking the invite failed.
-
- await fetch_widget(guild_id, /)¶
-
This function is a coroutine.
Gets a
Widget
from a guild ID.Note
The guild must have the widget enabled to get this information.
Changed in version 2.0:
guild_id
parameter is now positional-only.- Parameters
-
guild_id (
int
) – The ID of the guild. - Raises
-
-
Forbidden – The widget for this guild is disabled.
-
HTTPException – Retrieving the widget failed.
-
- Returns
-
The guild’s widget.
- Return type
-
Widget
- await application_info()¶
-
This function is a coroutine.
Retrieves the bot’s application information.
- Raises
-
HTTPException – Retrieving the information failed somehow.
- Returns
-
The bot’s application information.
- Return type
-
AppInfo
- await fetch_user(user_id, /)¶
-
This function is a coroutine.
Retrieves a
User
based on their ID.
You do not have to share any guilds with the user to get this information,
however many operations do require that you do.Note
This method is an API call. If you have
discord.Intents.members
and member cache enabled, considerget_user()
instead.Changed in version 2.0:
user_id
parameter is now positional-only.- Parameters
-
user_id (
int
) – The user’s ID to fetch from. - Raises
-
-
NotFound – A user with this ID does not exist.
-
HTTPException – Fetching the user failed.
-
- Returns
-
The user you requested.
- Return type
-
User
- await fetch_channel(channel_id, /)¶
-
This function is a coroutine.
Retrieves a
abc.GuildChannel
,abc.PrivateChannel
, orThread
with the specified ID.Note
This method is an API call. For general usage, consider
get_channel()
instead.New in version 1.2.
Changed in version 2.0:
channel_id
parameter is now positional-only.- Raises
-
-
InvalidData – An unknown channel type was received from Discord.
-
HTTPException – Retrieving the channel failed.
-
NotFound – Invalid Channel ID.
-
Forbidden – You do not have permission to fetch this channel.
-
- Returns
-
The channel from the ID.
- Return type
-
Union[
abc.GuildChannel
,abc.PrivateChannel
,Thread
]
- await fetch_webhook(webhook_id, /)¶
-
This function is a coroutine.
Retrieves a
Webhook
with the specified ID.Changed in version 2.0:
webhook_id
parameter is now positional-only.- Raises
-
-
HTTPException – Retrieving the webhook failed.
-
NotFound – Invalid webhook ID.
-
Forbidden – You do not have permission to fetch this webhook.
-
- Returns
-
The webhook you requested.
- Return type
-
Webhook
- await fetch_sticker(sticker_id, /)¶
-
This function is a coroutine.
Retrieves a
Sticker
with the specified ID.New in version 2.0.
- Raises
-
-
HTTPException – Retrieving the sticker failed.
-
NotFound – Invalid sticker ID.
-
- Returns
-
The sticker you requested.
- Return type
-
Union[
StandardSticker
,GuildSticker
]
- await fetch_premium_sticker_packs()¶
-
This function is a coroutine.
Retrieves all available premium sticker packs.
New in version 2.0.
- Raises
-
HTTPException – Retrieving the sticker packs failed.
- Returns
-
All available premium sticker packs.
- Return type
-
List[
StickerPack
]
- await create_dm(user)¶
-
This function is a coroutine.
Creates a
DMChannel
with this user.This should be rarely called, as this is done transparently for most
people.New in version 2.0.
- Parameters
-
user (
Snowflake
) – The user to create a DM with. - Returns
-
The channel that was created.
- Return type
-
DMChannel
- add_view(view, *, message_id=None)¶
-
Registers a
View
for persistent listening.This method should be used for when a view is comprised of components
that last longer than the lifecycle of the program.New in version 2.0.
- Parameters
-
-
view (
discord.ui.View
) – The view to register for dispatching. -
message_id (Optional[
int
]) – The message ID that the view is attached to. This is currently used to
refresh the view’s state during message update events. If not given
then message update events are not propagated for the view.
-
- Raises
-
-
TypeError – A view was not passed.
-
ValueError – The view is not persistent. A persistent view has no timeout
and all their components have an explicitly provided custom_id.
-
- property persistent_views¶
-
A sequence of persistent views added to the client.
New in version 2.0.
- Type
-
Sequence[
View
]
AutoShardedClient¶
Methods
-
asyncchange_presence -
asyncclose -
asyncconnect -
defget_shard -
defis_ws_ratelimited
- class discord.AutoShardedClient(*args, intents, **kwargs)¶
-
A client similar to
Client
except it handles the complications
of sharding for the user into a more manageable and transparent single
process bot.When using this client, you will be able to use it as-if it was a regular
Client
with a single shard when implementation wise internally it
is split up into multiple shards. This allows you to not have to deal with
IPC or other complicated infrastructure.It is recommended to use this client only if you have surpassed at least
1000 guilds.If no
shard_count
is provided, then the library will use the
Bot Gateway endpoint call to figure out how many shards to use.If a
shard_ids
parameter is given, then those shard IDs will be used
to launch the internal shards. Note thatshard_count
must be provided
if this is used. By default, when omitted, the client will launch shards from
0 toshard_count - 1
.- async with x
-
Asynchronously initialises the client and automatically cleans up.
New in version 2.0.
- shard_ids¶
-
An optional list of shard_ids to launch the shards with.
- Type
-
Optional[List[
int
]]
- property latency¶
-
Measures latency between a HEARTBEAT and a HEARTBEAT_ACK in seconds.
This operates similarly to
Client.latency()
except it uses the average
latency of every shard’s latency. To get a list of shard latency, check the
latencies
property. Returnsnan
if there are no shards ready.- Type
-
float
- property latencies¶
-
A list of latencies between a HEARTBEAT and a HEARTBEAT_ACK in seconds.
This returns a list of tuples with elements
(shard_id, latency)
.- Type
-
List[Tuple[
int
,float
]]
- get_shard(shard_id, /)¶
-
Gets the shard information at a given shard ID or
None
if not found.Changed in version 2.0:
shard_id
parameter is now positional-only.- Returns
-
Information about the shard with given ID.
None
if not found. - Return type
-
Optional[
ShardInfo
]
- property shards¶
-
Returns a mapping of shard IDs to their respective info object.
- Type
-
Mapping[int,
ShardInfo
]
- await connect(*, reconnect=True)¶
-
This function is a coroutine.
Creates a websocket connection and lets the websocket listen
to messages from Discord. This is a loop that runs the entire
event system and miscellaneous aspects of the library. Control
is not resumed until the WebSocket connection is terminated.- Parameters
-
reconnect (
bool
) – If we should attempt reconnecting, either due to internet
failure or a specific failure on Discord’s part. Certain
disconnects that lead to bad state will not be handled (such as
invalid sharding payloads or bad tokens). - Raises
-
-
GatewayNotFound – If the gateway to connect to Discord is not found. Usually if this
is thrown then there is a Discord API outage. -
ConnectionClosed – The websocket connection has been terminated.
-
- await close()¶
-
This function is a coroutine.
Closes the connection to Discord.
- await change_presence(*, activity=None, status=None, shard_id=None)¶
-
This function is a coroutine.
Changes the client’s presence.
Example:
game = discord.Game("with the API") await client.change_presence(status=discord.Status.idle, activity=game)
Changed in version 2.0: Removed the
afk
keyword-only parameter.Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
-
activity (Optional[
BaseActivity
]) – The activity being done.None
if no currently active activity is done. -
status (Optional[
Status
]) – Indicates what status to change to. IfNone
, then
Status.online
is used. -
shard_id (Optional[
int
]) – The shard_id to change the presence to. If not specified
orNone
, then it will change the presence of every
shard the bot can see.
-
- Raises
-
TypeError – If the
activity
parameter is not of proper type.
- is_ws_ratelimited()¶
-
bool
: Whether the websocket is currently rate limited.This can be useful to know when deciding whether you should query members
using HTTP or via the gateway.This implementation checks if any of the shards are rate limited.
For more granular control, considerShardInfo.is_ws_ratelimited()
.New in version 1.6.
Application Info¶
AppInfo¶
Attributes
- bot_public
- bot_require_code_grant
- cover_image
- custom_install_url
- description
- flags
- guild
- guild_id
- icon
- id
- install_params
- name
- owner
- primary_sku_id
- privacy_policy_url
- rpc_origins
- slug
- tags
- team
- terms_of_service_url
- verify_key
- class discord.AppInfo¶
-
Represents the application info for the bot provided by Discord.
- id¶
-
The application ID.
- Type
-
int
- name¶
-
The application name.
- Type
-
str
- owner¶
-
The application owner.
- Type
-
User
- team¶
-
The application’s team.
New in version 1.3.
- Type
-
Optional[
Team
]
- description¶
-
The application description.
- Type
-
str
- bot_public¶
-
Whether the bot can be invited by anyone or if it is locked
to the application owner.- Type
-
bool
- bot_require_code_grant¶
-
Whether the bot requires the completion of the full oauth2 code
grant flow to join.- Type
-
bool
- rpc_origins¶
-
A list of RPC origin URLs, if RPC is enabled.
- Type
-
Optional[List[
str
]]
- verify_key¶
-
The hex encoded key for verification in interactions and the
GameSDK’s GetTicket.New in version 1.3.
- Type
-
str
- guild_id¶
-
If this application is a game sold on Discord,
this field will be the guild to which it has been linked to.New in version 1.3.
- Type
-
Optional[
int
]
- primary_sku_id¶
-
If this application is a game sold on Discord,
this field will be the id of the “Game SKU” that is created,
if it exists.New in version 1.3.
- Type
-
Optional[
int
]
- slug¶
-
If this application is a game sold on Discord,
this field will be the URL slug that links to the store page.New in version 1.3.
- Type
-
Optional[
str
]
- terms_of_service_url¶
-
The application’s terms of service URL, if set.
New in version 2.0.
- Type
-
Optional[
str
]
- privacy_policy_url¶
-
The application’s privacy policy URL, if set.
New in version 2.0.
- Type
-
Optional[
str
]
- tags¶
-
The list of tags describing the functionality of the application.
New in version 2.0.
- Type
-
List[
str
]
- custom_install_url¶
-
The custom authorization URL for the application, if enabled.
New in version 2.0.
- Type
-
List[
str
]
- install_params¶
-
The settings for custom authorization URL of application, if enabled.
New in version 2.0.
- Type
-
Optional[
AppInstallParams
]
- property icon¶
-
Retrieves the application’s icon asset, if any.
- Type
-
Optional[
Asset
]
- property cover_image¶
-
Retrieves the cover image on a store embed, if any.
This is only available if the application is a game sold on Discord.
- Type
-
Optional[
Asset
]
- property guild¶
-
If this application is a game sold on Discord,
this field will be the guild to which it has been linkedNew in version 1.3.
- Type
-
Optional[
Guild
]
- property flags¶
-
The application’s flags.
New in version 2.0.
- Type
-
ApplicationFlags
PartialAppInfo¶
- class discord.PartialAppInfo¶
-
Represents a partial AppInfo given by
create_invite()
New in version 2.0.
- id¶
-
The application ID.
- Type
-
int
- name¶
-
The application name.
- Type
-
str
- description¶
-
The application description.
- Type
-
str
- rpc_origins¶
-
A list of RPC origin URLs, if RPC is enabled.
- Type
-
Optional[List[
str
]]
- verify_key¶
-
The hex encoded key for verification in interactions and the
GameSDK’s GetTicket.- Type
-
str
- terms_of_service_url¶
-
The application’s terms of service URL, if set.
- Type
-
Optional[
str
]
- privacy_policy_url¶
-
The application’s privacy policy URL, if set.
- Type
-
Optional[
str
]
- property icon¶
-
Retrieves the application’s icon asset, if any.
- Type
-
Optional[
Asset
]
- property flags¶
-
The application’s flags.
New in version 2.0.
- Type
-
ApplicationFlags
AppInstallParams¶
Attributes
- permissions
- scopes
- class discord.AppInstallParams¶
-
Represents the settings for custom authorization URL of an application.
New in version 2.0.
- scopes¶
-
The list of OAuth2 scopes
to add the application to a guild with.- Type
-
List[
str
]
- permissions¶
-
The permissions to give to application in the guild.
- Type
-
Permissions
Team¶
Attributes
- icon
- id
- members
- name
- owner
- owner_id
- class discord.Team¶
-
Represents an application team for a bot provided by Discord.
- id¶
-
The team ID.
- Type
-
int
- name¶
-
The team name
- Type
-
str
- owner_id¶
-
The team’s owner ID.
- Type
-
int
- members¶
-
A list of the members in the team
New in version 1.3.
- Type
-
List[
TeamMember
]
- property icon¶
-
Retrieves the team’s icon asset, if any.
- Type
-
Optional[
Asset
]
- property owner¶
-
The team’s owner.
- Type
-
Optional[
TeamMember
]
TeamMember¶
Attributes
- accent_color
- accent_colour
- avatar
- banner
- bot
- color
- colour
- created_at
- default_avatar
- discriminator
- display_avatar
- display_name
- id
- membership_state
- mention
- name
- public_flags
- team
- class discord.TeamMember¶
-
Represents a team member in a team.
- x == y
-
Checks if two team members are equal.
- x != y
-
Checks if two team members are not equal.
- hash(x)
-
Return the team member’s hash.
- str(x)
-
Returns the team member’s name with discriminator.
New in version 1.3.
- name¶
-
The team member’s username.
- Type
-
str
- id¶
-
The team member’s unique ID.
- Type
-
int
- discriminator¶
-
The team member’s discriminator. This is given when the username has conflicts.
- Type
-
str
- bot¶
-
Specifies if the user is a bot account.
- Type
-
bool
- team¶
-
The team that the member is from.
- Type
-
Team
- membership_state¶
-
The membership state of the member (e.g. invited or accepted)
- Type
-
TeamMembershipState
- property accent_color¶
-
Returns the user’s accent color, if applicable.
A user’s accent color is only shown if they do not have a banner.
This will only be available if the user explicitly sets a color.There is an alias for this named
accent_colour
.New in version 2.0.
Note
This information is only available via
Client.fetch_user()
.- Type
-
Optional[
Colour
]
- property accent_colour¶
-
Returns the user’s accent colour, if applicable.
A user’s accent colour is only shown if they do not have a banner.
This will only be available if the user explicitly sets a colour.There is an alias for this named
accent_color
.New in version 2.0.
Note
This information is only available via
Client.fetch_user()
.- Type
-
Optional[
Colour
]
- property avatar¶
-
Returns an
Asset
for the avatar the user has.If the user does not have a traditional avatar,
None
is returned.
If you want the avatar that a user has displayed, considerdisplay_avatar
.- Type
-
Optional[
Asset
]
-
Returns the user’s banner asset, if available.
New in version 2.0.
Note
This information is only available via
Client.fetch_user()
.- Type
-
Optional[
Asset
]
- property color¶
-
A property that returns a color denoting the rendered color
for the user. This always returnsColour.default()
.There is an alias for this named
colour
.- Type
-
Colour
- property colour¶
-
A property that returns a colour denoting the rendered colour
for the user. This always returnsColour.default()
.There is an alias for this named
color
.- Type
-
Colour
- property created_at¶
-
Returns the user’s creation time in UTC.
This is when the user’s Discord account was created.
- Type
-
datetime.datetime
- property default_avatar¶
-
Returns the default avatar for a given user. This is calculated by the user’s discriminator.
- Type
-
Asset
- property display_avatar¶
-
Returns the user’s display avatar.
For regular users this is just their default avatar or uploaded avatar.
New in version 2.0.
- Type
-
Asset
- property display_name¶
-
Returns the user’s display name.
For regular users this is just their username, but
if they have a guild specific nickname then that
is returned instead.- Type
-
str
- property mention¶
-
Returns a string that allows you to mention the given user.
- Type
-
str
- mentioned_in(message)¶
-
Checks if the user is mentioned in the specified message.
- Parameters
-
message (
Message
) – The message to check if you’re mentioned in. - Returns
-
Indicates if the user is mentioned in the message.
- Return type
-
bool
- property public_flags¶
-
The publicly available flags the user has.
- Type
-
PublicUserFlags
Event Reference¶
This section outlines the different types of events listened by Client
.
There are two ways to register an event, the first way is through the use of
Client.event()
. The second way is through subclassing Client
and
overriding the specific events. For example:
import discord class MyClient(discord.Client): async def on_message(self, message): if message.author == self.user: return if message.content.startswith('$hello'): await message.channel.send('Hello World!')
If an event handler raises an exception, on_error()
will be called
to handle it, which defaults to logging the traceback and ignoring the exception.
Warning
All the events must be a coroutine. If they aren’t, then you might get unexpected
errors. In order to turn a function into a coroutine they must be async def
functions.
App Commands¶
- discord.on_raw_app_command_permissions_update(payload)¶
-
Called when application command permissions are updated.
New in version 2.0.
- Parameters
-
payload (
RawAppCommandPermissionsUpdateEvent
) – The raw event payload data.
- discord.on_app_command_completion(interaction, command)¶
-
Called when a
app_commands.Command
orapp_commands.ContextMenu
has
successfully completed without error.New in version 2.0.
- Parameters
-
-
interaction (
Interaction
) – The interaction of the command. -
command (Union[
app_commands.Command
,app_commands.ContextMenu
]) – The command that completed successfully
-
AutoMod¶
- discord.on_automod_rule_create(rule)¶
-
Called when a
AutoModRule
is created.This requires
Intents.auto_moderation_configuration
to be enabled.New in version 2.0.
- Parameters
-
rule (
AutoModRule
) – The rule that was created.
- discord.on_automod_rule_update(rule)¶
-
Called when a
AutoModRule
is updated.This requires
Intents.auto_moderation_configuration
to be enabled.New in version 2.0.
- Parameters
-
rule (
AutoModRule
) – The rule that was updated.
- discord.on_automod_rule_delete(rule)¶
-
Called when a
AutoModRule
is deleted.This requires
Intents.auto_moderation_configuration
to be enabled.New in version 2.0.
- Parameters
-
rule (
AutoModRule
) – The rule that was deleted.
- discord.on_automod_action(execution)¶
-
Called when a
AutoModAction
is created/performed.This requires
Intents.auto_moderation_execution
to be enabled.New in version 2.0.
- Parameters
-
execution (
AutoModAction
) – The rule execution that was performed.
Channels¶
- discord.on_guild_channel_delete(channel)¶
- discord.on_guild_channel_create(channel)¶
-
Called whenever a guild channel is deleted or created.
Note that you can get the guild from
guild
.This requires
Intents.guilds
to be enabled.- Parameters
-
channel (
abc.GuildChannel
) – The guild channel that got created or deleted.
- discord.on_guild_channel_update(before, after)¶
-
Called whenever a guild channel is updated. e.g. changed name, topic, permissions.
This requires
Intents.guilds
to be enabled.- Parameters
-
-
before (
abc.GuildChannel
) – The updated guild channel’s old info. -
after (
abc.GuildChannel
) – The updated guild channel’s new info.
-
- discord.on_guild_channel_pins_update(channel, last_pin)¶
-
Called whenever a message is pinned or unpinned from a guild channel.
This requires
Intents.guilds
to be enabled.- Parameters
-
-
channel (Union[
abc.GuildChannel
,Thread
]) – The guild channel that had its pins updated. -
last_pin (Optional[
datetime.datetime
]) – The latest message that was pinned as an aware datetime in UTC. Could beNone
.
-
- discord.on_private_channel_update(before, after)¶
-
Called whenever a private group DM is updated. e.g. changed name or topic.
This requires
Intents.messages
to be enabled.- Parameters
-
-
before (
GroupChannel
) – The updated group channel’s old info. -
after (
GroupChannel
) – The updated group channel’s new info.
-
- discord.on_private_channel_pins_update(channel, last_pin)¶
-
Called whenever a message is pinned or unpinned from a private channel.
- Parameters
-
-
channel (
abc.PrivateChannel
) – The private channel that had its pins updated. -
last_pin (Optional[
datetime.datetime
]) – The latest message that was pinned as an aware datetime in UTC. Could beNone
.
-
- discord.on_typing(channel, user, when)¶
-
Called when someone begins typing a message.
The
channel
parameter can be aabc.Messageable
instance.
Which could either beTextChannel
,GroupChannel
, or
DMChannel
.If the
channel
is aTextChannel
then theuser
parameter
is aMember
, otherwise it is aUser
.If the channel or user could not be found in the internal cache this event
will not be called, you may useon_raw_typing()
instead.This requires
Intents.typing
to be enabled.- Parameters
-
-
channel (
abc.Messageable
) – The location where the typing originated from. -
user (Union[
User
,Member
]) – The user that started typing. -
when (
datetime.datetime
) – When the typing started as an aware datetime in UTC.
-
- discord.on_raw_typing(payload)¶
-
Called when someone begins typing a message. Unlike
on_typing()
this
is called regardless of the channel and user being in the internal cache.This requires
Intents.typing
to be enabled.New in version 2.0.
- Parameters
-
payload (
RawTypingEvent
) – The raw event payload data.
Connection¶
- discord.on_connect()¶
-
Called when the client has successfully connected to Discord. This is not
the same as the client being fully prepared, seeon_ready()
for that.The warnings on
on_ready()
also apply.
- discord.on_disconnect()¶
-
Called when the client has disconnected from Discord, or a connection attempt to Discord has failed.
This could happen either through the internet being disconnected, explicit calls to close,
or Discord terminating the connection one way or the other.This function can be called many times without a corresponding
on_connect()
call.
- discord.on_shard_connect(shard_id)¶
-
Similar to
on_connect()
except used byAutoShardedClient
to denote when a particular shard ID has connected to Discord.New in version 1.4.
- Parameters
-
shard_id (
int
) – The shard ID that has connected.
- discord.on_shard_disconnect(shard_id)¶
-
Similar to
on_disconnect()
except used byAutoShardedClient
to denote when a particular shard ID has disconnected from Discord.New in version 1.4.
- Parameters
-
shard_id (
int
) – The shard ID that has disconnected.
Debug¶
- discord.on_error(event, *args, **kwargs)¶
-
Usually when an event raises an uncaught exception, a traceback is
logged to stderr and the exception is ignored. If you want to
change this behaviour and handle the exception for whatever reason
yourself, this event can be overridden. Which, when done, will
suppress the default action of printing the traceback.The information of the exception raised and the exception itself can
be retrieved with a standard call tosys.exc_info()
.Note
on_error
will only be dispatched toClient.event()
.It will not be received by
Client.wait_for()
, or, if used,
Bots listeners such as
listen()
orlistener()
.Changed in version 2.0: The traceback is now logged rather than printed.
- Parameters
-
-
event (
str
) – The name of the event that raised the exception. -
args – The positional arguments for the event that raised the
exception. -
kwargs – The keyword arguments for the event that raised the
exception.
-
- discord.on_socket_event_type(event_type)¶
-
Called whenever a websocket event is received from the WebSocket.
This is mainly useful for logging how many events you are receiving
from the Discord gateway.New in version 2.0.
- Parameters
-
event_type (
str
) – The event type from Discord that is received, e.g.'READY'
.
- discord.on_socket_raw_receive(msg)¶
-
Called whenever a message is completely received from the WebSocket, before
it’s processed and parsed. This event is always dispatched when a
complete message is received and the passed data is not parsed in any way.This is only really useful for grabbing the WebSocket stream and
debugging purposes.This requires setting the
enable_debug_events
setting in theClient
.Note
This is only for the messages received from the client
WebSocket. The voice WebSocket will not trigger this event.- Parameters
-
msg (
str
) – The message passed in from the WebSocket library.
- discord.on_socket_raw_send(payload)¶
-
Called whenever a send operation is done on the WebSocket before the
message is sent. The passed parameter is the message that is being
sent to the WebSocket.This is only really useful for grabbing the WebSocket stream and
debugging purposes.This requires setting the
enable_debug_events
setting in theClient
.Note
This is only for the messages sent from the client
WebSocket. The voice WebSocket will not trigger this event.- Parameters
-
payload – The message that is about to be passed on to the
WebSocket library. It can bebytes
to denote a binary
message orstr
to denote a regular text message.
Gateway¶
- discord.on_ready()¶
-
Called when the client is done preparing the data received from Discord. Usually after login is successful
and theClient.guilds
and co. are filled up.Warning
This function is not guaranteed to be the first event called.
Likewise, this function is not guaranteed to only be called
once. This library implements reconnection logic and thus will
end up calling this event whenever a RESUME request fails.
- discord.on_resumed()¶
-
Called when the client has resumed a session.
- discord.on_shard_ready(shard_id)¶
-
Similar to
on_ready()
except used byAutoShardedClient
to denote when a particular shard ID has become ready.- Parameters
-
shard_id (
int
) – The shard ID that is ready.
- discord.on_shard_resumed(shard_id)¶
-
Similar to
on_resumed()
except used byAutoShardedClient
to denote when a particular shard ID has resumed a session.New in version 1.4.
- Parameters
-
shard_id (
int
) – The shard ID that has resumed.
Guilds¶
- discord.on_guild_available(guild)¶
- discord.on_guild_unavailable(guild)¶
-
Called when a guild becomes available or unavailable. The guild must have
existed in theClient.guilds
cache.This requires
Intents.guilds
to be enabled.- Parameters
-
guild – The
Guild
that has changed availability.
- discord.on_guild_join(guild)¶
-
Called when a
Guild
is either created by theClient
or when the
Client
joins a guild.This requires
Intents.guilds
to be enabled.- Parameters
-
guild (
Guild
) – The guild that was joined.
- discord.on_guild_remove(guild)¶
-
Called when a
Guild
is removed from theClient
.This happens through, but not limited to, these circumstances:
-
The client got banned.
-
The client got kicked.
-
The client left the guild.
-
The client or the guild owner deleted the guild.
In order for this event to be invoked then the
Client
must have
been part of the guild to begin with. (i.e. it is part ofClient.guilds
)This requires
Intents.guilds
to be enabled.- Parameters
-
guild (
Guild
) – The guild that got removed.
-
- discord.on_guild_update(before, after)¶
-
Called when a
Guild
updates, for example:-
Changed name
-
Changed AFK channel
-
Changed AFK timeout
-
etc
This requires
Intents.guilds
to be enabled.- Parameters
-
-
before (
Guild
) – The guild prior to being updated. -
after (
Guild
) – The guild after being updated.
-
-
- discord.on_guild_emojis_update(guild, before, after)¶
-
Called when a
Guild
adds or removesEmoji
.This requires
Intents.emojis_and_stickers
to be enabled.- Parameters
-
-
guild (
Guild
) – The guild who got their emojis updated. -
before (Sequence[
Emoji
]) – A list of emojis before the update. -
after (Sequence[
Emoji
]) – A list of emojis after the update.
-
- discord.on_guild_stickers_update(guild, before, after)¶
-
Called when a
Guild
updates its stickers.This requires
Intents.emojis_and_stickers
to be enabled.New in version 2.0.
- Parameters
-
-
guild (
Guild
) – The guild who got their stickers updated. -
before (Sequence[
GuildSticker
]) – A list of stickers before the update. -
after (Sequence[
GuildSticker
]) – A list of stickers after the update.
-
- discord.on_invite_create(invite)¶
-
Called when an
Invite
is created.
You must havemanage_channels
to receive this.New in version 1.3.
Note
There is a rare possibility that the
Invite.guild
andInvite.channel
attributes will be ofObject
rather than the respective models.This requires
Intents.invites
to be enabled.- Parameters
-
invite (
Invite
) – The invite that was created.
- discord.on_invite_delete(invite)¶
-
Called when an
Invite
is deleted.
You must havemanage_channels
to receive this.New in version 1.3.
Note
There is a rare possibility that the
Invite.guild
andInvite.channel
attributes will be ofObject
rather than the respective models.Outside of those two attributes, the only other attribute guaranteed to be
filled by the Discord gateway for this event isInvite.code
.This requires
Intents.invites
to be enabled.- Parameters
-
invite (
Invite
) – The invite that was deleted.
Integrations¶
- discord.on_integration_create(integration)¶
-
Called when an integration is created.
This requires
Intents.integrations
to be enabled.New in version 2.0.
- Parameters
-
integration (
Integration
) – The integration that was created.
- discord.on_integration_update(integration)¶
-
Called when an integration is updated.
This requires
Intents.integrations
to be enabled.New in version 2.0.
- Parameters
-
integration (
Integration
) – The integration that was updated.
- discord.on_guild_integrations_update(guild)¶
-
Called whenever an integration is created, modified, or removed from a guild.
This requires
Intents.integrations
to be enabled.New in version 1.4.
- Parameters
-
guild (
Guild
) – The guild that had its integrations updated.
- discord.on_webhooks_update(channel)¶
-
Called whenever a webhook is created, modified, or removed from a guild channel.
This requires
Intents.webhooks
to be enabled.- Parameters
-
channel (
abc.GuildChannel
) – The channel that had its webhooks updated.
- discord.on_raw_integration_delete(payload)¶
-
Called when an integration is deleted.
This requires
Intents.integrations
to be enabled.New in version 2.0.
- Parameters
-
payload (
RawIntegrationDeleteEvent
) – The raw event payload data.
Interactions¶
- discord.on_interaction(interaction)¶
-
Called when an interaction happened.
This currently happens due to slash command invocations or components being used.
Warning
This is a low level function that is not generally meant to be used.
If you are working with components, consider using the callbacks associated
with theView
instead as it provides a nicer user experience.New in version 2.0.
- Parameters
-
interaction (
Interaction
) – The interaction data.
Members¶
- discord.on_member_join(member)¶
-
Called when a
Member
joins aGuild
.This requires
Intents.members
to be enabled.- Parameters
-
member (
Member
) – The member who joined.
- discord.on_member_remove(member)¶
-
Called when a
Member
leaves aGuild
.If the guild or member could not be found in the internal cache this event
will not be called, you may useon_raw_member_remove()
instead.This requires
Intents.members
to be enabled.- Parameters
-
member (
Member
) – The member who left.
- discord.on_raw_member_remove(payload)¶
-
Called when a
Member
leaves aGuild
.Unlike
on_member_remove()
this is called regardless of the guild or member being in the internal cache.This requires
Intents.members
to be enabled.New in version 2.0.
- Parameters
-
payload (
RawMemberRemoveEvent
) – The raw event payload data.
- discord.on_member_update(before, after)¶
-
Called when a
Member
updates their profile.This is called when one or more of the following things change:
-
nickname
-
roles
-
pending
-
timeout
-
guild avatar
Due to a Discord limitation, this event is not dispatched when a member’s timeout expires.
This requires
Intents.members
to be enabled.- Parameters
-
-
before (
Member
) – The updated member’s old info. -
after (
Member
) – The updated member’s updated info.
-
-
- discord.on_user_update(before, after)¶
-
Called when a
User
updates their profile.This is called when one or more of the following things change:
-
avatar
-
username
-
discriminator
This requires
Intents.members
to be enabled.- Parameters
-
-
before (
User
) – The updated user’s old info. -
after (
User
) – The updated user’s updated info.
-
-
- discord.on_member_ban(guild, user)¶
-
Called when user gets banned from a
Guild
.This requires
Intents.bans
to be enabled.- Parameters
-
-
guild (
Guild
) – The guild the user got banned from. -
user (Union[
User
,Member
]) – The user that got banned.
Can be eitherUser
orMember
depending if
the user was in the guild or not at the time of removal.
-
- discord.on_member_unban(guild, user)¶
-
Called when a
User
gets unbanned from aGuild
.This requires
Intents.bans
to be enabled.- Parameters
-
-
guild (
Guild
) – The guild the user got unbanned from. -
user (
User
) – The user that got unbanned.
-
- discord.on_presence_update(before, after)¶
-
Called when a
Member
updates their presence.This is called when one or more of the following things change:
-
status
-
activity
This requires
Intents.presences
andIntents.members
to be enabled.New in version 2.0.
- Parameters
-
-
before (
Member
) – The updated member’s old info. -
after (
Member
) – The updated member’s updated info.
-
-
Messages¶
- discord.on_message(message)¶
-
Called when a
Message
is created and sent.This requires
Intents.messages
to be enabled.Warning
Your bot’s own messages and private messages are sent through this
event. This can lead cases of ‘recursion’ depending on how your bot was
programmed. If you want the bot to not reply to itself, consider
checking the user IDs. Note thatBot
does not
have this problem.- Parameters
-
message (
Message
) – The current message.
- discord.on_message_edit(before, after)¶
-
Called when a
Message
receives an update event. If the message is not found
in the internal message cache, then these events will not be called.
Messages might not be in cache if the message is too old
or the client is participating in high traffic guilds.If this occurs increase the
max_messages
parameter
or use theon_raw_message_edit()
event instead.The following non-exhaustive cases trigger this event:
-
A message has been pinned or unpinned.
-
The message content has been changed.
-
The message has received an embed.
-
For performance reasons, the embed server does not do this in a “consistent” manner.
-
-
The message’s embeds were suppressed or unsuppressed.
-
A call message has received an update to its participants or ending time.
This requires
Intents.messages
to be enabled.- Parameters
-
-
before (
Message
) – The previous version of the message. -
after (
Message
) – The current version of the message.
-
-
- discord.on_message_delete(message)¶
-
Called when a message is deleted. If the message is not found in the
internal message cache, then this event will not be called.
Messages might not be in cache if the message is too old
or the client is participating in high traffic guilds.If this occurs increase the
max_messages
parameter
or use theon_raw_message_delete()
event instead.This requires
Intents.messages
to be enabled.- Parameters
-
message (
Message
) – The deleted message.
- discord.on_bulk_message_delete(messages)¶
-
Called when messages are bulk deleted. If none of the messages deleted
are found in the internal message cache, then this event will not be called.
If individual messages were not found in the internal message cache,
this event will still be called, but the messages not found will not be included in
the messages list. Messages might not be in cache if the message is too old
or the client is participating in high traffic guilds.If this occurs increase the
max_messages
parameter
or use theon_raw_bulk_message_delete()
event instead.This requires
Intents.messages
to be enabled.- Parameters
-
messages (List[
Message
]) – The messages that have been deleted.
- discord.on_raw_message_edit(payload)¶
-
Called when a message is edited. Unlike
on_message_edit()
, this is called
regardless of the state of the internal message cache.If the message is found in the message cache,
it can be accessed viaRawMessageUpdateEvent.cached_message
. The cached message represents
the message before it has been edited. For example, if the content of a message is modified and
triggers theon_raw_message_edit()
coroutine, theRawMessageUpdateEvent.cached_message
will return aMessage
object that represents the message before the content was modified.Due to the inherently raw nature of this event, the data parameter coincides with
the raw data given by the gateway.Since the data payload can be partial, care must be taken when accessing stuff in the dictionary.
One example of a common case of partial data is when the'content'
key is inaccessible. This
denotes an “embed” only edit, which is an edit in which only the embeds are updated by the Discord
embed server.This requires
Intents.messages
to be enabled.- Parameters
-
payload (
RawMessageUpdateEvent
) – The raw event payload data.
- discord.on_raw_message_delete(payload)¶
-
Called when a message is deleted. Unlike
on_message_delete()
, this is
called regardless of the message being in the internal message cache or not.If the message is found in the message cache,
it can be accessed viaRawMessageDeleteEvent.cached_message
This requires
Intents.messages
to be enabled.- Parameters
-
payload (
RawMessageDeleteEvent
) – The raw event payload data.
- discord.on_raw_bulk_message_delete(payload)¶
-
Called when a bulk delete is triggered. Unlike
on_bulk_message_delete()
, this is
called regardless of the messages being in the internal message cache or not.If the messages are found in the message cache,
they can be accessed viaRawBulkMessageDeleteEvent.cached_messages
This requires
Intents.messages
to be enabled.- Parameters
-
payload (
RawBulkMessageDeleteEvent
) – The raw event payload data.
Reactions¶
- discord.on_reaction_add(reaction, user)¶
-
Called when a message has a reaction added to it. Similar to
on_message_edit()
,
if the message is not found in the internal message cache, then this
event will not be called. Consider usingon_raw_reaction_add()
instead.Note
To get the
Message
being reacted, access it viaReaction.message
.This requires
Intents.reactions
to be enabled.Note
This doesn’t require
Intents.members
within a guild context,
but due to Discord not providing updated user information in a direct message
it’s required for direct messages to receive this event.
Consider usingon_raw_reaction_add()
if you need this and do not otherwise want
to enable the members intent.- Parameters
-
-
reaction (
Reaction
) – The current state of the reaction. -
user (Union[
Member
,User
]) – The user who added the reaction.
-
- discord.on_reaction_remove(reaction, user)¶
-
Called when a message has a reaction removed from it. Similar to on_message_edit,
if the message is not found in the internal message cache, then this event
will not be called.Note
To get the message being reacted, access it via
Reaction.message
.This requires both
Intents.reactions
andIntents.members
to be enabled.Note
Consider using
on_raw_reaction_remove()
if you need this and do not want
to enable the members intent.- Parameters
-
-
reaction (
Reaction
) – The current state of the reaction. -
user (Union[
Member
,User
]) – The user whose reaction was removed.
-
- discord.on_reaction_clear(message, reactions)¶
-
Called when a message has all its reactions removed from it. Similar to
on_message_edit()
,
if the message is not found in the internal message cache, then this event
will not be called. Consider usingon_raw_reaction_clear()
instead.This requires
Intents.reactions
to be enabled.- Parameters
-
-
message (
Message
) – The message that had its reactions cleared. -
reactions (List[
Reaction
]) – The reactions that were removed.
-
- discord.on_reaction_clear_emoji(reaction)¶
-
Called when a message has a specific reaction removed from it. Similar to
on_message_edit()
,
if the message is not found in the internal message cache, then this event
will not be called. Consider usingon_raw_reaction_clear_emoji()
instead.This requires
Intents.reactions
to be enabled.New in version 1.3.
- Parameters
-
reaction (
Reaction
) – The reaction that got cleared.
- discord.on_raw_reaction_add(payload)¶
-
Called when a message has a reaction added. Unlike
on_reaction_add()
, this is
called regardless of the state of the internal message cache.This requires
Intents.reactions
to be enabled.- Parameters
-
payload (
RawReactionActionEvent
) – The raw event payload data.
- discord.on_raw_reaction_remove(payload)¶
-
Called when a message has a reaction removed. Unlike
on_reaction_remove()
, this is
called regardless of the state of the internal message cache.This requires
Intents.reactions
to be enabled.- Parameters
-
payload (
RawReactionActionEvent
) – The raw event payload data.
- discord.on_raw_reaction_clear(payload)¶
-
Called when a message has all its reactions removed. Unlike
on_reaction_clear()
,
this is called regardless of the state of the internal message cache.This requires
Intents.reactions
to be enabled.- Parameters
-
payload (
RawReactionClearEvent
) – The raw event payload data.
- discord.on_raw_reaction_clear_emoji(payload)¶
-
Called when a message has a specific reaction removed from it. Unlike
on_reaction_clear_emoji()
this is called
regardless of the state of the internal message cache.This requires
Intents.reactions
to be enabled.New in version 1.3.
- Parameters
-
payload (
RawReactionClearEmojiEvent
) – The raw event payload data.
Roles¶
- discord.on_guild_role_create(role)¶
- discord.on_guild_role_delete(role)¶
-
Called when a
Guild
creates or deletes a newRole
.To get the guild it belongs to, use
Role.guild
.This requires
Intents.guilds
to be enabled.- Parameters
-
role (
Role
) – The role that was created or deleted.
- discord.on_guild_role_update(before, after)¶
-
Called when a
Role
is changed guild-wide.This requires
Intents.guilds
to be enabled.- Parameters
-
-
before (
Role
) – The updated role’s old info. -
after (
Role
) – The updated role’s updated info.
-
Scheduled Events¶
- discord.on_scheduled_event_create(event)¶
- discord.on_scheduled_event_delete(event)¶
-
Called when a
ScheduledEvent
is created or deleted.This requires
Intents.guild_scheduled_events
to be enabled.New in version 2.0.
- Parameters
-
event (
ScheduledEvent
) – The scheduled event that was created or deleted.
- discord.on_scheduled_event_update(before, after)¶
-
Called when a
ScheduledEvent
is updated.This requires
Intents.guild_scheduled_events
to be enabled.The following, but not limited to, examples illustrate when this event is called:
-
The scheduled start/end times are changed.
-
The channel is changed.
-
The description is changed.
-
The status is changed.
-
The image is changed.
New in version 2.0.
- Parameters
-
-
before (
ScheduledEvent
) – The scheduled event before the update. -
after (
ScheduledEvent
) – The scheduled event after the update.
-
-
- discord.on_scheduled_event_user_add(event, user)¶
- discord.on_scheduled_event_user_remove(event, user)¶
-
Called when a user is added or removed from a
ScheduledEvent
.This requires
Intents.guild_scheduled_events
to be enabled.New in version 2.0.
- Parameters
-
-
event (
ScheduledEvent
) – The scheduled event that the user was added or removed from. -
user (
User
) – The user that was added or removed.
-
Stages¶
- discord.on_stage_instance_create(stage_instance)¶
- discord.on_stage_instance_delete(stage_instance)¶
-
Called when a
StageInstance
is created or deleted for aStageChannel
.New in version 2.0.
- Parameters
-
stage_instance (
StageInstance
) – The stage instance that was created or deleted.
- discord.on_stage_instance_update(before, after)¶
-
Called when a
StageInstance
is updated.The following, but not limited to, examples illustrate when this event is called:
-
The topic is changed.
-
The privacy level is changed.
New in version 2.0.
- Parameters
-
-
before (
StageInstance
) – The stage instance before the update. -
after (
StageInstance
) – The stage instance after the update.
-
-
Threads¶
- discord.on_thread_create(thread)¶
-
Called whenever a thread is created.
Note that you can get the guild from
Thread.guild
.This requires
Intents.guilds
to be enabled.New in version 2.0.
- Parameters
-
thread (
Thread
) – The thread that was created.
- discord.on_thread_join(thread)¶
-
Called whenever a thread is joined.
Note that you can get the guild from
Thread.guild
.This requires
Intents.guilds
to be enabled.New in version 2.0.
- Parameters
-
thread (
Thread
) – The thread that got joined.
- discord.on_thread_update(before, after)¶
-
Called whenever a thread is updated. If the thread could
not be found in the internal cache this event will not be called.
Threads will not be in the cache if they are archived.If you need this information use
on_raw_thread_update()
instead.This requires
Intents.guilds
to be enabled.New in version 2.0.
- Parameters
-
-
before (
Thread
) – The updated thread’s old info. -
after (
Thread
) – The updated thread’s new info.
-
- discord.on_thread_remove(thread)¶
-
Called whenever a thread is removed. This is different from a thread being deleted.
Note that you can get the guild from
Thread.guild
.This requires
Intents.guilds
to be enabled.Warning
Due to technical limitations, this event might not be called
as soon as one expects. Since the library tracks thread membership
locally, the API only sends updated thread membership status upon being
synced by joining a thread.New in version 2.0.
- Parameters
-
thread (
Thread
) – The thread that got removed.
- discord.on_thread_delete(thread)¶
-
Called whenever a thread is deleted. If the thread could
not be found in the internal cache this event will not be called.
Threads will not be in the cache if they are archived.If you need this information use
on_raw_thread_delete()
instead.Note that you can get the guild from
Thread.guild
.This requires
Intents.guilds
to be enabled.New in version 2.0.
- Parameters
-
thread (
Thread
) – The thread that got deleted.
- discord.on_raw_thread_update(payload)¶
-
Called whenever a thread is updated. Unlike
on_thread_update()
this
is called regardless of the thread being in the internal thread cache or not.This requires
Intents.guilds
to be enabled.New in version 2.0.
- Parameters
-
payload (
RawThreadUpdateEvent
) – The raw event payload data.
- discord.on_raw_thread_delete(payload)¶
-
Called whenever a thread is deleted. Unlike
on_thread_delete()
this
is called regardless of the thread being in the internal thread cache or not.This requires
Intents.guilds
to be enabled.New in version 2.0.
- Parameters
-
payload (
RawThreadDeleteEvent
) – The raw event payload data.
- discord.on_thread_member_join(member)¶
- discord.on_thread_member_remove(member)¶
-
Called when a
ThreadMember
leaves or joins aThread
.You can get the thread a member belongs in by accessing
ThreadMember.thread
.This requires
Intents.members
to be enabled.New in version 2.0.
- Parameters
-
member (
ThreadMember
) – The member who joined or left.
- discord.on_raw_thread_member_remove(payload)¶
-
Called when a
ThreadMember
leaves aThread
. Unlikeon_thread_member_remove()
this
is called regardless of the member being in the internal thread’s members cache or not.This requires
Intents.members
to be enabled.New in version 2.0.
- Parameters
-
payload – The raw event payload data.
Voice¶
- discord.on_voice_state_update(member, before, after)¶
-
Called when a
Member
changes theirVoiceState
.The following, but not limited to, examples illustrate when this event is called:
-
A member joins a voice or stage channel.
-
A member leaves a voice or stage channel.
-
A member is muted or deafened by their own accord.
-
A member is muted or deafened by a guild administrator.
This requires
Intents.voice_states
to be enabled.- Parameters
-
-
member (
Member
) – The member whose voice states changed. -
before (
VoiceState
) – The voice state prior to the changes. -
after (
VoiceState
) – The voice state after the changes.
-
-
Utility Functions¶
- discord.utils.find(predicate, iterable, /)¶
-
A helper to return the first element found in the sequence
that meets the predicate. For example:member = discord.utils.find(lambda m: m.name == 'Mighty', channel.guild.members)
would find the first
Member
whose name is ‘Mighty’ and return it.
If an entry is not found, thenNone
is returned.This is different from
filter()
due to the fact it stops the moment it finds
a valid entry.Changed in version 2.0: Both parameters are now positional-only.
- Parameters
-
-
predicate – A function that returns a boolean-like result.
-
iterable (Union[
collections.abc.Iterable
,collections.abc.AsyncIterable
]) – The iterable to search through. Using acollections.abc.AsyncIterable
,
makes this function return a coroutine.
-
- discord.utils.get(iterable, /, **attrs)¶
-
A helper that returns the first element in the iterable that meets
all the traits passed inattrs
. This is an alternative for
find()
.When multiple attributes are specified, they are checked using
logical AND, not logical OR. Meaning they have to meet every
attribute passed in and not one of them.To have a nested attribute search (i.e. search by
x.y
) then
pass inx__y
as the keyword argument.If nothing is found that matches the attributes passed, then
None
is returned.Changed in version 2.0: The
iterable
parameter is now positional-only.Examples
Basic usage:
member = discord.utils.get(message.guild.members, name='Foo')
Multiple attribute matching:
channel = discord.utils.get(guild.voice_channels, name='Foo', bitrate=64000)
Nested attribute matching:
channel = discord.utils.get(client.get_all_channels(), guild__name='Cool', name='general')
Async iterables:
msg = await discord.utils.get(channel.history(), author__name='Dave')
- Parameters
-
-
iterable (Union[
collections.abc.Iterable
,collections.abc.AsyncIterable
]) – The iterable to search through. Using acollections.abc.AsyncIterable
,
makes this function return a coroutine. -
**attrs – Keyword arguments that denote attributes to search with.
-
- discord.utils.setup_logging(*, handler=…, formatter=…, level=…, root=True)¶
-
A helper function to setup logging.
This is superficially similar to
logging.basicConfig()
but
uses different defaults and a colour formatter if the stream can
display colour.This is used by the
Client
to set up logging
iflog_handler
is notNone
.New in version 2.0.
- Parameters
-
-
handler (
logging.Handler
) –The log handler to use for the library’s logger.
The default log handler if not provided is
logging.StreamHandler
. -
formatter (
logging.Formatter
) – The formatter to use with the given log handler. If not provided then it
defaults to a colour based logging formatter (if available). If colour
is not available then a simple logging formatter is provided. -
level (
int
) – The default log level for the library’s logger. Defaults tologging.INFO
. -
root (
bool
) – Whether to set up the root logger rather than the library logger.
Unlike the default forClient
, this defaults toTrue
.
-
- discord.utils.snowflake_time(id, /)¶
-
Returns the creation time of the given snowflake.
Changed in version 2.0: The
id
parameter is now positional-only.- Parameters
-
id (
int
) – The snowflake ID. - Returns
-
An aware datetime in UTC representing the creation time of the snowflake.
- Return type
-
datetime.datetime
- discord.utils.time_snowflake(dt, /, *, high=False)¶
-
Returns a numeric snowflake pretending to be created at the given date.
When using as the lower end of a range, use
time_snowflake(dt, high=False) - 1
to be inclusive,high=True
to be exclusive.When using as the higher end of a range, use
time_snowflake(dt, high=True) + 1
to be inclusive,high=False
to be exclusive.Changed in version 2.0: The
high
parameter is now keyword-only and thedt
parameter is now
positional-only.- Parameters
-
-
dt (
datetime.datetime
) – A datetime object to convert to a snowflake.
If naive, the timezone is assumed to be local time. -
high (
bool
) – Whether or not to set the lower 22 bit to high or low.
-
- Returns
-
The snowflake representing the time given.
- Return type
-
int
- discord.utils.oauth_url(client_id, *, permissions=…, guild=…, redirect_uri=…, scopes=…, disable_guild_select=False, state=…)¶
-
A helper function that returns the OAuth2 URL for inviting the bot
into guilds.Changed in version 2.0:
permissions
,guild
,redirect_uri
,scopes
andstate
parameters
are now keyword-only.- Parameters
-
-
client_id (Union[
int
,str
]) – The client ID for your bot. -
permissions (
Permissions
) – The permissions you’re requesting. If not given then you won’t be requesting any
permissions. -
guild (
Snowflake
) – The guild to pre-select in the authorization screen, if available. -
redirect_uri (
str
) – An optional valid redirect URI. -
scopes (Iterable[
str
]) –An optional valid list of scopes. Defaults to
('bot', 'applications.commands')
.New in version 1.7.
-
disable_guild_select (
bool
) –Whether to disallow the user from changing the guild dropdown.
New in version 2.0.
-
state (
str
) –The state to return after the authorization.
New in version 2.0.
-
- Returns
-
The OAuth2 URL for inviting the bot into guilds.
- Return type
-
str
- discord.utils.remove_markdown(text, *, ignore_links=True)¶
-
A helper function that removes markdown characters.
New in version 1.7.
Note
This function is not markdown aware and may remove meaning from the original text. For example,
if the input contains10 * 5
then it will be converted into10 5
.- Parameters
-
-
text (
str
) – The text to remove markdown from. -
ignore_links (
bool
) – Whether to leave links alone when removing markdown. For example,
if a URL in the text contains characters such as_
then it will
be left alone. Defaults toTrue
.
-
- Returns
-
The text with the markdown special characters removed.
- Return type
-
str
- discord.utils.escape_markdown(text, *, as_needed=False, ignore_links=True)¶
-
A helper function that escapes Discord’s markdown.
- Parameters
-
-
text (
str
) – The text to escape markdown from. -
as_needed (
bool
) – Whether to escape the markdown characters as needed. This
means that it does not escape extraneous characters if it’s
not necessary, e.g.**hello**
is escaped into**hello**
instead of**hello**
. Note however that this can open
you up to some clever syntax abuse. Defaults toFalse
. -
ignore_links (
bool
) – Whether to leave links alone when escaping markdown. For example,
if a URL in the text contains characters such as_
then it will
be left alone. This option is not supported withas_needed
.
Defaults toTrue
.
-
- Returns
-
The text with the markdown special characters escaped with a slash.
- Return type
-
str
- discord.utils.escape_mentions(text)¶
-
A helper function that escapes everyone, here, role, and user mentions.
Note
This does not include channel mentions.
Note
For more granular control over what mentions should be escaped
within messages, refer to theAllowedMentions
class.- Parameters
-
text (
str
) – The text to escape mentions from. - Returns
-
The text with the mentions removed.
- Return type
-
str
- class discord.ResolvedInvite¶
-
A data class which represents a resolved invite returned from
discord.utils.resolve_invite()
.- code¶
-
The invite code.
- Type
-
str
- event¶
-
The id of the scheduled event that the invite refers to.
- Type
-
Optional[
int
]
- discord.utils.resolve_invite(invite)¶
-
Resolves an invite from a
Invite
, URL or code.Changed in version 2.0: Now returns a
ResolvedInvite
instead of a
str
.- Parameters
-
invite (Union[
Invite
,str
]) – The invite. - Returns
-
A data class containing the invite code and the event ID.
- Return type
-
ResolvedInvite
- discord.utils.resolve_template(code)¶
-
Resolves a template code from a
Template
, URL or code.New in version 1.4.
- Parameters
-
code (Union[
Template
,str
]) – The code. - Returns
-
The template code.
- Return type
-
str
- await discord.utils.sleep_until(when, result=None)¶
-
This function is a coroutine.
Sleep until a specified time.
If the time supplied is in the past this function will yield instantly.
New in version 1.3.
- Parameters
-
-
when (
datetime.datetime
) – The timestamp in which to sleep until. If the datetime is naive then
it is assumed to be local time. -
result (Any) – If provided is returned to the caller when the coroutine completes.
-
- discord.utils.utcnow()¶
-
A helper function to return an aware UTC datetime representing the current time.
This should be preferred to
datetime.datetime.utcnow()
since it is an aware
datetime, compared to the naive datetime in the standard library.New in version 2.0.
- Returns
-
The current aware datetime in UTC.
- Return type
-
datetime.datetime
- discord.utils.format_dt(dt, /, style=None)¶
-
A helper function to format a
datetime.datetime
for presentation within Discord.This allows for a locale-independent way of presenting data using Discord specific Markdown.
Style
Example Output
Description
t
22:57
Short Time
T
22:57:58
Long Time
d
17/05/2016
Short Date
D
17 May 2016
Long Date
f (default)
17 May 2016 22:57
Short Date Time
F
Tuesday, 17 May 2016 22:57
Long Date Time
R
5 years ago
Relative Time
Note that the exact output depends on the user’s locale setting in the client. The example output
presented is using theen-GB
locale.New in version 2.0.
- Parameters
-
-
dt (
datetime.datetime
) – The datetime to format. -
style (
str
) – The style to format the datetime with.
-
- Returns
-
The formatted string.
- Return type
-
str
- discord.utils.as_chunks(iterator, max_size)¶
-
A helper function that collects an iterator into chunks of a given size.
New in version 2.0.
- Parameters
-
-
iterator (Union[
collections.abc.Iterable
,collections.abc.AsyncIterable
]) – The iterator to chunk, can be sync or async. -
max_size (
int
) – The maximum chunk size.
-
Warning
The last chunk collected may not be as large as
max_size
.- Returns
-
A new iterator which yields chunks of a given size.
- Return type
-
Union[
Iterator
,AsyncIterator
]
- discord.utils.MISSING¶
-
A type safe sentinel used in the library to represent something as missing. Used to distinguish from
None
values.New in version 2.0.
Enumerations¶
The API provides some enumerations for certain types of strings to avoid the API
from being stringly typed in case the strings change in the future.
All enumerations are subclasses of an internal class which mimics the behaviour
of enum.Enum
.
- class discord.ChannelType¶
-
Specifies the type of channel.
- text¶
-
A text channel.
- voice¶
-
A voice channel.
- private¶
-
A private text channel. Also called a direct message.
- group¶
-
A private group text channel.
- category¶
-
A category channel.
- news¶
-
A guild news channel.
- stage_voice¶
-
A guild stage voice channel.
New in version 1.7.
- news_thread¶
-
A news thread
New in version 2.0.
- public_thread¶
-
A public thread
New in version 2.0.
- private_thread¶
-
A private thread
New in version 2.0.
- forum¶
-
A forum channel.
New in version 2.0.
- class discord.MessageType¶
-
Specifies the type of
Message
. This is used to denote if a message
is to be interpreted as a system message or a regular message.- x == y
-
Checks if two messages are equal.
- x != y
-
Checks if two messages are not equal.
- default¶
-
The default message type. This is the same as regular messages.
- recipient_add¶
-
The system message when a user is added to a group private
message or a thread.
- recipient_remove¶
-
The system message when a user is removed from a group private
message or a thread.
- call¶
-
The system message denoting call state, e.g. missed call, started call,
etc.
- channel_name_change¶
-
The system message denoting that a channel’s name has been changed.
- channel_icon_change¶
-
The system message denoting that a channel’s icon has been changed.
- pins_add¶
-
The system message denoting that a pinned message has been added to a channel.
- new_member¶
-
The system message denoting that a new member has joined a Guild.
- premium_guild_subscription¶
-
The system message denoting that a member has “nitro boosted” a guild.
- premium_guild_tier_1¶
-
The system message denoting that a member has “nitro boosted” a guild
and it achieved level 1.
- premium_guild_tier_2¶
-
The system message denoting that a member has “nitro boosted” a guild
and it achieved level 2.
- premium_guild_tier_3¶
-
The system message denoting that a member has “nitro boosted” a guild
and it achieved level 3.
- channel_follow_add¶
-
The system message denoting that an announcement channel has been followed.
New in version 1.3.
- guild_stream¶
-
The system message denoting that a member is streaming in the guild.
New in version 1.7.
- guild_discovery_disqualified¶
-
The system message denoting that the guild is no longer eligible for Server
Discovery.New in version 1.7.
- guild_discovery_requalified¶
-
The system message denoting that the guild has become eligible again for Server
Discovery.New in version 1.7.
- guild_discovery_grace_period_initial_warning¶
-
The system message denoting that the guild has failed to meet the Server
Discovery requirements for one week.New in version 1.7.
- guild_discovery_grace_period_final_warning¶
-
The system message denoting that the guild has failed to meet the Server
Discovery requirements for 3 weeks in a row.New in version 1.7.
- thread_created¶
-
The system message denoting that a thread has been created. This is only
sent if the thread has been created from an older message. The period of time
required for a message to be considered old cannot be relied upon and is up to
Discord.New in version 2.0.
- reply¶
-
The system message denoting that the author is replying to a message.
New in version 2.0.
- chat_input_command¶
-
The system message denoting that a slash command was executed.
New in version 2.0.
- guild_invite_reminder¶
-
The system message sent as a reminder to invite people to the guild.
New in version 2.0.
- thread_starter_message¶
-
The system message denoting the message in the thread that is the one that started the
thread’s conversation topic.New in version 2.0.
- context_menu_command¶
-
The system message denoting that a context menu command was executed.
New in version 2.0.
- auto_moderation_action¶
-
The system message sent when an AutoMod rule is triggered. This is only
sent if the rule is configured to sent an alert when triggered.New in version 2.0.
- class discord.UserFlags¶
-
Represents Discord User flags.
- staff¶
-
The user is a Discord Employee.
- partner¶
-
The user is a Discord Partner.
- hypesquad¶
-
The user is a HypeSquad Events member.
- bug_hunter¶
-
The user is a Bug Hunter.
- mfa_sms¶
-
The user has SMS recovery for Multi Factor Authentication enabled.
- premium_promo_dismissed¶
-
The user has dismissed the Discord Nitro promotion.
- hypesquad_bravery¶
-
The user is a HypeSquad Bravery member.
- hypesquad_brilliance¶
-
The user is a HypeSquad Brilliance member.
- hypesquad_balance¶
-
The user is a HypeSquad Balance member.
- early_supporter¶
-
The user is an Early Supporter.
- team_user¶
-
The user is a Team User.
- system¶
-
The user is a system user (i.e. represents Discord officially).
- has_unread_urgent_messages¶
-
The user has an unread system message.
- bug_hunter_level_2¶
-
The user is a Bug Hunter Level 2.
- verified_bot¶
-
The user is a Verified Bot.
- verified_bot_developer¶
-
The user is an Early Verified Bot Developer.
- discord_certified_moderator¶
-
The user is a Discord Certified Moderator.
- bot_http_interactions¶
-
The user is a bot that only uses HTTP interactions and is shown in the online member list.
New in version 2.0.
- spammer¶
-
The user is flagged as a spammer by Discord.
New in version 2.0.
- active_developer¶
-
The user is an active developer.
New in version 2.1.
- class discord.ActivityType¶
-
Specifies the type of
Activity
. This is used to check how to
interpret the activity itself.- unknown¶
-
An unknown activity type. This should generally not happen.
- playing¶
-
A “Playing” activity type.
- streaming¶
-
A “Streaming” activity type.
- listening¶
-
A “Listening” activity type.
- watching¶
-
A “Watching” activity type.
- custom¶
-
A custom activity type.
- competing¶
-
A competing activity type.
New in version 1.5.
- class discord.VerificationLevel¶
-
Specifies a
Guild
‘s verification level, which is the criteria in
which a member must meet before being able to send messages to the guild.New in version 2.0.
- x == y
-
Checks if two verification levels are equal.
- x != y
-
Checks if two verification levels are not equal.
- x > y
-
Checks if a verification level is higher than another.
- x < y
-
Checks if a verification level is lower than another.
- x >= y
-
Checks if a verification level is higher or equal to another.
- x <= y
-
Checks if a verification level is lower or equal to another.
- none¶
-
No criteria set.
- low¶
-
Member must have a verified email on their Discord account.
- medium¶
-
Member must have a verified email and be registered on Discord for more
than five minutes.
- high¶
-
Member must have a verified email, be registered on Discord for more
than five minutes, and be a member of the guild itself for more than
ten minutes.
- highest¶
-
Member must have a verified phone on their Discord account.
- class discord.NotificationLevel¶
-
Specifies whether a
Guild
has notifications on for all messages or mentions only by default.New in version 2.0.
- x == y
-
Checks if two notification levels are equal.
- x != y
-
Checks if two notification levels are not equal.
- x > y
-
Checks if a notification level is higher than another.
- x < y
-
Checks if a notification level is lower than another.
- x >= y
-
Checks if a notification level is higher or equal to another.
- x <= y
-
Checks if a notification level is lower or equal to another.
- all_messages¶
-
Members receive notifications for every message regardless of them being mentioned.
- only_mentions¶
-
Members receive notifications for messages they are mentioned in.
- class discord.ContentFilter¶
-
Specifies a
Guild
‘s explicit content filter, which is the machine
learning algorithms that Discord uses to detect if an image contains
pornography or otherwise explicit content.New in version 2.0.
- x == y
-
Checks if two content filter levels are equal.
- x != y
-
Checks if two content filter levels are not equal.
- x > y
-
Checks if a content filter level is higher than another.
- x < y
-
Checks if a content filter level is lower than another.
- x >= y
-
Checks if a content filter level is higher or equal to another.
- x <= y
-
Checks if a content filter level is lower or equal to another.
- disabled¶
-
The guild does not have the content filter enabled.
- no_role¶
-
The guild has the content filter enabled for members without a role.
- all_members¶
-
The guild has the content filter enabled for every member.
- class discord.Status¶
-
Specifies a
Member
‘s status.- online¶
-
The member is online.
- offline¶
-
The member is offline.
- idle¶
-
The member is idle.
- dnd¶
-
The member is “Do Not Disturb”.
- do_not_disturb¶
-
An alias for
dnd
.
- invisible¶
-
The member is “invisible”. In reality, this is only used in sending
a presence a laClient.change_presence()
. When you receive a
user’s presence this will beoffline
instead.
- class discord.AuditLogAction¶
-
Represents the type of action being done for a
AuditLogEntry
,
which is retrievable viaGuild.audit_logs()
.- guild_update¶
-
The guild has updated. Things that trigger this include:
-
Changing the guild vanity URL
-
Changing the guild invite splash
-
Changing the guild AFK channel or timeout
-
Changing the guild voice server region
-
Changing the guild icon, banner, or discovery splash
-
Changing the guild moderation settings
-
Changing things related to the guild widget
When this is the action, the type of
target
is
theGuild
.Possible attributes for
AuditLogDiff
:-
afk_channel
-
system_channel
-
afk_timeout
-
default_notifications
-
explicit_content_filter
-
mfa_level
-
name
-
owner
-
splash
-
discovery_splash
-
icon
-
banner
-
vanity_url_code
-
description
-
preferred_locale
-
prune_delete_days
-
public_updates_channel
-
rules_channel
-
verification_level
-
widget_channel
-
widget_enabled
-
- channel_create¶
-
A new channel was created.
When this is the action, the type of
target
is
either aabc.GuildChannel
orObject
with an ID.A more filled out object in the
Object
case can be found
by usingafter
.Possible attributes for
AuditLogDiff
:-
name
-
type
-
overwrites
-
- channel_update¶
-
A channel was updated. Things that trigger this include:
-
The channel name or topic was changed
-
The channel bitrate was changed
When this is the action, the type of
target
is
theabc.GuildChannel
orObject
with an ID.A more filled out object in the
Object
case can be found
by usingafter
orbefore
.Possible attributes for
AuditLogDiff
:-
name
-
type
-
position
-
overwrites
-
topic
-
bitrate
-
rtc_region
-
video_quality_mode
-
default_auto_archive_duration
-
- channel_delete¶
-
A channel was deleted.
When this is the action, the type of
target
is
anObject
with an ID.A more filled out object can be found by using the
before
object.Possible attributes for
AuditLogDiff
:-
name
-
type
-
overwrites
-
- overwrite_create¶
-
A channel permission overwrite was created.
When this is the action, the type of
target
is
theabc.GuildChannel
orObject
with an ID.When this is the action, the type of
extra
is
either aRole
orMember
. If the object is not found
then it is aObject
with an ID being filled, a name, and a
type
attribute set to either'role'
or'member'
to help
dictate what type of ID it is.Possible attributes for
AuditLogDiff
:-
deny
-
allow
-
id
-
type
-
- overwrite_update¶
-
A channel permission overwrite was changed, this is typically
when the permission values change.See
overwrite_create
for more information on how the
target
andextra
fields
are set.Possible attributes for
AuditLogDiff
:-
deny
-
allow
-
id
-
type
-
- overwrite_delete¶
-
A channel permission overwrite was deleted.
See
overwrite_create
for more information on how the
target
andextra
fields
are set.Possible attributes for
AuditLogDiff
:-
deny
-
allow
-
id
-
type
-
- kick¶
-
A member was kicked.
When this is the action, the type of
target
is
theUser
who got kicked.When this is the action,
changes
is empty.
- member_prune¶
-
A member prune was triggered.
When this is the action, the type of
target
is
set toNone
.When this is the action, the type of
extra
is
set to an unspecified proxy object with two attributes:-
delete_members_days
: An integer specifying how far the prune was. -
members_removed
: An integer specifying how many members were removed.
When this is the action,
changes
is empty. -
- ban¶
-
A member was banned.
When this is the action, the type of
target
is
theUser
who got banned.When this is the action,
changes
is empty.
- unban¶
-
A member was unbanned.
When this is the action, the type of
target
is
theUser
who got unbanned.When this is the action,
changes
is empty.
- member_update¶
-
A member has updated. This triggers in the following situations:
-
A nickname was changed
-
They were server muted or deafened (or it was undo’d)
When this is the action, the type of
target
is
theMember
orUser
who got updated.Possible attributes for
AuditLogDiff
:-
nick
-
mute
-
deaf
-
timed_out_until
-
- member_role_update¶
-
A member’s role has been updated. This triggers when a member
either gains a role or loses a role.When this is the action, the type of
target
is
theMember
orUser
who got the role.Possible attributes for
AuditLogDiff
:-
roles
-
- member_move¶
-
A member’s voice channel has been updated. This triggers when a
member is moved to a different voice channel.When this is the action, the type of
extra
is
set to an unspecified proxy object with two attributes:-
channel
: ATextChannel
orObject
with the channel ID where the members were moved. -
count
: An integer specifying how many members were moved.
New in version 1.3.
-
- member_disconnect¶
-
A member’s voice state has changed. This triggers when a
member is force disconnected from voice.When this is the action, the type of
extra
is
set to an unspecified proxy object with one attribute:-
count
: An integer specifying how many members were disconnected.
New in version 1.3.
-
- bot_add¶
-
A bot was added to the guild.
When this is the action, the type of
target
is
theMember
orUser
which was added to the guild.New in version 1.3.
- role_create¶
-
A new role was created.
When this is the action, the type of
target
is
theRole
or aObject
with the ID.Possible attributes for
AuditLogDiff
:-
colour
-
mentionable
-
hoist
-
icon
-
unicode_emoji
-
name
-
permissions
-
- role_update¶
-
A role was updated. This triggers in the following situations:
-
The name has changed
-
The permissions have changed
-
The colour has changed
-
The role icon (or unicode emoji) has changed
-
Its hoist/mentionable state has changed
When this is the action, the type of
target
is
theRole
or aObject
with the ID.Possible attributes for
AuditLogDiff
:-
colour
-
mentionable
-
hoist
-
icon
-
unicode_emoji
-
name
-
permissions
-
- role_delete¶
-
A role was deleted.
When this is the action, the type of
target
is
theRole
or aObject
with the ID.Possible attributes for
AuditLogDiff
:-
colour
-
mentionable
-
hoist
-
name
-
permissions
-
- invite_create¶
-
An invite was created.
When this is the action, the type of
target
is
theInvite
that was created.Possible attributes for
AuditLogDiff
:-
max_age
-
code
-
temporary
-
inviter
-
channel
-
uses
-
max_uses
-
- invite_update¶
-
An invite was updated.
When this is the action, the type of
target
is
theInvite
that was updated.
- invite_delete¶
-
An invite was deleted.
When this is the action, the type of
target
is
theInvite
that was deleted.Possible attributes for
AuditLogDiff
:-
max_age
-
code
-
temporary
-
inviter
-
channel
-
uses
-
max_uses
-
- webhook_create¶
-
A webhook was created.
When this is the action, the type of
target
is
theObject
with the webhook ID.Possible attributes for
AuditLogDiff
:-
channel
-
name
-
type
(always set to1
if so)
-
- webhook_update¶
-
A webhook was updated. This trigger in the following situations:
-
The webhook name changed
-
The webhook channel changed
When this is the action, the type of
target
is
theObject
with the webhook ID.Possible attributes for
AuditLogDiff
:-
channel
-
name
-
avatar
-
- webhook_delete¶
-
A webhook was deleted.
When this is the action, the type of
target
is
theObject
with the webhook ID.Possible attributes for
AuditLogDiff
:-
channel
-
name
-
type
(always set to1
if so)
-
- emoji_create¶
-
An emoji was created.
When this is the action, the type of
target
is
theEmoji
orObject
with the emoji ID.Possible attributes for
AuditLogDiff
:-
name
-
- emoji_update¶
-
An emoji was updated. This triggers when the name has changed.
When this is the action, the type of
target
is
theEmoji
orObject
with the emoji ID.Possible attributes for
AuditLogDiff
:-
name
-
- emoji_delete¶
-
An emoji was deleted.
When this is the action, the type of
target
is
theObject
with the emoji ID.Possible attributes for
AuditLogDiff
:-
name
-
- message_delete¶
-
A message was deleted by a moderator. Note that this
only triggers if the message was deleted by someone other than the author.When this is the action, the type of
target
is
theMember
orUser
who had their message deleted.When this is the action, the type of
extra
is
set to an unspecified proxy object with two attributes:-
count
: An integer specifying how many messages were deleted. -
channel
: ATextChannel
orObject
with the channel ID where the message got deleted.
-
- message_bulk_delete¶
-
Messages were bulk deleted by a moderator.
When this is the action, the type of
target
is
theTextChannel
orObject
with the ID of the channel that was purged.When this is the action, the type of
extra
is
set to an unspecified proxy object with one attribute:-
count
: An integer specifying how many messages were deleted.
New in version 1.3.
-
- message_pin¶
-
A message was pinned in a channel.
When this is the action, the type of
target
is
theMember
orUser
who had their message pinned.When this is the action, the type of
extra
is
set to an unspecified proxy object with two attributes:-
channel
: ATextChannel
orObject
with the channel ID where the message was pinned. -
message_id
: the ID of the message which was pinned.
New in version 1.3.
-
- message_unpin¶
-
A message was unpinned in a channel.
When this is the action, the type of
target
is
theMember
orUser
who had their message unpinned.When this is the action, the type of
extra
is
set to an unspecified proxy object with two attributes:-
channel
: ATextChannel
orObject
with the channel ID where the message was unpinned. -
message_id
: the ID of the message which was unpinned.
New in version 1.3.
-
- integration_create¶
-
A guild integration was created.
When this is the action, the type of
target
is
aPartialIntegration
orObject
with the
integration ID of the integration which was created.New in version 1.3.
- integration_update¶
-
A guild integration was updated.
When this is the action, the type of
target
is
aPartialIntegration
orObject
with the
integration ID of the integration which was updated.New in version 1.3.
- integration_delete¶
-
A guild integration was deleted.
When this is the action, the type of
target
is
aPartialIntegration
orObject
with the
integration ID of the integration which was deleted.New in version 1.3.
- stage_instance_create¶
-
A stage instance was started.
When this is the action, the type of
target
is
theStageInstance
orObject
with the ID of the stage
instance which was created.Possible attributes for
AuditLogDiff
:-
topic
-
privacy_level
New in version 2.0.
-
- stage_instance_update¶
-
A stage instance was updated.
When this is the action, the type of
target
is
theStageInstance
orObject
with the ID of the stage
instance which was updated.Possible attributes for
AuditLogDiff
:-
topic
-
privacy_level
New in version 2.0.
-
- stage_instance_delete¶
-
A stage instance was ended.
New in version 2.0.
- sticker_create¶
-
A sticker was created.
When this is the action, the type of
target
is
theGuildSticker
orObject
with the ID of the sticker
which was created.Possible attributes for
AuditLogDiff
:-
name
-
emoji
-
type
-
format_type
-
description
-
available
New in version 2.0.
-
- sticker_update¶
-
A sticker was updated.
When this is the action, the type of
target
is
theGuildSticker
orObject
with the ID of the sticker
which was updated.Possible attributes for
AuditLogDiff
:-
name
-
emoji
-
type
-
format_type
-
description
-
available
New in version 2.0.
-
- sticker_delete¶
-
A sticker was deleted.
When this is the action, the type of
target
is
theGuildSticker
orObject
with the ID of the sticker
which was updated.Possible attributes for
AuditLogDiff
:-
name
-
emoji
-
type
-
format_type
-
description
-
available
New in version 2.0.
-
- scheduled_event_create¶
-
A scheduled event was created.
When this is the action, the type of
target
is
theScheduledEvent
orObject
with the ID of the event
which was created.Possible attributes for
AuditLogDiff
:
—name
—channel
—description
—privacy_level
—status
—entity_type
—cover_image
New in version 2.0.
- scheduled_event_update¶
-
A scheduled event was created.
When this is the action, the type of
target
is
theScheduledEvent
orObject
with the ID of the event
which was updated.Possible attributes for
AuditLogDiff
:
—name
—channel
—description
—privacy_level
—status
—entity_type
—cover_image
New in version 2.0.
- scheduled_event_delete¶
-
A scheduled event was created.
When this is the action, the type of
target
is
theScheduledEvent
orObject
with the ID of the event
which was deleted.Possible attributes for
AuditLogDiff
:
—name
—channel
—description
—privacy_level
—status
—entity_type
—cover_image
New in version 2.0.
- thread_create¶
-
A thread was created.
When this is the action, the type of
target
is
theThread
orObject
with the ID of the thread which
was created.Possible attributes for
AuditLogDiff
:-
name
-
archived
-
locked
-
auto_archive_duration
-
invitable
New in version 2.0.
-
- thread_update¶
-
A thread was updated.
When this is the action, the type of
target
is
theThread
orObject
with the ID of the thread which
was updated.Possible attributes for
AuditLogDiff
:-
name
-
archived
-
locked
-
auto_archive_duration
-
invitable
New in version 2.0.
-
- thread_delete¶
-
A thread was deleted.
When this is the action, the type of
target
is
theThread
orObject
with the ID of the thread which
was deleted.Possible attributes for
AuditLogDiff
:-
name
-
archived
-
locked
-
auto_archive_duration
-
invitable
New in version 2.0.
-
- app_command_permission_update¶
-
An application command or integrations application command permissions
were updated.When this is the action, the type of
target
is
aPartialIntegration
for an integrations general permissions,
AppCommand
for a specific commands permissions,
orObject
with the ID of the command or integration which
was updated.When this is the action, the type of
extra
is
set to anPartialIntegration
orObject
with the ID of
application that command or integration belongs to.Possible attributes for
AuditLogDiff
:-
app_command_permissions
New in version 2.0.
-
- automod_rule_create¶
-
An automod rule was created.
When this is the action, the type of
target
is
aAutoModRule
orObject
with the ID of the automod
rule that was created.Possible attributes for
AuditLogDiff
:-
name
-
enabled
-
event_type
-
trigger_type
-
trigger
-
actions
-
exempt_roles
-
exempt_channels
New in version 2.0.
-
- automod_role_update¶
-
An automod rule was updated.
When this is the action, the type of
target
is
aAutoModRule
orObject
with the ID of the automod
rule that was created.Possible attributes for
AuditLogDiff
:-
name
-
enabled
-
event_type
-
trigger_type
-
trigger
-
actions
-
exempt_roles
-
exempt_channels
New in version 2.0.
-
- automod_rule_delete¶
-
An automod rule was deleted.
When this is the action, the type of
target
is
aAutoModRule
orObject
with the ID of the automod
rule that was created.Possible attributes for
AuditLogDiff
:-
name
-
enabled
-
event_type
-
trigger_type
-
trigger
-
actions
-
exempt_roles
-
exempt_channels
New in version 2.0.
-
- automod_block_message¶
-
An automod rule blocked a message from being sent.
When this is the action, the type of
target
is
aMember
with the ID of the person who triggered the automod rule.When this is the action, the type of
extra
is
set to an unspecified proxy object with 3 attributes:-
automod_rule_name
: The name of the automod rule that was triggered. -
automod_rule_trigger
: AAutoModRuleTriggerType
representation of the rule type that was triggered. -
channel
: The channel in which the automod rule was triggered.
When this is the action,
AuditLogEntry.changes
is empty.New in version 2.0.
-
- automod_flag_message¶
-
An automod rule flagged a message.
When this is the action, the type of
target
is
aMember
with the ID of the person who triggered the automod rule.When this is the action, the type of
extra
is
set to an unspecified proxy object with 3 attributes:-
automod_rule_name
: The name of the automod rule that was triggered. -
automod_rule_trigger
: AAutoModRuleTriggerType
representation of the rule type that was triggered. -
channel
: The channel in which the automod rule was triggered.
When this is the action,
AuditLogEntry.changes
is empty.New in version 2.1.
-
- automod_timeout_member¶
-
An automod rule timed-out a member.
When this is the action, the type of
target
is
aMember
with the ID of the person who triggered the automod rule.When this is the action, the type of
extra
is
set to an unspecified proxy object with 3 attributes:-
automod_rule_name
: The name of the automod rule that was triggered. -
automod_rule_trigger
: AAutoModRuleTriggerType
representation of the rule type that was triggered. -
channel
: The channel in which the automod rule was triggered.
When this is the action,
AuditLogEntry.changes
is empty.New in version 2.1.
-
- class discord.AuditLogActionCategory¶
-
Represents the category that the
AuditLogAction
belongs to.This can be retrieved via
AuditLogEntry.category
.- create¶
-
The action is the creation of something.
- delete¶
-
The action is the deletion of something.
- update¶
-
The action is the update of something.
- class discord.TeamMembershipState¶
-
Represents the membership state of a team member retrieved through
Client.application_info()
.New in version 1.3.
- invited¶
-
Represents an invited member.
- accepted¶
-
Represents a member currently in the team.
- class discord.WebhookType¶
-
Represents the type of webhook that can be received.
New in version 1.3.
- incoming¶
-
Represents a webhook that can post messages to channels with a token.
- channel_follower¶
-
Represents a webhook that is internally managed by Discord, used for following channels.
- application¶
-
Represents a webhook that is used for interactions or applications.
New in version 2.0.
- class discord.ExpireBehaviour¶
-
Represents the behaviour the
Integration
should perform
when a user’s subscription has finished.There is an alias for this called
ExpireBehavior
.New in version 1.4.
- remove_role¶
-
This will remove the
StreamIntegration.role
from the user
when their subscription is finished.
- kick¶
-
This will kick the user when their subscription is finished.
- class discord.DefaultAvatar¶
-
Represents the default avatar of a Discord
User
- blurple¶
-
Represents the default avatar with the color blurple.
See alsoColour.blurple
- grey¶
-
Represents the default avatar with the color grey.
See alsoColour.greyple
- gray¶
-
An alias for
grey
.
- green¶
-
Represents the default avatar with the color green.
See alsoColour.green
- orange¶
-
Represents the default avatar with the color orange.
See alsoColour.orange
- red¶
-
Represents the default avatar with the color red.
See alsoColour.red
- class discord.StickerType¶
-
Represents the type of sticker.
New in version 2.0.
- standard¶
-
Represents a standard sticker that all Nitro users can use.
- guild¶
-
Represents a custom sticker created in a guild.
- class discord.StickerFormatType¶
-
Represents the type of sticker images.
New in version 1.6.
- png¶
-
Represents a sticker with a png image.
- apng¶
-
Represents a sticker with an apng image.
- lottie¶
-
Represents a sticker with a lottie image.
- class discord.InviteTarget¶
-
Represents the invite type for voice channel invites.
New in version 2.0.
- unknown¶
-
The invite doesn’t target anyone or anything.
- stream¶
-
A stream invite that targets a user.
- embedded_application¶
-
A stream invite that targets an embedded application.
- class discord.VideoQualityMode¶
-
Represents the camera video quality mode for voice channel participants.
New in version 2.0.
- auto¶
-
Represents auto camera video quality.
- full¶
-
Represents full camera video quality.
- class discord.PrivacyLevel¶
-
Represents the privacy level of a stage instance or scheduled event.
New in version 2.0.
- guild_only¶
-
The stage instance or scheduled event is only accessible within the guild.
- class discord.NSFWLevel¶
-
Represents the NSFW level of a guild.
New in version 2.0.
- x == y
-
Checks if two NSFW levels are equal.
- x != y
-
Checks if two NSFW levels are not equal.
- x > y
-
Checks if a NSFW level is higher than another.
- x < y
-
Checks if a NSFW level is lower than another.
- x >= y
-
Checks if a NSFW level is higher or equal to another.
- x <= y
-
Checks if a NSFW level is lower or equal to another.
- default¶
-
The guild has not been categorised yet.
- explicit¶
-
The guild contains NSFW content.
- safe¶
-
The guild does not contain any NSFW content.
- age_restricted¶
-
The guild may contain NSFW content.
- class discord.Locale¶
-
Supported locales by Discord. Mainly used for application command localisation.
New in version 2.0.
- american_english¶
-
The
en-US
locale.
- british_english¶
-
The
en-GB
locale.
- bulgarian¶
-
The
bg
locale.
- chinese¶
-
The
zh-CN
locale.
- taiwan_chinese¶
-
The
zh-TW
locale.
- croatian¶
-
The
hr
locale.
- czech¶
-
The
cs
locale.
- danish¶
-
The
da
locale.
- dutch¶
-
The
nl
locale.
- finnish¶
-
The
fi
locale.
- french¶
-
The
fr
locale.
- german¶
-
The
de
locale.
- greek¶
-
The
el
locale.
- hindi¶
-
The
hi
locale.
- hungarian¶
-
The
hu
locale.
- italian¶
-
The
it
locale.
- japanese¶
-
The
ja
locale.
- korean¶
-
The
ko
locale.
- lithuanian¶
-
The
lt
locale.
- norwegian¶
-
The
no
locale.
- polish¶
-
The
pl
locale.
- brazil_portuguese¶
-
The
pt-BR
locale.
- romanian¶
-
The
ro
locale.
- russian¶
-
The
ru
locale.
- spain_spanish¶
-
The
es-ES
locale.
- swedish¶
-
The
sv-SE
locale.
- thai¶
-
The
th
locale.
- turkish¶
-
The
tr
locale.
- ukrainian¶
-
The
uk
locale.
- vietnamese¶
-
The
vi
locale.
- class discord.MFALevel¶
-
Represents the Multi-Factor Authentication requirement level of a guild.
New in version 2.0.
- x == y
-
Checks if two MFA levels are equal.
- x != y
-
Checks if two MFA levels are not equal.
- x > y
-
Checks if a MFA level is higher than another.
- x < y
-
Checks if a MFA level is lower than another.
- x >= y
-
Checks if a MFA level is higher or equal to another.
- x <= y
-
Checks if a MFA level is lower or equal to another.
- disabled¶
-
The guild has no MFA requirement.
- require_2fa¶
-
The guild requires 2 factor authentication.
- class discord.EntityType¶
-
Represents the type of entity that a scheduled event is for.
New in version 2.0.
- stage_instance¶
-
The scheduled event will occur in a stage instance.
- voice¶
-
The scheduled event will occur in a voice channel.
- external¶
-
The scheduled event will occur externally.
- class discord.EventStatus¶
-
Represents the status of an event.
New in version 2.0.
- scheduled¶
-
The event is scheduled.
- active¶
-
The event is active.
- completed¶
-
The event has ended.
- cancelled¶
-
The event has been cancelled.
- canceled¶
-
An alias for
cancelled
.
- ended¶
-
An alias for
completed
.
- class discord.AutoModRuleTriggerType¶
-
Represents the trigger type of an automod rule.
New in version 2.0.
- keyword¶
-
The rule will trigger when a keyword is mentioned.
- harmful_link¶
-
The rule will trigger when a harmful link is posted.
- spam¶
-
The rule will trigger when a spam message is posted.
- keyword_preset¶
-
The rule will trigger when something triggers based on the set keyword preset types.
- mention_spam¶
-
The rule will trigger when combined number of role and user mentions
is greater than the set limit.
- class discord.AutoModRuleEventType¶
-
Represents the event type of an automod rule.
New in version 2.0.
- message_send¶
-
The rule will trigger when a message is sent.
- class discord.AutoModRuleActionType¶
-
Represents the action type of an automod rule.
New in version 2.0.
- block_message¶
-
The rule will block a message from being sent.
- send_alert_message¶
-
The rule will send an alert message to a predefined channel.
- timeout¶
-
The rule will timeout a user.
Audit Log Data¶
Working with Guild.audit_logs()
is a complicated process with a lot of machinery
involved. The library attempts to make it easy to use and friendly. In order to accomplish
this goal, it must make use of a couple of data classes that aid in this goal.
AuditLogEntry¶
- class discord.AuditLogEntry(*, users, integrations, app_commands, automod_rules, data, guild)¶
-
Represents an Audit Log entry.
You retrieve these via
Guild.audit_logs()
.- x == y
-
Checks if two entries are equal.
- x != y
-
Checks if two entries are not equal.
- hash(x)
-
Returns the entry’s hash.
Changed in version 1.7: Audit log entries are now comparable and hashable.
- action¶
-
The action that was done.
- Type
-
AuditLogAction
- user¶
-
The user who initiated this action. Usually a
Member
, unless gone
then it’s aUser
.- Type
-
abc.User
- id¶
-
The entry ID.
- Type
-
int
- target¶
-
The target that got changed. The exact type of this depends on
the action being done.- Type
-
Any
- reason¶
-
The reason this action was done.
- Type
-
Optional[
str
]
-
Extra information that this entry has that might be useful.
For most actions, this isNone
. However in some cases it
contains extra information. SeeAuditLogAction
for
which actions have this field filled out.- Type
-
Any
- created_at¶
-
Returns the entry’s creation time in UTC.
- Type
-
datetime.datetime
- category¶
-
The category of the action, if applicable.
- Type
-
Optional[
AuditLogActionCategory
]
- changes¶
-
The list of changes this entry has.
- Type
-
AuditLogChanges
- before¶
-
The target’s prior state.
- Type
-
AuditLogDiff
- after¶
-
The target’s subsequent state.
- Type
-
AuditLogDiff
AuditLogChanges¶
- class discord.AuditLogChanges¶
-
An audit log change set.
- before¶
-
The old value. The attribute has the type of
AuditLogDiff
.Depending on the
AuditLogActionCategory
retrieved by
category
, the data retrieved by this
attribute differs:Category
Description
create
All attributes are set to
None
.delete
All attributes are set the value before deletion.
update
All attributes are set the value before updating.
None
No attributes are set.
- after¶
-
The new value. The attribute has the type of
AuditLogDiff
.Depending on the
AuditLogActionCategory
retrieved by
category
, the data retrieved by this
attribute differs:Category
Description
create
All attributes are set to the created value
delete
All attributes are set to
None
update
All attributes are set the value after updating.
None
No attributes are set.
AuditLogDiff¶
Attributes
- actions
- afk_channel
- afk_timeout
- allow
- app_command_permissions
- archived
- auto_archive_duration
- available
- avatar
- banner
- bitrate
- channel
- code
- color
- colour
- cover_image
- deaf
- default_auto_archive_duration
- default_notifications
- deny
- description
- discovery_splash
- emoji
- enable_emoticons
- enabled
- entity_type
- event_type
- exempt_channels
- exempt_roles
- expire_behavior
- expire_behaviour
- expire_grace_period
- explicit_content_filter
- format_type
- hoist
- icon
- id
- invitable
- inviter
- locked
- max_age
- max_uses
- mentionable
- mfa_level
- mute
- name
- nick
- overwrites
- owner
- permissions
- position
- preferred_locale
- privacy_level
- prune_delete_days
- public_updates_channel
- roles
- rtc_region
- rules_channel
- slowmode_delay
- splash
- status
- system_channel
- temporary
- timed_out_until
- topic
- trigger
- trigger_type
- type
- unicode_emoji
- uses
- vanity_url_code
- verification_level
- video_quality_mode
- widget_channel
- widget_enabled
- class discord.AuditLogDiff¶
-
Represents an audit log “change” object. A change object has dynamic
attributes that depend on the type of action being done. Certain actions
map to certain attributes being set.Note that accessing an attribute that does not match the specified action
will lead to an attribute error.To get a list of attributes that have been set, you can iterate over
them. To see a list of all possible attributes that could be set based
on the action being done, check the documentation forAuditLogAction
,
otherwise check the documentation below for all attributes that are possible.- iter(diff)
-
Returns an iterator over (attribute, value) tuple of this diff.
- name¶
-
A name of something.
- Type
-
str
- icon¶
-
A guild’s or role’s icon. See also
Guild.icon
orRole.icon
.- Type
-
Asset
- splash¶
-
The guild’s invite splash. See also
Guild.splash
.- Type
-
Asset
- discovery_splash¶
-
The guild’s discovery splash. See also
Guild.discovery_splash
.- Type
-
Asset
-
The guild’s banner. See also
Guild.banner
.- Type
-
Asset
- owner¶
-
The guild’s owner. See also
Guild.owner
- Type
-
Union[
Member
,User
]
- afk_channel¶
-
The guild’s AFK channel.
If this could not be found, then it falls back to a
Object
with the ID being set.See
Guild.afk_channel
.- Type
-
Union[
VoiceChannel
,Object
]
- system_channel¶
-
The guild’s system channel.
If this could not be found, then it falls back to a
Object
with the ID being set.See
Guild.system_channel
.- Type
-
Union[
TextChannel
,Object
]
- rules_channel¶
-
The guild’s rules channel.
If this could not be found then it falls back to a
Object
with the ID being set.See
Guild.rules_channel
.- Type
-
Union[
TextChannel
,Object
]
- public_updates_channel¶
-
The guild’s public updates channel.
If this could not be found then it falls back to a
Object
with the ID being set.See
Guild.public_updates_channel
.- Type
-
Union[
TextChannel
,Object
]
- afk_timeout¶
-
The guild’s AFK timeout. See
Guild.afk_timeout
.- Type
-
int
- mfa_level¶
-
The guild’s MFA level. See
Guild.mfa_level
.- Type
-
MFALevel
- widget_enabled¶
-
The guild’s widget has been enabled or disabled.
- Type
-
bool
- widget_channel¶
-
The widget’s channel.
If this could not be found then it falls back to a
Object
with the ID being set.- Type
-
Union[
TextChannel
,Object
]
- verification_level¶
-
The guild’s verification level.
See also
Guild.verification_level
.- Type
-
VerificationLevel
- default_notifications¶
-
The guild’s default notification level.
See also
Guild.default_notifications
.- Type
-
NotificationLevel
- explicit_content_filter¶
-
The guild’s content filter.
See also
Guild.explicit_content_filter
.- Type
-
ContentFilter
- vanity_url_code¶
-
The guild’s vanity URL.
See also
Guild.vanity_invite()
andGuild.edit()
.- Type
-
str
- position¶
-
The position of a
Role
orabc.GuildChannel
.- Type
-
int
- type¶
-
The type of channel or sticker.
- Type
-
Union[
ChannelType
,StickerType
]
- topic¶
-
The topic of a
TextChannel
orStageChannel
.See also
TextChannel.topic
orStageChannel.topic
.- Type
-
str
- bitrate¶
-
The bitrate of a
VoiceChannel
.See also
VoiceChannel.bitrate
.- Type
-
int
- overwrites¶
-
A list of permission overwrite tuples that represents a target and a
PermissionOverwrite
for said target.The first element is the object being targeted, which can either
be aMember
orUser
orRole
. If this object
is not found then it is aObject
with an ID being filled and
atype
attribute set to either'role'
or'member'
to help
decide what type of ID it is.- Type
-
List[Tuple[target,
PermissionOverwrite
]]
- privacy_level¶
-
The privacy level of the stage instance or scheduled event
- Type
-
PrivacyLevel
- roles¶
-
A list of roles being added or removed from a member.
If a role is not found then it is a
Object
with the ID and name being
filled in.- Type
-
List[Union[
Role
,Object
]]
- nick¶
-
The nickname of a member.
See also
Member.nick
- Type
-
Optional[
str
]
- deaf¶
-
Whether the member is being server deafened.
See also
VoiceState.deaf
.- Type
-
bool
- mute¶
-
Whether the member is being server muted.
See also
VoiceState.mute
.- Type
-
bool
- permissions¶
-
The permissions of a role.
See also
Role.permissions
.- Type
-
Permissions
- colour¶
- color¶
-
The colour of a role.
See also
Role.colour
- Type
-
Colour
- hoist¶
-
Whether the role is being hoisted or not.
See also
Role.hoist
- Type
-
bool
- mentionable¶
-
Whether the role is mentionable or not.
See also
Role.mentionable
- Type
-
bool
- code¶
-
The invite’s code.
See also
Invite.code
- Type
-
str
- channel¶
-
A guild channel.
If the channel is not found then it is a
Object
with the ID
being set. In some cases the channel name is also set.- Type
-
Union[
abc.GuildChannel
,Object
]
- inviter¶
-
The user who created the invite.
See also
Invite.inviter
.- Type
-
Optional[
User
]
- max_uses¶
-
The invite’s max uses.
See also
Invite.max_uses
.- Type
-
int
- uses¶
-
The invite’s current uses.
See also
Invite.uses
.- Type
-
int
- max_age¶
-
The invite’s max age in seconds.
See also
Invite.max_age
.- Type
-
int
- temporary¶
-
If the invite is a temporary invite.
See also
Invite.temporary
.- Type
-
bool
- allow¶
- deny¶
-
The permissions being allowed or denied.
- Type
-
Permissions
- id¶
-
The ID of the object being changed.
- Type
-
int
- avatar¶
-
The avatar of a member.
See also
User.avatar
.- Type
-
Asset
- slowmode_delay¶
-
The number of seconds members have to wait before
sending another message in the channel.See also
TextChannel.slowmode_delay
.- Type
-
int
- rtc_region¶
-
The region for the voice channel’s voice communication.
A value ofNone
indicates automatic voice region detection.See also
VoiceChannel.rtc_region
.- Type
-
str
- video_quality_mode¶
-
The camera video quality for the voice channel’s participants.
See also
VoiceChannel.video_quality_mode
.- Type
-
VideoQualityMode
- format_type¶
-
The format type of a sticker being changed.
See also
GuildSticker.format
- Type
-
StickerFormatType
- emoji¶
-
The name of the emoji that represents a sticker being changed.
See also
GuildSticker.emoji
.- Type
-
str
- unicode_emoji¶
-
The unicode emoji that is used as an icon for the role being changed.
See also
Role.unicode_emoji
.- Type
-
str
- description¶
-
The description of a guild, a sticker, or a scheduled event.
See also
Guild.description
,GuildSticker.description
, or
ScheduledEvent.description
.- Type
-
str
- available¶
-
The availability of a sticker being changed.
See also
GuildSticker.available
- Type
-
bool
- archived¶
-
The thread is now archived.
- Type
-
bool
- locked¶
-
The thread is being locked or unlocked.
- Type
-
bool
- auto_archive_duration¶
-
The thread’s auto archive duration being changed.
See also
Thread.auto_archive_duration
- Type
-
int
- default_auto_archive_duration¶
-
The default auto archive duration for newly created threads being changed.
- Type
-
int
- invitable¶
-
Whether non-moderators can add users to this private thread.
- Type
-
bool
- timed_out_until¶
-
Whether the user is timed out, and if so until when.
- Type
-
Optional[
datetime.datetime
]
- enable_emoticons¶
-
Integration emoticons were enabled or disabled.
See also
StreamIntegration.enable_emoticons
- Type
-
bool
- expire_behaviour¶
- expire_behavior¶
-
The behaviour of expiring subscribers changed.
See also
StreamIntegration.expire_behaviour
- Type
-
ExpireBehaviour
- expire_grace_period¶
-
The grace period before expiring subscribers changed.
See also
StreamIntegration.expire_grace_period
- Type
-
int
- preferred_locale¶
-
The preferred locale for the guild changed.
See also
Guild.preferred_locale
- Type
-
Locale
- prune_delete_days¶
-
The number of days after which inactive and role-unassigned members are kicked has been changed.
- Type
-
int
- status¶
-
The status of the scheduled event.
- Type
-
EventStatus
- entity_type¶
-
The type of entity this scheduled event is for.
- Type
-
EntityType
- cover_image¶
-
The scheduled event’s cover image.
See also
ScheduledEvent.cover_image
.- Type
-
Asset
- app_command_permissions¶
-
List of permissions for the app command.
- Type
-
List[
AppCommandPermissions
]
- enabled¶
-
Whether the automod rule is active or not.
- Type
-
bool
- event_type¶
-
The event type for triggering the automod rule.
- Type
-
AutoModRuleEventType
- trigger_type¶
-
The trigger type for the automod rule.
- Type
-
AutoModRuleTriggerType
- trigger¶
-
The trigger for the automod rule.
- Type
-
AutoModTrigger
- actions¶
-
The actions to take when an automod rule is triggered.
- Type
-
List[AutoModRuleAction]
- exempt_roles¶
-
The list of roles that are exempt from the automod rule.
- Type
-
List[Union[
Role
,Object
]]
- exempt_channels¶
-
The list of channels or threads that are exempt from the automod rule.
- Type
-
List[
abc.GuildChannel
,Thread
,Object
]
Webhook Support¶
discord.py offers support for creating, editing, and executing webhooks through the Webhook
class.
Webhook¶
Attributes
- avatar
- channel
- channel_id
- created_at
- default_avatar
- display_avatar
- guild
- guild_id
- id
- name
- source_channel
- source_guild
- token
- type
- url
- user
Methods
-
clsWebhook.from_url -
clsWebhook.partial -
asyncdelete -
asyncdelete_message -
asyncedit -
asyncedit_message -
asyncfetch -
asyncfetch_message -
defis_authenticated -
defis_partial -
asyncsend
- class discord.Webhook¶
-
Represents an asynchronous Discord webhook.
Webhooks are a form to send messages to channels in Discord without a
bot user or authentication.There are two main ways to use Webhooks. The first is through the ones
received by the library such asGuild.webhooks()
,
TextChannel.webhooks()
,VoiceChannel.webhooks()
andForumChannel.webhooks()
.
The ones received by the library will automatically be
bound using the library’s internal HTTP session.The second form involves creating a webhook object manually using the
from_url()
orpartial()
classmethods.For example, creating a webhook from a URL and using aiohttp:
from discord import Webhook import aiohttp async def foo(): async with aiohttp.ClientSession() as session: webhook = Webhook.from_url('url-here', session=session) await webhook.send('Hello World', username='Foo')
For a synchronous counterpart, see
SyncWebhook
.- x == y
-
Checks if two webhooks are equal.
- x != y
-
Checks if two webhooks are not equal.
- hash(x)
-
Returns the webhooks’s hash.
Changed in version 1.4: Webhooks are now comparable and hashable.
- id¶
-
The webhook’s ID
- Type
-
int
- type¶
-
The type of the webhook.
New in version 1.3.
- Type
-
WebhookType
- token¶
-
The authentication token of the webhook. If this is
None
then the webhook cannot be used to make requests.- Type
-
Optional[
str
]
- guild_id¶
-
The guild ID this webhook is for.
- Type
-
Optional[
int
]
- channel_id¶
-
The channel ID this webhook is for.
- Type
-
Optional[
int
]
- user¶
-
The user this webhook was created by. If the webhook was
received without authentication then this will beNone
.- Type
-
Optional[
abc.User
]
- name¶
-
The default name of the webhook.
- Type
-
Optional[
str
]
- source_guild¶
-
The guild of the channel that this webhook is following.
Only given iftype
isWebhookType.channel_follower
.New in version 2.0.
- Type
-
Optional[
PartialWebhookGuild
]
- source_channel¶
-
The channel that this webhook is following.
Only given iftype
isWebhookType.channel_follower
.New in version 2.0.
- Type
-
Optional[
PartialWebhookChannel
]
- property url¶
-
Returns the webhook’s url.
- Type
-
str
- classmethod partial(id, token, *, session, bot_token=None)¶
-
Creates a partial
Webhook
.- Parameters
-
-
id (
int
) – The ID of the webhook. -
token (
str
) – The authentication token of the webhook. -
session (
aiohttp.ClientSession
) –The session to use to send requests with. Note
that the library does not manage the session and
will not close it.New in version 2.0.
-
bot_token (Optional[
str
]) –The bot authentication token for authenticated requests
involving the webhook.New in version 2.0.
-
- Returns
-
A partial
Webhook
.
A partial webhook is just a webhook object with an ID and a token. - Return type
-
Webhook
- classmethod from_url(url, *, session, bot_token=None)¶
-
Creates a partial
Webhook
from a webhook URL.Changed in version 2.0: This function will now raise
ValueError
instead of
InvalidArgument
.- Parameters
-
-
url (
str
) – The URL of the webhook. -
session (
aiohttp.ClientSession
) –The session to use to send requests with. Note
that the library does not manage the session and
will not close it.New in version 2.0.
-
bot_token (Optional[
str
]) –The bot authentication token for authenticated requests
involving the webhook.New in version 2.0.
-
- Raises
-
ValueError – The URL is invalid.
- Returns
-
A partial
Webhook
.
A partial webhook is just a webhook object with an ID and a token. - Return type
-
Webhook
- await fetch(*, prefer_auth=True)¶
-
This function is a coroutine.
Fetches the current webhook.
This could be used to get a full webhook from a partial webhook.
New in version 2.0.
Note
When fetching with an unauthenticated webhook, i.e.
is_authenticated()
returnsFalse
, then the
returned webhook does not contain any user information.- Parameters
-
prefer_auth (
bool
) – Whether to use the bot token over the webhook token
if available. Defaults toTrue
. - Raises
-
-
HTTPException – Could not fetch the webhook
-
NotFound – Could not find the webhook by this ID
-
ValueError – This webhook does not have a token associated with it.
-
- Returns
-
The fetched webhook.
- Return type
-
Webhook
- await delete(*, reason=None, prefer_auth=True)¶
-
This function is a coroutine.
Deletes this Webhook.
- Parameters
-
-
reason (Optional[
str
]) –The reason for deleting this webhook. Shows up on the audit log.
New in version 1.4.
-
prefer_auth (
bool
) –Whether to use the bot token over the webhook token
if available. Defaults toTrue
.New in version 2.0.
-
- Raises
-
-
HTTPException – Deleting the webhook failed.
-
NotFound – This webhook does not exist.
-
Forbidden – You do not have permissions to delete this webhook.
-
ValueError – This webhook does not have a token associated with it.
-
- await edit(*, reason=None, name=…, avatar=…, channel=None, prefer_auth=True)¶
-
This function is a coroutine.
Edits this Webhook.
Changed in version 2.0: This function will now raise
ValueError
instead of
InvalidArgument
.- Parameters
-
-
name (Optional[
str
]) – The webhook’s new default name. -
avatar (Optional[
bytes
]) – A bytes-like object representing the webhook’s new default avatar. -
channel (Optional[
abc.Snowflake
]) –The webhook’s new channel. This requires an authenticated webhook.
New in version 2.0.
-
reason (Optional[
str
]) –The reason for editing this webhook. Shows up on the audit log.
New in version 1.4.
-
prefer_auth (
bool
) –Whether to use the bot token over the webhook token
if available. Defaults toTrue
.New in version 2.0.
-
- Raises
-
-
HTTPException – Editing the webhook failed.
-
NotFound – This webhook does not exist.
-
ValueError – This webhook does not have a token associated with it
or it tried editing a channel without authentication.
-
- property avatar¶
-
Returns an
Asset
for the avatar the webhook has.If the webhook does not have a traditional avatar,
None
is returned.
If you want the avatar that a webhook has displayed, considerdisplay_avatar
.- Type
-
Optional[
Asset
]
- property channel¶
-
The channel this webhook belongs to.
If this is a partial webhook, then this will always return
None
.- Type
-
Optional[Union[
ForumChannel
,VoiceChannel
,TextChannel
]]
- property created_at¶
-
Returns the webhook’s creation time in UTC.
- Type
-
datetime.datetime
- property default_avatar¶
-
Returns the default avatar. This is always the blurple avatar.
New in version 2.0.
- Type
-
Asset
- property display_avatar¶
-
Returns the webhook’s display avatar.
This is either webhook’s default avatar or uploaded avatar.
New in version 2.0.
- Type
-
Asset
- property guild¶
-
The guild this webhook belongs to.
If this is a partial webhook, then this will always return
None
.- Type
-
Optional[
Guild
]
- is_authenticated()¶
-
bool
: Whether the webhook is authenticated with a bot token.New in version 2.0.
- is_partial()¶
-
bool
: Whether the webhook is a “partial” webhook.New in version 2.0.
- await send(content=…, *, username=…, avatar_url=…, tts=False, ephemeral=False, file=…, files=…, embed=…, embeds=…, allowed_mentions=…, view=…, thread=…, thread_name=…, wait=False, suppress_embeds=False)¶
-
This function is a coroutine.
Sends a message using the webhook.
The content must be a type that can convert to a string through
str(content)
.To upload a single file, the
file
parameter should be used with a
singleFile
object.If the
embed
parameter is provided, it must be of typeEmbed
and
it must be a rich embed type. You cannot mix theembed
parameter with the
embeds
parameter, which must be alist
ofEmbed
objects to send.Changed in version 2.0: This function will now raise
ValueError
instead of
InvalidArgument
.- Parameters
-
-
content (
str
) – The content of the message to send. -
wait (
bool
) – Whether the server should wait before sending a response. This essentially
means that the return type of this function changes fromNone
to
aWebhookMessage
if set toTrue
. If the type of webhook
isWebhookType.application
then this is always set toTrue
. -
username (
str
) – The username to send with this message. If no username is provided
then the default username for the webhook is used. -
avatar_url (
str
) – The avatar URL to send with this message. If no avatar URL is provided
then the default avatar for the webhook is used. If this is not a
string then it is explicitly cast usingstr
. -
tts (
bool
) – Indicates if the message should be sent using text-to-speech. -
ephemeral (
bool
) –Indicates if the message should only be visible to the user.
This is only available toWebhookType.application
webhooks.
If a view is sent with an ephemeral message and it has no timeout set
then the timeout is set to 15 minutes.New in version 2.0.
-
file (
File
) – The file to upload. This cannot be mixed withfiles
parameter. -
files (List[
File
]) – A list of files to send with the content. This cannot be mixed with the
file
parameter. -
embed (
Embed
) – The rich embed for the content to send. This cannot be mixed with
embeds
parameter. -
embeds (List[
Embed
]) – A list of embeds to send with the content. Maximum of 10. This cannot
be mixed with theembed
parameter. -
allowed_mentions (
AllowedMentions
) –Controls the mentions being processed in this message.
New in version 1.4.
-
view (
discord.ui.View
) –The view to send with the message. You can only send a view
if this webhook is not partial and has state attached. A
webhook has state attached if the webhook is managed by the
library.New in version 2.0.
-
thread (
Snowflake
) –The thread to send this webhook to.
New in version 2.0.
-
thread_name (
str
) –The thread name to create with this webhook if the webhook belongs
to aForumChannel
. Note that this is mutually
exclusive with thethread
parameter, as this will create a
new thread with the given name.New in version 2.0.
-
suppress_embeds (
bool
) –Whether to suppress embeds for the message. This sends the message without any embeds if set to
True
.New in version 2.0.
-
- Raises
-
-
HTTPException – Sending the message failed.
-
NotFound – This webhook was not found.
-
Forbidden – The authorization token for the webhook is incorrect.
-
TypeError – You specified both
embed
andembeds
orfile
andfiles
orthread
andthread_name
. -
ValueError – The length of
embeds
was invalid, there was no token
associated with this webhook orephemeral
was passed
with the improper webhook type or there was no state
attached with this webhook when giving it a view.
-
- Returns
-
If
wait
isTrue
then the message that was sent, otherwiseNone
. - Return type
-
Optional[
WebhookMessage
]
- await fetch_message(id, /, *, thread=…)¶
-
This function is a coroutine.
Retrieves a single
WebhookMessage
owned by this webhook.New in version 2.0.
- Parameters
-
-
id (
int
) – The message ID to look for. -
thread (
Snowflake
) – The thread to look in.
-
- Raises
-
-
NotFound – The specified message was not found.
-
Forbidden – You do not have the permissions required to get a message.
-
HTTPException – Retrieving the message failed.
-
ValueError – There was no token associated with this webhook.
-
- Returns
-
The message asked for.
- Return type
-
WebhookMessage
- await edit_message(message_id, *, content=…, embeds=…, embed=…, attachments=…, view=…, allowed_mentions=None, thread=…)¶
-
This function is a coroutine.
Edits a message owned by this webhook.
This is a lower level interface to
WebhookMessage.edit()
in case
you only have an ID.New in version 1.6.
Changed in version 2.0: The edit is no longer in-place, instead the newly edited message is returned.
Changed in version 2.0: This function will now raise
ValueError
instead of
InvalidArgument
.- Parameters
-
-
message_id (
int
) – The message ID to edit. -
content (Optional[
str
]) – The content to edit the message with orNone
to clear it. -
embeds (List[
Embed
]) – A list of embeds to edit the message with. -
embed (Optional[
Embed
]) – The embed to edit the message with.None
suppresses the embeds.
This should not be mixed with theembeds
parameter. -
attachments (List[Union[
Attachment
,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.New in version 2.0.
-
allowed_mentions (
AllowedMentions
) – Controls the mentions being processed in this message.
Seeabc.Messageable.send()
for more information. -
view (Optional[
View
]) –The updated view to update this message with. If
None
is passed then
the view is removed. The webhook must have state attached, similar to
send()
.New in version 2.0.
-
thread (
Snowflake
) –The thread the webhook message belongs to.
New in version 2.0.
-
- Raises
-
-
HTTPException – Editing the message failed.
-
Forbidden – Edited a message that is not yours.
-
TypeError – You specified both
embed
andembeds
-
ValueError – The length of
embeds
was invalid,
there was no token associated with this webhook or the webhook had
no state.
-
- Returns
-
The newly edited webhook message.
- Return type
-
WebhookMessage
- await delete_message(message_id, /, *, thread=…)¶
-
This function is a coroutine.
Deletes a message owned by this webhook.
This is a lower level interface to
WebhookMessage.delete()
in case
you only have an ID.New in version 1.6.
Changed in version 2.0:
message_id
parameter is now positional-only.Changed in version 2.0: This function will now raise
ValueError
instead of
InvalidArgument
.- Parameters
-
-
message_id (
int
) – The message ID to delete. -
thread (
Snowflake
) –The thread the webhook message belongs to.
New in version 2.0.
-
- Raises
-
-
HTTPException – Deleting the message failed.
-
Forbidden – Deleted a message that is not yours.
-
ValueError – This webhook does not have a token associated with it.
-
WebhookMessage¶
Attributes
- clean_content
- created_at
- edited_at
- jump_url
- raw_channel_mentions
- raw_mentions
- raw_role_mentions
- system_content
Methods
-
asyncadd_files -
asyncadd_reaction -
asyncclear_reaction -
asyncclear_reactions -
asynccreate_thread -
asyncdelete -
asyncedit -
asyncfetch -
defis_system -
asyncpin -
asyncpublish -
asyncremove_attachments -
asyncremove_reaction -
asyncreply -
defto_reference -
asyncunpin
- class discord.WebhookMessage¶
-
Represents a message sent from your webhook.
This allows you to edit or delete a message sent by your
webhook.This inherits from
discord.Message
with changes to
edit()
anddelete()
to work.New in version 1.6.
- await edit(*, content=…, embeds=…, embed=…, attachments=…, view=…, allowed_mentions=None)¶
-
This function is a coroutine.
Edits the message.
New in version 1.6.
Changed in version 2.0: The edit is no longer in-place, instead the newly edited message is returned.
Changed in version 2.0: This function will now raise
ValueError
instead of
InvalidArgument
.- Parameters
-
-
content (Optional[
str
]) – The content to edit the message with orNone
to clear it. -
embeds (List[
Embed
]) – A list of embeds to edit the message with. -
embed (Optional[
Embed
]) – The embed to edit the message with.None
suppresses the embeds.
This should not be mixed with theembeds
parameter. -
attachments (List[Union[
Attachment
,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.Note
New files will always appear after current attachments.
New in version 2.0.
-
allowed_mentions (
AllowedMentions
) – Controls the mentions being processed in this message.
Seeabc.Messageable.send()
for more information. -
view (Optional[
View
]) –The updated view to update this message with. If
None
is passed then
the view is removed.New in version 2.0.
-
- Raises
-
-
HTTPException – Editing the message failed.
-
Forbidden – Edited a message that is not yours.
-
TypeError – You specified both
embed
andembeds
-
ValueError – The length of
embeds
was invalid or
there was no token associated with this webhook.
-
- Returns
-
The newly edited message.
- Return type
-
WebhookMessage
- await add_files(*files)¶
-
This function is a coroutine.
Adds new files to the end of the message attachments.
New in version 2.0.
- Parameters
-
*files (
File
) – New files to add to the message. - Raises
-
-
HTTPException – Editing the message failed.
-
Forbidden – Tried to edit a message that isn’t yours.
-
- Returns
-
The newly edited message.
- Return type
-
WebhookMessage
- await remove_attachments(*attachments)¶
-
This function is a coroutine.
Removes attachments from the message.
New in version 2.0.
- Parameters
-
*attachments (
Attachment
) – Attachments to remove from the message. - Raises
-
-
HTTPException – Editing the message failed.
-
Forbidden – Tried to edit a message that isn’t yours.
-
- Returns
-
The newly edited message.
- Return type
-
WebhookMessage
- await delete(*, delay=None)¶
-
This function is a coroutine.
Deletes the message.
- Parameters
-
delay (Optional[
float
]) – If provided, the number of seconds to wait before deleting the message.
The waiting is done in the background and deletion failures are ignored. - Raises
-
-
Forbidden – You do not have proper permissions to delete the message.
-
NotFound – The message was deleted already.
-
HTTPException – Deleting the message failed.
-
- await add_reaction(emoji, /)¶
-
This function is a coroutine.
Adds a reaction to the message.
The emoji may be a unicode emoji or a custom guild
Emoji
.You must have
read_message_history
to do this. If nobody else has reacted to the message using this
emoji,add_reactions
is required.Changed in version 2.0:
emoji
parameter is now positional-only.Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
emoji (Union[
Emoji
,Reaction
,PartialEmoji
,str
]) – The emoji to react with. - 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.
-
- clean_content¶
-
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
.This will also transform @everyone and @here mentions into
non-mentions.Note
This does not affect markdown. If you want to escape
or remove markdown then useutils.escape_markdown()
orutils.remove_markdown()
respectively, along with this function.- Type
-
str
- await clear_reaction(emoji)¶
-
This function is a coroutine.
Clears a specific reaction from the message.
The emoji may be a unicode emoji or a custom guild
Emoji
.You must have
manage_messages
to do this.New in version 1.3.
Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
emoji (Union[
Emoji
,Reaction
,PartialEmoji
,str
]) – The emoji to clear. - 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.
-
- await clear_reactions()¶
-
This function is a coroutine.
Removes all the reactions from the message.
You must have
manage_messages
to do this.- Raises
-
-
HTTPException – Removing the reactions failed.
-
Forbidden – You do not have the proper permissions to remove all the reactions.
-
- await create_thread(*, name, auto_archive_duration=…, slowmode_delay=None, reason=None)¶
-
This function is a coroutine.
Creates a public thread from this message.
You must have
create_public_threads
in order to
create a public thread from a message.The channel this message belongs in must be a
TextChannel
.New in version 2.0.
- Parameters
-
-
name (
str
) – The name of the thread. -
auto_archive_duration (
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[
int
]) – Specifies the slowmode rate limit for user in this channel, in seconds.
The maximum value possible is21600
. By default no slowmode rate limit
if this isNone
. -
reason (Optional[
str
]) – The reason for creating a new thread. Shows up on the audit log.
-
- 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.
-
- Returns
-
The created thread.
- Return type
-
Thread
- property created_at¶
-
The message’s creation time in UTC.
- Type
-
datetime.datetime
- property edited_at¶
-
An aware UTC datetime object containing the edited time of the message.
- Type
-
Optional[
datetime.datetime
]
- await fetch()¶
-
This function is a coroutine.
Fetches the partial message to a full
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.
-
- Returns
-
The full message.
- Return type
-
Message
- is_system()¶
-
bool
: Whether the message is a system message.A system message is a message that is constructed entirely by the Discord API
in response to something.New in version 1.3.
- property jump_url¶
-
Returns a URL that allows the client to jump to this message.
- Type
-
str
- await pin(*, reason=None)¶
-
This function is a coroutine.
Pins the message.
You must have
manage_messages
to do
this in a non-private channel context.- Parameters
-
reason (Optional[
str
]) –The reason for pinning the message. Shows up on the audit log.
New in version 1.4.
- 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.
-
- await publish()¶
-
This function is a coroutine.
Publishes this message to your announcement channel.
You must have
send_messages
to do this.If the message is not your own then
manage_messages
is also needed.- Raises
-
-
Forbidden – You do not have the proper permissions to publish this message.
-
HTTPException – Publishing the message failed.
-
- raw_channel_mentions¶
-
A property that returns an array of channel IDs matched with
the syntax of<#channel_id>
in the message content.- Type
-
List[
int
]
- raw_mentions¶
-
A property that returns an array of user IDs matched with
the syntax of<@user_id>
in the message content.This allows you to receive the user IDs of mentioned users
even in a private message context.- Type
-
List[
int
]
- raw_role_mentions¶
-
A property that returns an array of role IDs matched with
the syntax of<@&role_id>
in the message content.- Type
-
List[
int
]
- await remove_reaction(emoji, member)¶
-
This function is a coroutine.
Remove a reaction by the member from the message.
The emoji may be a unicode emoji or a custom guild
Emoji
.If the reaction is not your own (i.e.
member
parameter is not you) then
manage_messages
is needed.The
member
parameter must represent a member and meet
theabc.Snowflake
abc.Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
-
emoji (Union[
Emoji
,Reaction
,PartialEmoji
,str
]) – The emoji to remove. -
member (
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.
-
- await reply(content=None, **kwargs)¶
-
This function is a coroutine.
A shortcut method to
abc.Messageable.send()
to reply to the
Message
.New in version 1.6.
Changed in version 2.0: This function will now raise
TypeError
or
ValueError
instead ofInvalidArgument
.- Raises
-
-
HTTPException – Sending the message failed.
-
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
andfiles
.
-
- Returns
-
The message that was sent.
- Return type
-
Message
- system_content¶
-
A property that returns the content that is rendered
regardless of theMessage.type
.In the case of
MessageType.default
andMessageType.reply
,
this just returns the regularMessage.content
. Otherwise this
returns an English message denoting the contents of the system message.- Type
-
str
- to_reference(*, fail_if_not_exists=True)¶
-
Creates a
MessageReference
from the current message.New in version 1.6.
- Parameters
-
fail_if_not_exists (
bool
) –Whether replying using the message reference should raise
HTTPException
if the message no longer exists or Discord could not fetch the message.New in version 1.7.
- Returns
-
The reference to this message.
- Return type
-
MessageReference
- await unpin(*, reason=None)¶
-
This function is a coroutine.
Unpins the message.
You must have
manage_messages
to do
this in a non-private channel context.- Parameters
-
reason (Optional[
str
]) –The reason for unpinning the message. Shows up on the audit log.
New in version 1.4.
- 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.
-
SyncWebhook¶
Attributes
- avatar
- channel
- channel_id
- created_at
- default_avatar
- display_avatar
- guild
- guild_id
- id
- name
- source_channel
- source_guild
- token
- type
- url
- user
Methods
-
clsSyncWebhook.from_url -
clsSyncWebhook.partial -
defdelete -
defdelete_message -
defedit -
defedit_message -
deffetch -
deffetch_message -
defis_authenticated -
defis_partial -
defsend
- class discord.SyncWebhook¶
-
Represents a synchronous Discord webhook.
For an asynchronous counterpart, see
Webhook
.- x == y
-
Checks if two webhooks are equal.
- x != y
-
Checks if two webhooks are not equal.
- hash(x)
-
Returns the webhooks’s hash.
Changed in version 1.4: Webhooks are now comparable and hashable.
- id¶
-
The webhook’s ID
- Type
-
int
- type¶
-
The type of the webhook.
New in version 1.3.
- Type
-
WebhookType
- token¶
-
The authentication token of the webhook. If this is
None
then the webhook cannot be used to make requests.- Type
-
Optional[
str
]
- guild_id¶
-
The guild ID this webhook is for.
- Type
-
Optional[
int
]
- channel_id¶
-
The channel ID this webhook is for.
- Type
-
Optional[
int
]
- user¶
-
The user this webhook was created by. If the webhook was
received without authentication then this will beNone
.- Type
-
Optional[
abc.User
]
- name¶
-
The default name of the webhook.
- Type
-
Optional[
str
]
- source_guild¶
-
The guild of the channel that this webhook is following.
Only given iftype
isWebhookType.channel_follower
.New in version 2.0.
- Type
-
Optional[
PartialWebhookGuild
]
- source_channel¶
-
The channel that this webhook is following.
Only given iftype
isWebhookType.channel_follower
.New in version 2.0.
- Type
-
Optional[
PartialWebhookChannel
]
- property url¶
-
Returns the webhook’s url.
- Type
-
str
- classmethod partial(id, token, *, session=…, bot_token=None)¶
-
Creates a partial
Webhook
.- Parameters
-
-
id (
int
) – The ID of the webhook. -
token (
str
) – The authentication token of the webhook. -
session (
requests.Session
) – The session to use to send requests with. Note
that the library does not manage the session and
will not close it. If not given, therequests
auto session creation functions are used instead. -
bot_token (Optional[
str
]) – The bot authentication token for authenticated requests
involving the webhook.
-
- Returns
-
A partial
Webhook
.
A partial webhook is just a webhook object with an ID and a token. - Return type
-
Webhook
- classmethod from_url(url, *, session=…, bot_token=None)¶
-
Creates a partial
Webhook
from a webhook URL.- Parameters
-
-
url (
str
) – The URL of the webhook. -
session (
requests.Session
) – The session to use to send requests with. Note
that the library does not manage the session and
will not close it. If not given, therequests
auto session creation functions are used instead. -
bot_token (Optional[
str
]) – The bot authentication token for authenticated requests
involving the webhook.
-
- Raises
-
ValueError – The URL is invalid.
- Returns
-
A partial
Webhook
.
A partial webhook is just a webhook object with an ID and a token. - Return type
-
Webhook
- fetch(*, prefer_auth=True)¶
-
Fetches the current webhook.
This could be used to get a full webhook from a partial webhook.
Note
When fetching with an unauthenticated webhook, i.e.
is_authenticated()
returnsFalse
, then the
returned webhook does not contain any user information.- Parameters
-
prefer_auth (
bool
) – Whether to use the bot token over the webhook token
if available. Defaults toTrue
. - Raises
-
-
HTTPException – Could not fetch the webhook
-
NotFound – Could not find the webhook by this ID
-
ValueError – This webhook does not have a token associated with it.
-
- Returns
-
The fetched webhook.
- Return type
-
SyncWebhook
- delete(*, reason=None, prefer_auth=True)¶
-
Deletes this Webhook.
- Parameters
-
-
reason (Optional[
str
]) –The reason for deleting this webhook. Shows up on the audit log.
New in version 1.4.
-
prefer_auth (
bool
) – Whether to use the bot token over the webhook token
if available. Defaults toTrue
.
-
- Raises
-
-
HTTPException – Deleting the webhook failed.
-
NotFound – This webhook does not exist.
-
Forbidden – You do not have permissions to delete this webhook.
-
ValueError – This webhook does not have a token associated with it.
-
- edit(*, reason=None, name=…, avatar=…, channel=None, prefer_auth=True)¶
-
Edits this Webhook.
- Parameters
-
-
name (Optional[
str
]) – The webhook’s new default name. -
avatar (Optional[
bytes
]) – A bytes-like object representing the webhook’s new default avatar. -
channel (Optional[
abc.Snowflake
]) – The webhook’s new channel. This requires an authenticated webhook. -
reason (Optional[
str
]) –The reason for editing this webhook. Shows up on the audit log.
New in version 1.4.
-
prefer_auth (
bool
) – Whether to use the bot token over the webhook token
if available. Defaults toTrue
.
-
- Raises
-
-
HTTPException – Editing the webhook failed.
-
NotFound – This webhook does not exist.
-
ValueError – This webhook does not have a token associated with it
or it tried editing a channel without authentication.
-
- Returns
-
The newly edited webhook.
- Return type
-
SyncWebhook
- send(content=…, *, username=…, avatar_url=…, tts=False, file=…, files=…, embed=…, embeds=…, allowed_mentions=…, thread=…, thread_name=…, wait=False, suppress_embeds=False)¶
-
Sends a message using the webhook.
The content must be a type that can convert to a string through
str(content)
.To upload a single file, the
file
parameter should be used with a
singleFile
object.If the
embed
parameter is provided, it must be of typeEmbed
and
it must be a rich embed type. You cannot mix theembed
parameter with the
embeds
parameter, which must be alist
ofEmbed
objects to send.- Parameters
-
-
content (
str
) – The content of the message to send. -
wait (
bool
) – Whether the server should wait before sending a response. This essentially
means that the return type of this function changes fromNone
to
aWebhookMessage
if set toTrue
. -
username (
str
) – The username to send with this message. If no username is provided
then the default username for the webhook is used. -
avatar_url (
str
) – The avatar URL to send with this message. If no avatar URL is provided
then the default avatar for the webhook is used. If this is not a
string then it is explicitly cast usingstr
. -
tts (
bool
) – Indicates if the message should be sent using text-to-speech. -
file (
File
) – The file to upload. This cannot be mixed withfiles
parameter. -
files (List[
File
]) – A list of files to send with the content. This cannot be mixed with the
file
parameter. -
embed (
Embed
) – The rich embed for the content to send. This cannot be mixed with
embeds
parameter. -
embeds (List[
Embed
]) – A list of embeds to send with the content. Maximum of 10. This cannot
be mixed with theembed
parameter. -
allowed_mentions (
AllowedMentions
) –Controls the mentions being processed in this message.
New in version 1.4.
-
thread (
Snowflake
) –The thread to send this message to.
New in version 2.0.
-
thread_name (
str
) –The thread name to create with this webhook if the webhook belongs
to aForumChannel
. Note that this is mutually
exclusive with thethread
parameter, as this will create a
new thread with the given name.New in version 2.0.
-
suppress_embeds (
bool
) –Whether to suppress embeds for the message. This sends the message without any embeds if set to
True
.New in version 2.0.
-
- Raises
-
-
HTTPException – Sending the message failed.
-
NotFound – This webhook was not found.
-
Forbidden – The authorization token for the webhook is incorrect.
-
TypeError – You specified both
embed
andembeds
orfile
andfiles
orthread
andthread_name
. -
ValueError – The length of
embeds
was invalid or
there was no token associated with this webhook.
-
- Returns
-
If
wait
isTrue
then the message that was sent, otherwiseNone
. - Return type
-
Optional[
SyncWebhookMessage
]
- fetch_message(id, /, *, thread=…)¶
-
Retrieves a single
SyncWebhookMessage
owned by this webhook.New in version 2.0.
- Parameters
-
-
id (
int
) – The message ID to look for. -
thread (
Snowflake
) – The thread to look in.
-
- Raises
-
-
NotFound – The specified message was not found.
-
Forbidden – You do not have the permissions required to get a message.
-
HTTPException – Retrieving the message failed.
-
ValueError – There was no token associated with this webhook.
-
- Returns
-
The message asked for.
- Return type
-
SyncWebhookMessage
- property avatar¶
-
Returns an
Asset
for the avatar the webhook has.If the webhook does not have a traditional avatar,
None
is returned.
If you want the avatar that a webhook has displayed, considerdisplay_avatar
.- Type
-
Optional[
Asset
]
- property channel¶
-
The channel this webhook belongs to.
If this is a partial webhook, then this will always return
None
.- Type
-
Optional[Union[
ForumChannel
,VoiceChannel
,TextChannel
]]
- property created_at¶
-
Returns the webhook’s creation time in UTC.
- Type
-
datetime.datetime
- property default_avatar¶
-
Returns the default avatar. This is always the blurple avatar.
New in version 2.0.
- Type
-
Asset
- property display_avatar¶
-
Returns the webhook’s display avatar.
This is either webhook’s default avatar or uploaded avatar.
New in version 2.0.
- Type
-
Asset
- edit_message(message_id, *, content=…, embeds=…, embed=…, attachments=…, allowed_mentions=None, thread=…)¶
-
Edits a message owned by this webhook.
This is a lower level interface to
WebhookMessage.edit()
in case
you only have an ID.New in version 1.6.
- Parameters
-
-
message_id (
int
) – The message ID to edit. -
content (Optional[
str
]) – The content to edit the message with orNone
to clear it. -
embeds (List[
Embed
]) – A list of embeds to edit the message with. -
embed (Optional[
Embed
]) – The embed to edit the message with.None
suppresses the embeds.
This should not be mixed with theembeds
parameter. -
attachments (List[Union[
Attachment
,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.New in version 2.0.
-
allowed_mentions (
AllowedMentions
) – Controls the mentions being processed in this message.
Seeabc.Messageable.send()
for more information. -
thread (
Snowflake
) –The thread the webhook message belongs to.
New in version 2.0.
-
- Raises
-
-
HTTPException – Editing the message failed.
-
Forbidden – Edited a message that is not yours.
-
TypeError – You specified both
embed
andembeds
-
ValueError – The length of
embeds
was invalid or
there was no token associated with this webhook.
-
- property guild¶
-
The guild this webhook belongs to.
If this is a partial webhook, then this will always return
None
.- Type
-
Optional[
Guild
]
- is_authenticated()¶
-
bool
: Whether the webhook is authenticated with a bot token.New in version 2.0.
- is_partial()¶
-
bool
: Whether the webhook is a “partial” webhook.New in version 2.0.
- delete_message(message_id, /, *, thread=…)¶
-
Deletes a message owned by this webhook.
This is a lower level interface to
WebhookMessage.delete()
in case
you only have an ID.New in version 1.6.
- Parameters
-
-
message_id (
int
) – The message ID to delete. -
thread (
Snowflake
) –The thread the webhook message belongs to.
New in version 2.0.
-
- Raises
-
-
HTTPException – Deleting the message failed.
-
Forbidden – Deleted a message that is not yours.
-
ValueError – This webhook does not have a token associated with it.
-
SyncWebhookMessage¶
Methods
-
defadd_files -
defdelete -
defedit -
defremove_attachments
- class discord.SyncWebhookMessage¶
-
Represents a message sent from your webhook.
This allows you to edit or delete a message sent by your
webhook.This inherits from
discord.Message
with changes to
edit()
anddelete()
to work.New in version 2.0.
- edit(*, content=…, embeds=…, embed=…, attachments=…, allowed_mentions=None)¶
-
Edits the message.
Changed in version 2.0: This function will now raise
TypeError
or
ValueError
instead ofInvalidArgument
.- Parameters
-
-
content (Optional[
str
]) – The content to edit the message with orNone
to clear it. -
embeds (List[
Embed
]) – A list of embeds to edit the message with. -
embed (Optional[
Embed
]) – The embed to edit the message with.None
suppresses the embeds.
This should not be mixed with theembeds
parameter. -
attachments (List[Union[
Attachment
,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.Note
New files will always appear after current attachments.
New in version 2.0.
-
allowed_mentions (
AllowedMentions
) – Controls the mentions being processed in this message.
Seeabc.Messageable.send()
for more information.
-
- Raises
-
-
HTTPException – Editing the message failed.
-
Forbidden – Edited a message that is not yours.
-
TypeError – You specified both
embed
andembeds
-
ValueError – The length of
embeds
was invalid or
there was no token associated with this webhook.
-
- Returns
-
The newly edited message.
- Return type
-
SyncWebhookMessage
- add_files(*files)¶
-
Adds new files to the end of the message attachments.
New in version 2.0.
- Parameters
-
*files (
File
) – New files to add to the message. - Raises
-
-
HTTPException – Editing the message failed.
-
Forbidden – Tried to edit a message that isn’t yours.
-
- Returns
-
The newly edited message.
- Return type
-
SyncWebhookMessage
- remove_attachments(*attachments)¶
-
Removes attachments from the message.
New in version 2.0.
- Parameters
-
*attachments (
Attachment
) – Attachments to remove from the message. - Raises
-
-
HTTPException – Editing the message failed.
-
Forbidden – Tried to edit a message that isn’t yours.
-
- Returns
-
The newly edited message.
- Return type
-
SyncWebhookMessage
- delete(*, delay=None)¶
-
Deletes the message.
- Parameters
-
delay (Optional[
float
]) – If provided, the number of seconds to wait before deleting the message.
This blocks the thread. - Raises
-
-
Forbidden – You do not have proper permissions to delete the message.
-
NotFound – The message was deleted already.
-
HTTPException – Deleting the message failed.
-
Abstract Base Classes¶
An abstract base class (also known as an abc
) is a class that models can inherit
to get their behaviour. Abstract base classes should not be instantiated.
They are mainly there for usage with isinstance()
and issubclass()
.
This library has a module related to abstract base classes, in which all the ABCs are subclasses of
typing.Protocol
.
Snowflake¶
- class discord.abc.Snowflake¶
-
An ABC that details the common operations on a Discord model.
Almost all Discord models meet this
abstract base class.If you want to create a snowflake on your own, consider using
Object
.- id¶
-
The model’s unique ID.
- Type
-
int
User¶
- class discord.abc.User¶
-
An ABC that details the common operations on a Discord user.
The following implement this ABC:
-
User
-
ClientUser
-
Member
This ABC must also implement
Snowflake
.- name¶
-
The user’s username.
- Type
-
str
- discriminator¶
-
The user’s discriminator.
- Type
-
str
- bot¶
-
If the user is a bot account.
- Type
-
bool
- system¶
-
If the user is a system account.
- Type
-
bool
- property display_name¶
-
Returns the user’s display name.
- Type
-
str
- property mention¶
-
Returns a string that allows you to mention the given user.
- Type
-
str
- property avatar¶
-
Returns an Asset that represents the user’s avatar, if present.
- Type
-
Optional[
Asset
]
- property default_avatar¶
-
Returns the default avatar for a given user. This is calculated by the user’s discriminator.
- Type
-
Asset
- property display_avatar¶
-
Returns the user’s display avatar.
For regular users this is just their default avatar or uploaded avatar.
New in version 2.0.
- Type
-
Asset
- mentioned_in(message)¶
-
Checks if the user is mentioned in the specified message.
- Parameters
-
message (
Message
) – The message to check if you’re mentioned in. - Returns
-
Indicates if the user is mentioned in the message.
- Return type
-
bool
-
PrivateChannel¶
- class discord.abc.PrivateChannel¶
-
An ABC that details the common operations on a private Discord channel.
The following implement this ABC:
-
DMChannel
-
GroupChannel
This ABC must also implement
Snowflake
.- me¶
-
The user presenting yourself.
- Type
-
ClientUser
-
GuildChannel¶
Attributes
- category
- changed_roles
- created_at
- guild
- jump_url
- mention
- name
- overwrites
- permissions_synced
- position
Methods
-
asyncclone -
asynccreate_invite -
asyncdelete -
asyncinvites -
asyncmove -
defoverwrites_for -
defpermissions_for -
asyncset_permissions
- class discord.abc.GuildChannel¶
-
An ABC that details the common operations on a Discord guild channel.
The following implement this ABC:
-
TextChannel
-
VoiceChannel
-
CategoryChannel
-
StageChannel
-
ForumChannel
This ABC must also implement
Snowflake
.- name¶
-
The channel name.
- Type
-
str
- guild¶
-
The guild the channel belongs to.
- Type
-
Guild
- position¶
-
The position in the channel list. This is a number that starts at 0.
e.g. the top channel is position 0.- Type
-
int
- property changed_roles¶
-
Returns a list of roles that have been overridden from
their default values in theroles
attribute.- Type
-
List[
Role
]
- property mention¶
-
The string that allows you to mention the channel.
- Type
-
str
- property jump_url¶
-
Returns a URL that allows the client to jump to the channel.
New in version 2.0.
- Type
-
str
- property created_at¶
-
Returns the channel’s creation time in UTC.
- Type
-
datetime.datetime
- overwrites_for(obj)¶
-
Returns the channel-specific overwrites for a member or a role.
- Parameters
-
obj (Union[
Role
,User
,Object
]) – The role or user denoting whose overwrite to get. - Returns
-
The permission overwrites for this object.
- Return type
-
PermissionOverwrite
- property overwrites¶
-
Returns all of the channel’s overwrites.
This is returned as a dictionary where the key contains the target which
can be either aRole
or aMember
and the value is the
overwrite as aPermissionOverwrite
.Changed in version 2.0: Overwrites can now be type-aware
Object
in case of cache lookup failure- Returns
-
The channel’s permission overwrites.
- Return type
-
Dict[Union[
Role
,Member
,Object
],PermissionOverwrite
]
- property category¶
-
The category this channel belongs to.
If there is no category then this is
None
.- Type
-
Optional[
CategoryChannel
]
- property permissions_synced¶
-
Whether or not the permissions for this channel are synced with the
category it belongs to.If there is no category then this is
False
.New in version 1.3.
- Type
-
bool
- permissions_for(obj, /)¶
-
Handles permission resolution for the
Member
orRole
.This function takes into consideration the following cases:
-
Guild owner
-
Guild roles
-
Channel overrides
-
Member overrides
-
Member timeout
If a
Role
is passed, then it checks the permissions
someone with that role would have, which is essentially:-
The default role permissions
-
The permissions of the role used as a parameter
-
The default role permission overwrites
-
The permission overwrites of the role used as a parameter
Changed in version 2.0: The object passed in can now be a role object.
Changed in version 2.0:
obj
parameter is now positional-only.- Parameters
-
obj (Union[
Member
,Role
]) – The object to resolve permissions for. This could be either
a member or a role. If it’s a role then member overwrites
are not computed. - Returns
-
The resolved permissions for the member or role.
- Return type
-
Permissions
-
- await delete(*, reason=None)¶
-
This function is a coroutine.
Deletes the channel.
You must have
manage_channels
to do this.- Parameters
-
reason (Optional[
str
]) – The reason for deleting this channel.
Shows up on the audit log. - Raises
-
-
Forbidden – You do not have proper permissions to delete the channel.
-
NotFound – The channel was not found or was already deleted.
-
HTTPException – Deleting the channel failed.
-
- await set_permissions(target, *, overwrite=see — below, reason=None, **permissions)¶
-
This function is a coroutine.
Sets the channel specific permission overwrites for a target in the
channel.The
target
parameter should either be aMember
or a
Role
that belongs to guild.The
overwrite
parameter, if given, must either beNone
or
PermissionOverwrite
. For convenience, you can pass in
keyword arguments denotingPermissions
attributes. If this is
done, then you cannot mix the keyword arguments with theoverwrite
parameter.If the
overwrite
parameter isNone
, then the permission
overwrites are deleted.You must have
manage_roles
to do this.Note
This method replaces the old overwrites with the ones given.
Examples
Setting allow and deny:
await message.channel.set_permissions(message.author, read_messages=True, send_messages=False)
Deleting overwrites
await channel.set_permissions(member, overwrite=None)
Using
PermissionOverwrite
overwrite = discord.PermissionOverwrite() overwrite.send_messages = False overwrite.read_messages = True await channel.set_permissions(member, overwrite=overwrite)
Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
-
target (Union[
Member
,Role
]) – The member or role to overwrite permissions for. -
overwrite (Optional[
PermissionOverwrite
]) – The permissions to allow and deny to the target, orNone
to
delete the overwrite. -
**permissions – A keyword argument list of permissions to set for ease of use.
Cannot be mixed withoverwrite
. -
reason (Optional[
str
]) – The reason for doing this action. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have permissions to edit channel specific permissions.
-
HTTPException – Editing channel specific permissions failed.
-
NotFound – The role or member being edited is not part of the guild.
-
TypeError – The
overwrite
parameter was invalid or the target type was not
Role
orMember
. -
ValueError – The
overwrite
parameter andpositions
parameters were both
unset.
-
- await clone(*, name=None, reason=None)¶
-
This function is a coroutine.
Clones this channel. This creates a channel with the same properties
as this channel.You must have
manage_channels
to do this.New in version 1.1.
- Parameters
-
-
name (Optional[
str
]) – The name of the new channel. If not provided, defaults to this
channel name. -
reason (Optional[
str
]) – The reason for cloning this channel. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have the proper permissions to create this channel.
-
HTTPException – Creating the channel failed.
-
- Returns
-
The channel that was created.
- Return type
-
abc.GuildChannel
- await move(**kwargs)¶
-
This function is a coroutine.
A rich interface to help move a channel relative to other channels.
If exact position movement is required,
edit
should be used instead.You must have
manage_channels
to do this.Note
Voice channels will always be sorted below text channels.
This is a Discord limitation.New in version 1.7.
Changed in version 2.0: This function will now raise
TypeError
or
ValueError
instead ofInvalidArgument
.- Parameters
-
-
beginning (
bool
) – Whether to move the channel to the beginning of the
channel list (or category if given).
This is mutually exclusive withend
,before
, andafter
. -
end (
bool
) – Whether to move the channel to the end of the
channel list (or category if given).
This is mutually exclusive withbeginning
,before
, andafter
. -
before (
Snowflake
) – The channel that should be before our current channel.
This is mutually exclusive withbeginning
,end
, andafter
. -
after (
Snowflake
) – The channel that should be after our current channel.
This is mutually exclusive withbeginning
,end
, andbefore
. -
offset (
int
) – The number of channels to offset the move by. For example,
an offset of2
withbeginning=True
would move
it 2 after the beginning. A positive number moves it below
while a negative number moves it above. Note that this
number is relative and computed after thebeginning
,
end
,before
, andafter
parameters. -
category (Optional[
Snowflake
]) – The category to move this channel under.
IfNone
is given then it moves it out of the category.
This parameter is ignored if moving a category channel. -
sync_permissions (
bool
) – Whether to sync the permissions with the category (if given). -
reason (
str
) – The reason for the move.
-
- Raises
-
-
ValueError – An invalid position was given.
-
TypeError – A bad mix of arguments were passed.
-
Forbidden – You do not have permissions to move the channel.
-
HTTPException – Moving the channel failed.
-
- await create_invite(*, reason=None, max_age=0, max_uses=0, temporary=False, unique=True, target_type=None, target_user=None, target_application_id=None)¶
-
This function is a coroutine.
Creates an instant invite from a text or voice channel.
You must have
create_instant_invite
to do this.- Parameters
-
-
max_age (
int
) – How long the invite should last in seconds. If it’s 0 then the invite
doesn’t expire. Defaults to0
. -
max_uses (
int
) – How many uses the invite could be used for. If it’s 0 then there
are unlimited uses. Defaults to0
. -
temporary (
bool
) – Denotes that the invite grants temporary membership
(i.e. they get kicked after they disconnect). Defaults toFalse
. -
unique (
bool
) – Indicates if a unique invite URL should be created. Defaults to True.
If this is set toFalse
then it will return a previously created
invite. -
reason (Optional[
str
]) – The reason for creating this invite. Shows up on the audit log. -
target_type (Optional[
InviteTarget
]) –The type of target for the voice channel invite, if any.
New in version 2.0.
-
target_user (Optional[
User
]) –The user whose stream to display for this invite, required if
target_type
isInviteTarget.stream
. The user must be streaming in the channel.New in version 2.0.
-
target_application_id: –
Optional[
int
]: The id of the embedded application for the invite, required iftarget_type
isInviteTarget.embedded_application
.New in version 2.0.
-
- Raises
-
-
HTTPException – Invite creation failed.
-
NotFound – The channel that was passed is a category or an invalid channel.
-
- Returns
-
The invite that was created.
- Return type
-
Invite
- await invites()¶
-
This function is a coroutine.
Returns a list of all active instant invites from this channel.
You must have
manage_channels
to get this information.- Raises
-
-
Forbidden – You do not have proper permissions to get the information.
-
HTTPException – An error occurred while fetching the information.
-
- Returns
-
The list of invites that are currently active.
- Return type
-
List[
Invite
]
-
Messageable¶
Methods
-
asyncfetch_message -
async forhistory -
asyncpins -
asyncsend -
deftyping
- class discord.abc.Messageable¶
-
An ABC that details the common operations on a model that can send messages.
The following classes implement this ABC:
-
TextChannel
-
VoiceChannel
-
DMChannel
-
GroupChannel
-
PartialMessageable
-
User
-
Member
-
Context
-
Thread
- async with typing()¶
-
Returns an asynchronous context manager that allows you to send a typing indicator to
the destination for an indefinite period of time, or 10 seconds if the context manager
is called usingawait
.Example Usage:
async with channel.typing(): # simulate something heavy await asyncio.sleep(20) await channel.send('Done!')
Example Usage:
await channel.typing() # Do some computational magic for about 10 seconds await channel.send('Done!')
Changed in version 2.0: This no longer works with the
with
syntax,async with
must be used instead.Changed in version 2.0: Added functionality to
await
the context manager to send a typing indicator for 10 seconds.
- await send(content=None, *, tts=False, embed=None, embeds=None, file=None, files=None, stickers=None, delete_after=None, nonce=None, allowed_mentions=None, reference=None, mention_author=None, view=None, suppress_embeds=False)¶
-
This function is a coroutine.
Sends a message to the destination with the content given.
The content must be a type that can convert to a string through
str(content)
.
If the content is set toNone
(the default), then theembed
parameter must
be provided.To upload a single file, the
file
parameter should be used with a
singleFile
object. To upload multiple files, thefiles
parameter should be used with alist
ofFile
objects.
Specifying both parameters will lead to an exception.To upload a single embed, the
embed
parameter should be used with a
singleEmbed
object. To upload multiple embeds, theembeds
parameter should be used with alist
ofEmbed
objects.
Specifying both parameters will lead to an exception.Changed in version 2.0: This function will now raise
TypeError
or
ValueError
instead ofInvalidArgument
.- Parameters
-
-
content (Optional[
str
]) – The content of the message to send. -
tts (
bool
) – Indicates if the message should be sent using text-to-speech. -
embed (
Embed
) – The rich embed for the content. -
embeds (List[
Embed
]) –A list of embeds to upload. Must be a maximum of 10.
New in version 2.0.
-
file (
File
) – The file to upload. -
files (List[
File
]) – A list of files to upload. Must be a maximum of 10. -
nonce (
int
) – The nonce to use for sending this message. If the message was successfully sent,
then the message will have a nonce with this value. -
delete_after (
float
) – 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. -
allowed_mentions (
AllowedMentions
) –Controls the mentions being processed in this message. If this is
passed, then the object is merged withallowed_mentions
.
The merging behaviour only overrides attributes that have been explicitly passed
to the object, otherwise it uses the attributes set inallowed_mentions
.
If no object is passed at all then the defaults given byallowed_mentions
are used instead.New in version 1.4.
-
reference (Union[
Message
,MessageReference
,PartialMessage
]) –A reference to the
Message
to which you are replying, this can be created using
to_reference()
or passed directly as aMessage
. You can control
whether this mentions the author of the referenced message using thereplied_user
attribute ofallowed_mentions
or by settingmention_author
.New in version 1.6.
-
mention_author (Optional[
bool
]) –If set, overrides the
replied_user
attribute ofallowed_mentions
.New in version 1.6.
-
view (
discord.ui.View
) –A Discord UI View to add to the message.
New in version 2.0.
-
stickers (Sequence[Union[
GuildSticker
,StickerItem
]]) –A list of stickers to upload. Must be a maximum of 3.
New in version 2.0.
-
suppress_embeds (
bool
) –Whether to suppress embeds for the message. This sends the message without any embeds if set to
True
.New in version 2.0.
-
- Raises
-
-
HTTPException – Sending the message failed.
-
Forbidden – You do not have the proper permissions to send the message.
-
ValueError – The
files
orembeds
list is not of the appropriate size. -
TypeError – You specified both
file
andfiles
,
or you specified bothembed
andembeds
,
or thereference
object is not aMessage
,
MessageReference
orPartialMessage
.
-
- Returns
-
The message that was sent.
- Return type
-
Message
- await fetch_message(id, /)¶
-
This function is a coroutine.
Retrieves a single
Message
from the destination.- Parameters
-
id (
int
) – The message ID to look for. - Raises
-
-
NotFound – The specified message was not found.
-
Forbidden – You do not have the permissions required to get a message.
-
HTTPException – Retrieving the message failed.
-
- Returns
-
The message asked for.
- Return type
-
Message
- await pins()¶
-
This function is a coroutine.
Retrieves all messages that are currently pinned in the channel.
Note
Due to a limitation with the Discord API, the
Message
objects returned by this method do not contain complete
Message.reactions
data.- Raises
-
-
Forbidden – You do not have the permission to retrieve pinned messages.
-
HTTPException – Retrieving the pinned messages failed.
-
- Returns
-
The messages that are currently pinned.
- Return type
-
List[
Message
]
- async for … in history(*, limit=100, before=None, after=None, around=None, oldest_first=None)¶
-
Returns an asynchronous iterator that enables receiving the destination’s message history.
You must have
read_message_history
to do this.Examples
Usage
counter = 0 async for message in channel.history(limit=200): if message.author == client.user: counter += 1
Flattening into a list:
messages = [message async for message in channel.history(limit=123)] # messages is now a list of Message...
All parameters are optional.
- Parameters
-
-
limit (Optional[
int
]) – The number of messages to retrieve.
IfNone
, retrieves every message in the channel. Note, however,
that this would make it a slow operation. -
before (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages before this date or message.
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. -
after (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages after this date or message.
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. -
around (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages around this date or message.
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.
When using this argument, the maximum limit is 101. Note that if the limit is an
even number then this will return at most limit + 1 messages. -
oldest_first (Optional[
bool
]) – If set toTrue
, return messages in oldest->newest order. Defaults toTrue
if
after
is specified, otherwiseFalse
.
-
- Raises
-
-
Forbidden – You do not have permissions to get channel message history.
-
HTTPException – The request to get message history failed.
-
- Yields
-
Message
– The message with the message data parsed.
-
Connectable¶
- class discord.abc.Connectable¶
-
An ABC that details the common operations on a channel that can
connect to a voice server.The following implement this ABC:
-
VoiceChannel
-
StageChannel
- await connect(*, timeout=60.0, reconnect=True, cls=<class ‘discord.voice_client.VoiceClient’>, self_deaf=False, self_mute=False)¶
-
This function is a coroutine.
Connects to voice and creates a
VoiceClient
to establish
your connection to the voice server.This requires
voice_states
.- Parameters
-
-
timeout (
float
) – The timeout in seconds to wait for the voice endpoint. -
reconnect (
bool
) – Whether the bot should automatically attempt
a reconnect if a part of the handshake fails
or the gateway goes down. -
cls (Type[
VoiceProtocol
]) – A type that subclassesVoiceProtocol
to connect with.
Defaults toVoiceClient
. -
self_mute (
bool
) –Indicates if the client should be self-muted.
New in version 2.0.
-
self_deaf (
bool
) –Indicates if the client should be self-deafened.
New in version 2.0.
-
- Raises
-
-
asyncio.TimeoutError – Could not connect to the voice channel in time.
-
ClientException – You are already connected to a voice channel.
-
OpusNotLoaded – The opus library has not been loaded.
-
- Returns
-
A voice client that is fully connected to the voice server.
- Return type
-
VoiceProtocol
-
Discord Models¶
Models are classes that are received from Discord and are not meant to be created by
the user of the library.
Danger
The classes listed below are not intended to be created by users and are also
read-only.
For example, this means that you should not make your own User
instances
nor should you modify the User
instance yourself.
If you want to get one of these model classes instances they’d have to be through
the cache, and a common way of doing so is through the utils.find()
function
or attributes of model classes that you receive from the events specified in the
Event Reference.
Note
Nearly all classes here have __slots__ defined which means that it is
impossible to have dynamic attributes to the data classes.
ClientUser¶
Attributes
- accent_color
- accent_colour
- avatar
- banner
- bot
- color
- colour
- created_at
- default_avatar
- discriminator
- display_avatar
- display_name
- id
- locale
- mention
- mfa_enabled
- name
- public_flags
- system
- verified
Methods
-
asyncedit -
defmentioned_in
- class discord.ClientUser¶
-
Represents your Discord user.
- x == y
-
Checks if two users are equal.
- x != y
-
Checks if two users are not equal.
- hash(x)
-
Return the user’s hash.
- str(x)
-
Returns the user’s name with discriminator.
- name¶
-
The user’s username.
- Type
-
str
- id¶
-
The user’s unique ID.
- Type
-
int
- discriminator¶
-
The user’s discriminator. This is given when the username has conflicts.
- Type
-
str
- bot¶
-
Specifies if the user is a bot account.
- Type
-
bool
- system¶
-
Specifies if the user is a system user (i.e. represents Discord officially).
New in version 1.3.
- Type
-
bool
- verified¶
-
Specifies if the user’s email is verified.
- Type
-
bool
- locale¶
-
The IETF language tag used to identify the language the user is using.
- Type
-
Optional[
str
]
- mfa_enabled¶
-
Specifies if the user has MFA turned on and working.
- Type
-
bool
- await edit(*, username=…, avatar=…)¶
-
This function is a coroutine.
Edits the current profile of the client.
Note
To upload an avatar, a bytes-like object must be passed in that
represents the image being uploaded. If this is done through a file
then the file must be opened viaopen('some_filename', 'rb')
and
the bytes-like object is given through the use offp.read()
.The only image formats supported for uploading is JPEG and PNG.
Changed in version 2.0: The edit is no longer in-place, instead the newly edited client user is returned.
Changed in version 2.0: This function will now raise
ValueError
instead of
InvalidArgument
.- Parameters
-
-
username (
str
) – The new username you wish to change to. -
avatar (Optional[
bytes
]) – A bytes-like object representing the image to upload.
Could beNone
to denote no avatar.
-
- Raises
-
-
HTTPException – Editing your profile failed.
-
ValueError – Wrong image format passed for
avatar
.
-
- Returns
-
The newly edited client user.
- Return type
-
ClientUser
- property accent_color¶
-
Returns the user’s accent color, if applicable.
A user’s accent color is only shown if they do not have a banner.
This will only be available if the user explicitly sets a color.There is an alias for this named
accent_colour
.New in version 2.0.
Note
This information is only available via
Client.fetch_user()
.- Type
-
Optional[
Colour
]
- property accent_colour¶
-
Returns the user’s accent colour, if applicable.
A user’s accent colour is only shown if they do not have a banner.
This will only be available if the user explicitly sets a colour.There is an alias for this named
accent_color
.New in version 2.0.
Note
This information is only available via
Client.fetch_user()
.- Type
-
Optional[
Colour
]
- property avatar¶
-
Returns an
Asset
for the avatar the user has.If the user does not have a traditional avatar,
None
is returned.
If you want the avatar that a user has displayed, considerdisplay_avatar
.- Type
-
Optional[
Asset
]
-
Returns the user’s banner asset, if available.
New in version 2.0.
Note
This information is only available via
Client.fetch_user()
.- Type
-
Optional[
Asset
]
- property color¶
-
A property that returns a color denoting the rendered color
for the user. This always returnsColour.default()
.There is an alias for this named
colour
.- Type
-
Colour
- property colour¶
-
A property that returns a colour denoting the rendered colour
for the user. This always returnsColour.default()
.There is an alias for this named
color
.- Type
-
Colour
- property created_at¶
-
Returns the user’s creation time in UTC.
This is when the user’s Discord account was created.
- Type
-
datetime.datetime
- property default_avatar¶
-
Returns the default avatar for a given user. This is calculated by the user’s discriminator.
- Type
-
Asset
- property display_avatar¶
-
Returns the user’s display avatar.
For regular users this is just their default avatar or uploaded avatar.
New in version 2.0.
- Type
-
Asset
- property display_name¶
-
Returns the user’s display name.
For regular users this is just their username, but
if they have a guild specific nickname then that
is returned instead.- Type
-
str
- property mention¶
-
Returns a string that allows you to mention the given user.
- Type
-
str
- mentioned_in(message)¶
-
Checks if the user is mentioned in the specified message.
- Parameters
-
message (
Message
) – The message to check if you’re mentioned in. - Returns
-
Indicates if the user is mentioned in the message.
- Return type
-
bool
- property public_flags¶
-
The publicly available flags the user has.
- Type
-
PublicUserFlags
User¶
Attributes
- accent_color
- accent_colour
- avatar
- banner
- bot
- color
- colour
- created_at
- default_avatar
- discriminator
- display_avatar
- display_name
- dm_channel
- id
- mention
- mutual_guilds
- name
- public_flags
- system
Methods
-
asynccreate_dm -
asyncfetch_message -
async forhistory -
defmentioned_in -
asyncpins -
asyncsend -
deftyping
- class discord.User¶
-
Represents a Discord user.
- x == y
-
Checks if two users are equal.
- x != y
-
Checks if two users are not equal.
- hash(x)
-
Return the user’s hash.
- str(x)
-
Returns the user’s name with discriminator.
- name¶
-
The user’s username.
- Type
-
str
- id¶
-
The user’s unique ID.
- Type
-
int
- discriminator¶
-
The user’s discriminator. This is given when the username has conflicts.
- Type
-
str
- bot¶
-
Specifies if the user is a bot account.
- Type
-
bool
- system¶
-
Specifies if the user is a system user (i.e. represents Discord officially).
- Type
-
bool
- async with typing()¶
-
Returns an asynchronous context manager that allows you to send a typing indicator to
the destination for an indefinite period of time, or 10 seconds if the context manager
is called usingawait
.Example Usage:
async with channel.typing(): # simulate something heavy await asyncio.sleep(20) await channel.send('Done!')
Example Usage:
await channel.typing() # Do some computational magic for about 10 seconds await channel.send('Done!')
Changed in version 2.0: This no longer works with the
with
syntax,async with
must be used instead.Changed in version 2.0: Added functionality to
await
the context manager to send a typing indicator for 10 seconds.
- property dm_channel¶
-
Returns the channel associated with this user if it exists.
If this returns
None
, you can create a DM channel by calling the
create_dm()
coroutine function.- Type
-
Optional[
DMChannel
]
- property mutual_guilds¶
-
The guilds that the user shares with the client.
Note
This will only return mutual guilds within the client’s internal cache.
New in version 1.7.
- Type
-
List[
Guild
]
- property accent_color¶
-
Returns the user’s accent color, if applicable.
A user’s accent color is only shown if they do not have a banner.
This will only be available if the user explicitly sets a color.There is an alias for this named
accent_colour
.New in version 2.0.
Note
This information is only available via
Client.fetch_user()
.- Type
-
Optional[
Colour
]
- property accent_colour¶
-
Returns the user’s accent colour, if applicable.
A user’s accent colour is only shown if they do not have a banner.
This will only be available if the user explicitly sets a colour.There is an alias for this named
accent_color
.New in version 2.0.
Note
This information is only available via
Client.fetch_user()
.- Type
-
Optional[
Colour
]
- property avatar¶
-
Returns an
Asset
for the avatar the user has.If the user does not have a traditional avatar,
None
is returned.
If you want the avatar that a user has displayed, considerdisplay_avatar
.- Type
-
Optional[
Asset
]
-
Returns the user’s banner asset, if available.
New in version 2.0.
Note
This information is only available via
Client.fetch_user()
.- Type
-
Optional[
Asset
]
- property color¶
-
A property that returns a color denoting the rendered color
for the user. This always returnsColour.default()
.There is an alias for this named
colour
.- Type
-
Colour
- property colour¶
-
A property that returns a colour denoting the rendered colour
for the user. This always returnsColour.default()
.There is an alias for this named
color
.- Type
-
Colour
- await create_dm()¶
-
This function is a coroutine.
Creates a
DMChannel
with this user.This should be rarely called, as this is done transparently for most
people.- Returns
-
The channel that was created.
- Return type
-
DMChannel
- property created_at¶
-
Returns the user’s creation time in UTC.
This is when the user’s Discord account was created.
- Type
-
datetime.datetime
- property default_avatar¶
-
Returns the default avatar for a given user. This is calculated by the user’s discriminator.
- Type
-
Asset
- property display_avatar¶
-
Returns the user’s display avatar.
For regular users this is just their default avatar or uploaded avatar.
New in version 2.0.
- Type
-
Asset
- property display_name¶
-
Returns the user’s display name.
For regular users this is just their username, but
if they have a guild specific nickname then that
is returned instead.- Type
-
str
- await fetch_message(id, /)¶
-
This function is a coroutine.
Retrieves a single
Message
from the destination.- Parameters
-
id (
int
) – The message ID to look for. - Raises
-
-
NotFound – The specified message was not found.
-
Forbidden – You do not have the permissions required to get a message.
-
HTTPException – Retrieving the message failed.
-
- Returns
-
The message asked for.
- Return type
-
Message
- async for … in history(*, limit=100, before=None, after=None, around=None, oldest_first=None)¶
-
Returns an asynchronous iterator that enables receiving the destination’s message history.
You must have
read_message_history
to do this.Examples
Usage
counter = 0 async for message in channel.history(limit=200): if message.author == client.user: counter += 1
Flattening into a list:
messages = [message async for message in channel.history(limit=123)] # messages is now a list of Message...
All parameters are optional.
- Parameters
-
-
limit (Optional[
int
]) – The number of messages to retrieve.
IfNone
, retrieves every message in the channel. Note, however,
that this would make it a slow operation. -
before (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages before this date or message.
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. -
after (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages after this date or message.
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. -
around (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages around this date or message.
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.
When using this argument, the maximum limit is 101. Note that if the limit is an
even number then this will return at most limit + 1 messages. -
oldest_first (Optional[
bool
]) – If set toTrue
, return messages in oldest->newest order. Defaults toTrue
if
after
is specified, otherwiseFalse
.
-
- Raises
-
-
Forbidden – You do not have permissions to get channel message history.
-
HTTPException – The request to get message history failed.
-
- Yields
-
Message
– The message with the message data parsed.
- property mention¶
-
Returns a string that allows you to mention the given user.
- Type
-
str
- mentioned_in(message)¶
-
Checks if the user is mentioned in the specified message.
- Parameters
-
message (
Message
) – The message to check if you’re mentioned in. - Returns
-
Indicates if the user is mentioned in the message.
- Return type
-
bool
- await pins()¶
-
This function is a coroutine.
Retrieves all messages that are currently pinned in the channel.
Note
Due to a limitation with the Discord API, the
Message
objects returned by this method do not contain complete
Message.reactions
data.- Raises
-
-
Forbidden – You do not have the permission to retrieve pinned messages.
-
HTTPException – Retrieving the pinned messages failed.
-
- Returns
-
The messages that are currently pinned.
- Return type
-
List[
Message
]
- property public_flags¶
-
The publicly available flags the user has.
- Type
-
PublicUserFlags
- await send(content=None, *, tts=False, embed=None, embeds=None, file=None, files=None, stickers=None, delete_after=None, nonce=None, allowed_mentions=None, reference=None, mention_author=None, view=None, suppress_embeds=False)¶
-
This function is a coroutine.
Sends a message to the destination with the content given.
The content must be a type that can convert to a string through
str(content)
.
If the content is set toNone
(the default), then theembed
parameter must
be provided.To upload a single file, the
file
parameter should be used with a
singleFile
object. To upload multiple files, thefiles
parameter should be used with alist
ofFile
objects.
Specifying both parameters will lead to an exception.To upload a single embed, the
embed
parameter should be used with a
singleEmbed
object. To upload multiple embeds, theembeds
parameter should be used with alist
ofEmbed
objects.
Specifying both parameters will lead to an exception.Changed in version 2.0: This function will now raise
TypeError
or
ValueError
instead ofInvalidArgument
.- Parameters
-
-
content (Optional[
str
]) – The content of the message to send. -
tts (
bool
) – Indicates if the message should be sent using text-to-speech. -
embed (
Embed
) – The rich embed for the content. -
embeds (List[
Embed
]) –A list of embeds to upload. Must be a maximum of 10.
New in version 2.0.
-
file (
File
) – The file to upload. -
files (List[
File
]) – A list of files to upload. Must be a maximum of 10. -
nonce (
int
) – The nonce to use for sending this message. If the message was successfully sent,
then the message will have a nonce with this value. -
delete_after (
float
) – 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. -
allowed_mentions (
AllowedMentions
) –Controls the mentions being processed in this message. If this is
passed, then the object is merged withallowed_mentions
.
The merging behaviour only overrides attributes that have been explicitly passed
to the object, otherwise it uses the attributes set inallowed_mentions
.
If no object is passed at all then the defaults given byallowed_mentions
are used instead.New in version 1.4.
-
reference (Union[
Message
,MessageReference
,PartialMessage
]) –A reference to the
Message
to which you are replying, this can be created using
to_reference()
or passed directly as aMessage
. You can control
whether this mentions the author of the referenced message using thereplied_user
attribute ofallowed_mentions
or by settingmention_author
.New in version 1.6.
-
mention_author (Optional[
bool
]) –If set, overrides the
replied_user
attribute ofallowed_mentions
.New in version 1.6.
-
view (
discord.ui.View
) –A Discord UI View to add to the message.
New in version 2.0.
-
stickers (Sequence[Union[
GuildSticker
,StickerItem
]]) –A list of stickers to upload. Must be a maximum of 3.
New in version 2.0.
-
suppress_embeds (
bool
) –Whether to suppress embeds for the message. This sends the message without any embeds if set to
True
.New in version 2.0.
-
- Raises
-
-
HTTPException – Sending the message failed.
-
Forbidden – You do not have the proper permissions to send the message.
-
ValueError – The
files
orembeds
list is not of the appropriate size. -
TypeError – You specified both
file
andfiles
,
or you specified bothembed
andembeds
,
or thereference
object is not aMessage
,
MessageReference
orPartialMessage
.
-
- Returns
-
The message that was sent.
- Return type
-
Message
AutoMod¶
- class discord.AutoModRule¶
-
Represents an auto moderation rule.
New in version 2.0.
- id¶
-
The ID of the rule.
- Type
-
int
- guild¶
-
The guild the rule is for.
- Type
-
Guild
- name¶
-
The name of the rule.
- Type
-
str
- creator_id¶
-
The ID of the user that created the rule.
- Type
-
int
- trigger¶
-
The rule’s trigger.
- Type
-
AutoModTrigger
- enabled¶
-
Whether the rule is enabled.
- Type
-
bool
- exempt_role_ids¶
-
The IDs of the roles that are exempt from the rule.
- Type
-
Set[
int
]
- exempt_channel_ids¶
-
The IDs of the channels that are exempt from the rule.
- Type
-
Set[
int
]
- property creator¶
-
The member that created this rule.
- Type
-
Optional[
Member
]
- exempt_roles¶
-
The roles that are exempt from this rule.
- Type
-
List[
Role
]
- exempt_channels¶
-
The channels that are exempt from this rule.
- Type
-
List[Union[
abc.GuildChannel
,Thread
]]
- actions¶
-
The actions that are taken when this rule is triggered.
- Type
-
List[
AutoModRuleAction
]
- is_exempt(obj, /)¶
-
Check if an object is exempt from the automod rule.
- Parameters
-
obj (
abc.Snowflake
) – The role, channel, or thread to check. - Returns
-
Whether the object is exempt from the automod rule.
- Return type
-
bool
- await edit(*, name=…, event_type=…, actions=…, trigger=…, enabled=…, exempt_roles=…, exempt_channels=…, reason=…)¶
-
This function is a coroutine.
Edits this auto moderation rule.
You must have
Permissions.manage_guild
to edit rules.- Parameters
-
-
name (
str
) – The new name to change to. -
event_type (
AutoModRuleEventType
) – The new event type to change to. -
actions (List[
AutoModRuleAction
]) – The new rule actions to update. -
trigger (
AutoModTrigger
) – The new trigger to update.
You can only change the trigger metadata, not the type. -
enabled (
bool
) – Whether the rule should be enabled or not. -
exempt_roles (Sequence[
abc.Snowflake
]) – The new roles to exempt from the rule. -
exempt_channels (Sequence[
abc.Snowflake
]) – The new channels to exempt from the rule. -
reason (
str
) – The reason for updating this rule. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have permission to edit this rule.
-
HTTPException – Editing the rule failed.
-
- Returns
-
The updated auto moderation rule.
- Return type
-
AutoModRule
- await delete(*, reason=…)¶
-
This function is a coroutine.
Deletes the auto moderation rule.
You must have
Permissions.manage_guild
to delete rules.- Parameters
-
reason (
str
) – The reason for deleting this rule. Shows up on the audit log. - Raises
-
-
Forbidden – You do not have permissions to delete the rule.
-
HTTPException – Deleting the rule failed.
-
Attributes
- action
- alert_system_message_id
- channel
- channel_id
- content
- guild
- guild_id
- matched_content
- matched_keyword
- member
- message_id
- rule_id
- rule_trigger_type
- user_id
- class discord.AutoModAction¶
-
Represents an action that was taken as the result of a moderation rule.
New in version 2.0.
- action¶
-
The action that was taken.
- Type
-
AutoModRuleAction
- message_id¶
-
The message ID that triggered the action. This is only available if the
action is done on an edited message.- Type
-
Optional[
int
]
- rule_id¶
-
The ID of the rule that was triggered.
- Type
-
int
- rule_trigger_type¶
-
The trigger type of the rule that was triggered.
- Type
-
AutoModRuleTriggerType
- guild_id¶
-
The ID of the guild where the rule was triggered.
- Type
-
int
- user_id¶
-
The ID of the user that triggered the rule.
- Type
-
int
- channel_id¶
-
The ID of the channel where the rule was triggered.
- Type
-
int
- alert_system_message_id¶
-
The ID of the system message that was sent to the predefined alert channel.
- Type
-
Optional[
int
]
- content¶
-
The content of the message that triggered the rule.
Requires theIntents.message_content
or it will always return an empty string.- Type
-
str
- matched_keyword¶
-
The matched keyword from the triggering message.
- Type
-
Optional[
str
]
- matched_content¶
-
The matched content from the triggering message.
Requires theIntents.message_content
or it will always returnNone
.- Type
-
Optional[
str
]
- property guild¶
-
The guild this action was taken in.
- Type
-
Guild
- property channel¶
-
The channel this action was taken in.
- Type
-
Optional[Union[
abc.GuildChannel
,Thread
]]
- property member¶
-
The member this action was taken against /who triggered this rule.
- Type
-
Optional[
Member
]
- await fetch_rule()¶
-
This function is a coroutine.
Fetch the rule whose action was taken.
You must have
Permissions.manage_guild
to do this.- Raises
-
-
Forbidden – You do not have permissions to view the rule.
-
HTTPException – Fetching the rule failed.
-
- Returns
-
The rule that was executed.
- Return type
-
AutoModRule
Attachment¶
Methods
-
defis_spoiler -
asyncread -
asyncsave -
asyncto_file
- class discord.Attachment¶
-
Represents an attachment from Discord.
- str(x)
-
Returns the URL of the attachment.
- x == y
-
Checks if the attachment is equal to another attachment.
- x != y
-
Checks if the attachment is not equal to another attachment.
- hash(x)
-
Returns the hash of the attachment.
Changed in version 1.7: Attachment can now be casted to
str
and is hashable.- id¶
-
The attachment ID.
- Type
-
int
- size¶
-
The attachment size in bytes.
- Type
-
int
- height¶
-
The attachment’s height, in pixels. Only applicable to images and videos.
- Type
-
Optional[
int
]
- width¶
-
The attachment’s width, in pixels. Only applicable to images and videos.
- Type
-
Optional[
int
]
- filename¶
-
The attachment’s filename.
- Type
-
str
- url¶
-
The attachment URL. If the message this attachment was attached
to is deleted, then this will 404.- Type
-
str
- proxy_url¶
-
The proxy URL. This is a cached version of the
url
in the
case of images. When the message is deleted, this URL might be valid for a few
minutes or not valid at all.- Type
-
str
- content_type¶
-
The attachment’s media type
New in version 1.7.
- Type
-
Optional[
str
]
- description¶
-
The attachment’s description. Only applicable to images.
New in version 2.0.
- Type
-
Optional[
str
]
- ephemeral¶
-
Whether the attachment is ephemeral.
New in version 2.0.
- Type
-
bool
- is_spoiler()¶
-
bool
: Whether this attachment contains a spoiler.
- await save(fp, *, seek_begin=True, use_cached=False)¶
-
This function is a coroutine.
Saves this attachment into a file-like object.
- Parameters
-
-
fp (Union[
io.BufferedIOBase
,os.PathLike
]) – The file-like object to save this attachment to or the filename
to use. If a filename is passed then a file is created with that
filename and used instead. -
seek_begin (
bool
) – Whether to seek to the beginning of the file after saving is
successfully done. -
use_cached (
bool
) – Whether to useproxy_url
rather thanurl
when downloading
the attachment. This will allow attachments to be saved after deletion
more often, compared to the regular URL which is generally deleted right
after the message is deleted. Note that this can still fail to download
deleted attachments if too much time has passed and it does not work
on some types of attachments.
-
- Raises
-
-
HTTPException – Saving the attachment failed.
-
NotFound – The attachment was deleted.
-
- Returns
-
The number of bytes written.
- Return type
-
int
- await read(*, use_cached=False)¶
-
This function is a coroutine.
Retrieves the content of this attachment as a
bytes
object.New in version 1.1.
- Parameters
-
use_cached (
bool
) – Whether to useproxy_url
rather thanurl
when downloading
the attachment. This will allow attachments to be saved after deletion
more often, compared to the regular URL which is generally deleted right
after the message is deleted. Note that this can still fail to download
deleted attachments if too much time has passed and it does not work
on some types of attachments. - Raises
-
-
HTTPException – Downloading the attachment failed.
-
Forbidden – You do not have permissions to access this attachment
-
NotFound – The attachment was deleted.
-
- Returns
-
The contents of the attachment.
- Return type
-
bytes
- await to_file(*, filename=…, description=…, use_cached=False, spoiler=False)¶
-
This function is a coroutine.
Converts the attachment into a
File
suitable for sending via
abc.Messageable.send()
.New in version 1.3.
- Parameters
-
-
filename (Optional[
str
]) –The filename to use for the file. If not specified then the filename
of the attachment is used instead.New in version 2.0.
-
description (Optional[
str
]) –The description to use for the file. If not specified then the
description of the attachment is used instead.New in version 2.0.
-
use_cached (
bool
) –Whether to use
proxy_url
rather thanurl
when downloading
the attachment. This will allow attachments to be saved after deletion
more often, compared to the regular URL which is generally deleted right
after the message is deleted. Note that this can still fail to download
deleted attachments if too much time has passed and it does not work
on some types of attachments.New in version 1.4.
-
spoiler (
bool
) –Whether the file is a spoiler.
New in version 1.4.
-
- Raises
-
-
HTTPException – Downloading the attachment failed.
-
Forbidden – You do not have permissions to access this attachment
-
NotFound – The attachment was deleted.
-
- Returns
-
The attachment as a file suitable for sending.
- Return type
-
File
Asset¶
Methods
-
defis_animated -
asyncread -
defreplace -
asyncsave -
asyncto_file -
defwith_format -
defwith_size -
defwith_static_format
- class discord.Asset¶
-
Represents a CDN asset on Discord.
- str(x)
-
Returns the URL of the CDN asset.
- len(x)
-
Returns the length of the CDN asset’s URL.
- x == y
-
Checks if the asset is equal to another asset.
- x != y
-
Checks if the asset is not equal to another asset.
- hash(x)
-
Returns the hash of the asset.
- property url¶
-
Returns the underlying URL of the asset.
- Type
-
str
- property key¶
-
Returns the identifying key of the asset.
- Type
-
str
- is_animated()¶
-
bool
: Returns whether the asset is animated.
- replace(*, size=…, format=…, static_format=…)¶
-
Returns a new asset with the passed components replaced.
Changed in version 2.0:
static_format
is now preferred overformat
if both are present and the asset is not animated.Changed in version 2.0: This function will now raise
ValueError
instead of
InvalidArgument
.- Parameters
-
-
size (
int
) – The new size of the asset. -
format (
str
) – The new format to change it to. Must be either
‘webp’, ‘jpeg’, ‘jpg’, ‘png’, or ‘gif’ if it’s animated. -
static_format (
str
) – The new format to change it to if the asset isn’t animated.
Must be either ‘webp’, ‘jpeg’, ‘jpg’, or ‘png’.
-
- Raises
-
ValueError – An invalid size or format was passed.
- Returns
-
The newly updated asset.
- Return type
-
Asset
- with_size(size, /)¶
-
Returns a new asset with the specified size.
Changed in version 2.0: This function will now raise
ValueError
instead of
InvalidArgument
.- Parameters
-
size (
int
) – The new size of the asset. - Raises
-
ValueError – The asset had an invalid size.
- Returns
-
The new updated asset.
- Return type
-
Asset
- with_format(format, /)¶
-
Returns a new asset with the specified format.
Changed in version 2.0: This function will now raise
ValueError
instead of
InvalidArgument
.- Parameters
-
format (
str
) – The new format of the asset. - Raises
-
ValueError – The asset had an invalid format.
- Returns
-
The new updated asset.
- Return type
-
Asset
- with_static_format(format, /)¶
-
Returns a new asset with the specified static format.
This only changes the format if the underlying asset is
not animated. Otherwise, the asset is not changed.Changed in version 2.0: This function will now raise
ValueError
instead of
InvalidArgument
.- Parameters
-
format (
str
) – The new static format of the asset. - Raises
-
ValueError – The asset had an invalid format.
- Returns
-
The new updated asset.
- Return type
-
Asset
- await read()¶
-
This function is a coroutine.
Retrieves the content of this asset as a
bytes
object.- Raises
-
-
DiscordException – There was no internal connection state.
-
HTTPException – Downloading the asset failed.
-
NotFound – The asset was deleted.
-
- Returns
-
The content of the asset.
- Return type
-
bytes
- await save(fp, *, seek_begin=True)¶
-
This function is a coroutine.
Saves this asset into a file-like object.
- Parameters
-
-
fp (Union[
io.BufferedIOBase
,os.PathLike
]) – The file-like object to save this asset to or the filename
to use. If a filename is passed then a file is created with that
filename and used instead. -
seek_begin (
bool
) – Whether to seek to the beginning of the file after saving is
successfully done.
-
- Raises
-
-
DiscordException – There was no internal connection state.
-
HTTPException – Downloading the asset failed.
-
NotFound – The asset was deleted.
-
- Returns
-
The number of bytes written.
- Return type
-
int
- await to_file(*, filename=…, description=None, spoiler=False)¶
-
This function is a coroutine.
Converts the asset into a
File
suitable for sending via
abc.Messageable.send()
.New in version 2.0.
- Parameters
-
-
filename (Optional[
str
]) – The filename of the file. If not provided, then the filename from
the asset’s URL is used. -
description (Optional[
str
]) – The description for the file. -
spoiler (
bool
) – Whether the file is a spoiler.
-
- Raises
-
-
DiscordException – The asset does not have an associated state.
-
ValueError – The asset is a unicode emoji.
-
TypeError – The asset is a sticker with lottie type.
-
HTTPException – Downloading the asset failed.
-
NotFound – The asset was deleted.
-
- Returns
-
The asset as a file suitable for sending.
- Return type
-
File
Message¶
Attributes
- activity
- application
- attachments
- author
- channel
- channel_mentions
- clean_content
- components
- content
- created_at
- edited_at
- embeds
- flags
- guild
- id
- interaction
- jump_url
- mention_everyone
- mentions
- nonce
- pinned
- raw_channel_mentions
- raw_mentions
- raw_role_mentions
- reactions
- reference
- role_mentions
- stickers
- system_content
- tts
- type
- webhook_id
Methods
-
asyncadd_files -
asyncadd_reaction -
asyncclear_reaction -
asyncclear_reactions -
asynccreate_thread -
asyncdelete -
asyncedit -
asyncfetch -
defis_system -
asyncpin -
asyncpublish -
asyncremove_attachments -
asyncremove_reaction -
asyncreply -
defto_reference -
asyncunpin
- class discord.Message¶
-
Represents a message from Discord.
- x == y
-
Checks if two messages are equal.
- x != y
-
Checks if two messages are not equal.
- hash(x)
-
Returns the message’s hash.
- tts¶
-
Specifies if the message was done with text-to-speech.
This can only be accurately received inon_message()
due to
a discord limitation.- Type
-
bool
- type¶
-
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 forsystem_content
.- Type
-
MessageType
-
A
Member
that sent the message. Ifchannel
is a
private channel or the user has the left the guild, then it is aUser
instead.- Type
-
Union[
Member
,abc.User
]
- content¶
-
The actual contents of the message.
IfIntents.message_content
is not enabled this will always be an empty string
unless the bot is mentioned or the message is a direct message.- Type
-
str
- nonce¶
-
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.- Type
-
Optional[Union[
str
,int
]]
- embeds¶
-
A list of embeds the message has.
IfIntents.message_content
is not enabled this will always be an empty list
unless the bot is mentioned or the message is a direct message.- Type
-
List[
Embed
]
- channel¶
-
The
TextChannel
orThread
that the message was sent from.
Could be aDMChannel
orGroupChannel
if it’s a private message.- Type
-
Union[
TextChannel
,VoiceChannel
,Thread
,DMChannel
,GroupChannel
,PartialMessageable
]
- reference¶
-
The message that this message references. This is only applicable to messages of
typeMessageType.pins_add
, crossposted messages created by a
followed channel integration, or message replies.New in version 1.5.
- Type
-
Optional[
MessageReference
]
- mention_everyone¶
-
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.- Type
-
bool
- mentions¶
-
A list of
Member
that were mentioned. If the message is in a private message
then the list will be ofUser
instead. For messages that are not of type
MessageType.default
, this array can be used to aid in system messages.
For more information, seesystem_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.- Type
-
List[
abc.User
]
- channel_mentions¶
-
A list of
abc.GuildChannel
orThread
that were mentioned. If the message is
in a private message then the list is always empty.- Type
-
List[Union[
abc.GuildChannel
,Thread
]]
- role_mentions¶
-
A list of
Role
that were mentioned. If the message is in a private message
then the list is always empty.- Type
-
List[
Role
]
- id¶
-
The message ID.
- Type
-
int
- webhook_id¶
-
If this message was sent by a webhook, then this is the webhook ID’s that sent this
message.- Type
-
Optional[
int
]
- attachments¶
-
A list of attachments given to a message.
IfIntents.message_content
is not enabled this will always be an empty list
unless the bot is mentioned or the message is a direct message.- Type
-
List[
Attachment
]
- pinned¶
-
Specifies if the message is currently pinned.
- Type
-
bool
- flags¶
-
Extra features of the message.
New in version 1.3.
- Type
-
MessageFlags
- reactions¶
-
Reactions to a message. Reactions can be either custom emoji or standard unicode emoji.
- Type
-
List[
Reaction
]
- activity¶
-
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.
- Type
-
Optional[
dict
]
-
- application¶
-
The rich presence enabled application associated with this message.
Changed in version 2.0: Type is now
MessageApplication
instead ofdict
.- Type
-
Optional[
MessageApplication
]
- stickers¶
-
A list of sticker items given to the message.
New in version 1.6.
- Type
-
List[
StickerItem
]
- components¶
-
A list of components in the message.
IfIntents.message_content
is not enabled this will always be an empty list
unless the bot is mentioned or the message is a direct message.New in version 2.0.
- Type
-
List[Union[
ActionRow
,Button
,SelectMenu
]]
- interaction¶
-
The interaction that this message is a response to.
New in version 2.0.
- Type
-
Optional[
MessageInteraction
]
- guild¶
-
The guild that the message belongs to, if applicable.
- Type
-
Optional[
Guild
]
- raw_mentions¶
-
A property that returns an array of user IDs matched with
the syntax of<@user_id>
in the message content.This allows you to receive the user IDs of mentioned users
even in a private message context.- Type
-
List[
int
]
- raw_channel_mentions¶
-
A property that returns an array of channel IDs matched with
the syntax of<#channel_id>
in the message content.- Type
-
List[
int
]
- raw_role_mentions¶
-
A property that returns an array of role IDs matched with
the syntax of<@&role_id>
in the message content.- Type
-
List[
int
]
- clean_content¶
-
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
.This will also transform @everyone and @here mentions into
non-mentions.Note
This does not affect markdown. If you want to escape
or remove markdown then useutils.escape_markdown()
orutils.remove_markdown()
respectively, along with this function.- Type
-
str
- property created_at¶
-
The message’s creation time in UTC.
- Type
-
datetime.datetime
- await add_reaction(emoji, /)¶
-
This function is a coroutine.
Adds a reaction to the message.
The emoji may be a unicode emoji or a custom guild
Emoji
.You must have
read_message_history
to do this. If nobody else has reacted to the message using this
emoji,add_reactions
is required.Changed in version 2.0:
emoji
parameter is now positional-only.Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
emoji (Union[
Emoji
,Reaction
,PartialEmoji
,str
]) – The emoji to react with. - 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.
-
- await clear_reaction(emoji)¶
-
This function is a coroutine.
Clears a specific reaction from the message.
The emoji may be a unicode emoji or a custom guild
Emoji
.You must have
manage_messages
to do this.New in version 1.3.
Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
emoji (Union[
Emoji
,Reaction
,PartialEmoji
,str
]) – The emoji to clear. - 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.
-
- await clear_reactions()¶
-
This function is a coroutine.
Removes all the reactions from the message.
You must have
manage_messages
to do this.- Raises
-
-
HTTPException – Removing the reactions failed.
-
Forbidden – You do not have the proper permissions to remove all the reactions.
-
- await create_thread(*, name, auto_archive_duration=…, slowmode_delay=None, reason=None)¶
-
This function is a coroutine.
Creates a public thread from this message.
You must have
create_public_threads
in order to
create a public thread from a message.The channel this message belongs in must be a
TextChannel
.New in version 2.0.
- Parameters
-
-
name (
str
) – The name of the thread. -
auto_archive_duration (
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[
int
]) – Specifies the slowmode rate limit for user in this channel, in seconds.
The maximum value possible is21600
. By default no slowmode rate limit
if this isNone
. -
reason (Optional[
str
]) – The reason for creating a new thread. Shows up on the audit log.
-
- 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.
-
- Returns
-
The created thread.
- Return type
-
Thread
- await delete(*, delay=None)¶
-
This function is a coroutine.
Deletes the message.
Your own messages could be deleted without any proper permissions. However to
delete other people’s messages, you must havemanage_messages
.Changed in version 1.1: Added the new
delay
keyword-only parameter.- Parameters
-
delay (Optional[
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. - Raises
-
-
Forbidden – You do not have proper permissions to delete the message.
-
NotFound – The message was deleted already
-
HTTPException – Deleting the message failed.
-
- property edited_at¶
-
An aware UTC datetime object containing the edited time of the message.
- Type
-
Optional[
datetime.datetime
]
- await fetch()¶
-
This function is a coroutine.
Fetches the partial message to a full
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.
-
- Returns
-
The full message.
- Return type
-
Message
- property jump_url¶
-
Returns a URL that allows the client to jump to this message.
- Type
-
str
- await pin(*, reason=None)¶
-
This function is a coroutine.
Pins the message.
You must have
manage_messages
to do
this in a non-private channel context.- Parameters
-
reason (Optional[
str
]) –The reason for pinning the message. Shows up on the audit log.
New in version 1.4.
- 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.
-
- await publish()¶
-
This function is a coroutine.
Publishes this message to your announcement channel.
You must have
send_messages
to do this.If the message is not your own then
manage_messages
is also needed.- Raises
-
-
Forbidden – You do not have the proper permissions to publish this message.
-
HTTPException – Publishing the message failed.
-
- await remove_reaction(emoji, member)¶
-
This function is a coroutine.
Remove a reaction by the member from the message.
The emoji may be a unicode emoji or a custom guild
Emoji
.If the reaction is not your own (i.e.
member
parameter is not you) then
manage_messages
is needed.The
member
parameter must represent a member and meet
theabc.Snowflake
abc.Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
-
emoji (Union[
Emoji
,Reaction
,PartialEmoji
,str
]) – The emoji to remove. -
member (
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.
-
- await reply(content=None, **kwargs)¶
-
This function is a coroutine.
A shortcut method to
abc.Messageable.send()
to reply to the
Message
.New in version 1.6.
Changed in version 2.0: This function will now raise
TypeError
or
ValueError
instead ofInvalidArgument
.- Raises
-
-
HTTPException – Sending the message failed.
-
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
andfiles
.
-
- Returns
-
The message that was sent.
- Return type
-
Message
- to_reference(*, fail_if_not_exists=True)¶
-
Creates a
MessageReference
from the current message.New in version 1.6.
- Parameters
-
fail_if_not_exists (
bool
) –Whether replying using the message reference should raise
HTTPException
if the message no longer exists or Discord could not fetch the message.New in version 1.7.
- Returns
-
The reference to this message.
- Return type
-
MessageReference
- await unpin(*, reason=None)¶
-
This function is a coroutine.
Unpins the message.
You must have
manage_messages
to do
this in a non-private channel context.- Parameters
-
reason (Optional[
str
]) –The reason for unpinning the message. Shows up on the audit log.
New in version 1.4.
- 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.
-
- is_system()¶
-
bool
: Whether the message is a system message.A system message is a message that is constructed entirely by the Discord API
in response to something.New in version 1.3.
- system_content¶
-
A property that returns the content that is rendered
regardless of theMessage.type
.In the case of
MessageType.default
andMessageType.reply
,
this just returns the regularMessage.content
. Otherwise this
returns an English message denoting the contents of the system message.- Type
-
str
- await edit(*, content=…, embed=…, embeds=…, attachments=…, suppress=False, delete_after=None, allowed_mentions=…, view=…)¶
-
This function is a coroutine.
Edits the message.
The content must be able to be transformed into a string via
str(content)
.Changed in version 1.3: The
suppress
keyword-only parameter was added.Changed in version 2.0: Edits are no longer in-place, the newly edited message is returned instead.
Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
-
content (Optional[
str
]) – The new content to replace the message with.
Could beNone
to remove the content. -
embed (Optional[
Embed
]) – The new embed to replace the original with.
Could beNone
to remove the embed. -
embeds (List[
Embed
]) –The new embeds to replace the original with. Must be a maximum of 10.
To remove all embeds[]
should be passed.New in version 2.0.
-
attachments (List[Union[
Attachment
,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.Note
New files will always appear after current attachments.
New in version 2.0.
-
suppress (
bool
) – Whether to suppress embeds for the message. This removes
all the embeds if set toTrue
. If set toFalse
this brings the embeds back if they were suppressed.
Using this parameter requiresmanage_messages
. -
delete_after (Optional[
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[
AllowedMentions
]) –Controls the mentions being processed in this message. If this is
passed, then the object is merged withallowed_mentions
.
The merging behaviour only overrides attributes that have been explicitly passed
to the object, otherwise it uses the attributes set inallowed_mentions
.
If no object is passed at all then the defaults given byallowed_mentions
are used instead.New in version 1.4.
-
view (Optional[
View
]) – The updated view to update this message with. IfNone
is passed then
the view is removed.
-
- 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
andembeds
-
- Returns
-
The newly edited message.
- Return type
-
Message
- await add_files(*files)¶
-
This function is a coroutine.
Adds new files to the end of the message attachments.
New in version 2.0.
- Parameters
-
*files (
File
) – New files to add to the message. - Raises
-
-
HTTPException – Editing the message failed.
-
Forbidden – Tried to edit a message that isn’t yours.
-
- Returns
-
The newly edited message.
- Return type
-
Message
- await remove_attachments(*attachments)¶
-
This function is a coroutine.
Removes attachments from the message.
New in version 2.0.
- Parameters
-
*attachments (
Attachment
) – Attachments to remove from the message. - Raises
-
-
HTTPException – Editing the message failed.
-
Forbidden – Tried to edit a message that isn’t yours.
-
- Returns
-
The newly edited message.
- Return type
-
Message
DeletedReferencedMessage¶
Attributes
- channel_id
- guild_id
- id
- class discord.DeletedReferencedMessage¶
-
A special sentinel type given when the resolved message reference
points to a deleted message.The purpose of this class is to separate referenced messages that could not be
fetched and those that were previously fetched but have since been deleted.New in version 1.6.
- property id¶
-
The message ID of the deleted referenced message.
- Type
-
int
- property channel_id¶
-
The channel ID of the deleted referenced message.
- Type
-
int
- property guild_id¶
-
The guild ID of the deleted referenced message.
- Type
-
Optional[
int
]
Reaction¶
Attributes
- count
- emoji
- me
- message
Methods
-
asyncclear -
defis_custom_emoji -
asyncremove -
async forusers
- class discord.Reaction¶
-
Represents a reaction to a message.
Depending on the way this object was created, some of the attributes can
have a value ofNone
.- x == y
-
Checks if two reactions are equal. This works by checking if the emoji
is the same. So two messages with the same reaction will be considered
“equal”.
- x != y
-
Checks if two reactions are not equal.
- hash(x)
-
Returns the reaction’s hash.
- str(x)
-
Returns the string form of the reaction’s emoji.
- emoji¶
-
The reaction emoji. May be a custom emoji, or a unicode emoji.
- Type
-
Union[
Emoji
,PartialEmoji
,str
]
- count¶
-
Number of times this reaction was made
- Type
-
int
- me¶
-
If the user sent this reaction.
- Type
-
bool
- message¶
-
Message this reaction is for.
- Type
-
Message
- is_custom_emoji()¶
-
bool
: If this is a custom emoji.
- await remove(user)¶
-
This function is a coroutine.
Remove the reaction by the provided
User
from the message.If the reaction is not your own (i.e.
user
parameter is not you) then
manage_messages
is needed.The
user
parameter must represent a user or member and meet
theabc.Snowflake
abc.- Parameters
-
user (
abc.Snowflake
) – The user or member from 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 user you specified, or the reaction’s message was not found.
-
- await clear()¶
-
This function is a coroutine.
Clears this reaction from the message.
You must have
manage_messages
to do this.New in version 1.3.
Changed in version 2.0: This function will now raise
ValueError
instead of
InvalidArgument
.- 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.
-
- async for … in users(*, limit=None, after=None)¶
-
Returns an asynchronous iterator representing the users that have reacted to the message.
The
after
parameter must represent a member
and meet theabc.Snowflake
abc.Changed in version 2.0:
limit
andafter
parameters are now keyword-only.Examples
Usage
# I do not actually recommend doing this. async for user in reaction.users(): await channel.send(f'{user} has reacted with {reaction.emoji}!')
Flattening into a list:
users = [user async for user in reaction.users()] # users is now a list of User... winner = random.choice(users) await channel.send(f'{winner} has won the raffle.')
- Parameters
-
-
limit (Optional[
int
]) – The maximum number of results to return.
If not provided, returns all the users who
reacted to the message. -
after (Optional[
abc.Snowflake
]) – For pagination, reactions are sorted by member.
-
- Raises
-
HTTPException – Getting the users for the reaction failed.
- Yields
-
Union[
User
,Member
] – The member (if retrievable) or the user that has reacted
to this message. The case where it can be aMember
is
in a guild message context. Sometimes it can be aUser
if the member has left the guild.
Guild¶
Attributes
- afk_channel
- afk_timeout
- approximate_member_count
- approximate_presence_count
- banner
- bitrate_limit
- categories
- channels
- chunked
- created_at
- default_notifications
- default_role
- description
- discovery_splash
- emoji_limit
- emojis
- explicit_content_filter
- features
- filesize_limit
- forums
- icon
- id
- large
- max_members
- max_presences
- max_video_channel_users
- me
- member_count
- members
- mfa_level
- name
- nsfw_level
- owner
- owner_id
- preferred_locale
- premium_progress_bar_enabled
- premium_subscriber_role
- premium_subscribers
- premium_subscription_count
- premium_tier
- public_updates_channel
- roles
- rules_channel
- scheduled_events
- self_role
- shard_id
- splash
- stage_channels
- stage_instances
- sticker_limit
- stickers
- system_channel
- system_channel_flags
- text_channels
- threads
- unavailable
- vanity_url
- vanity_url_code
- verification_level
- voice_channels
- voice_client
- widget_enabled
Methods
-
asyncactive_threads -
async foraudit_logs -
asyncban -
async forbans -
defby_category -
asyncchange_voice_state -
asyncchunk -
asynccreate_automod_rule -
asynccreate_category -
asynccreate_category_channel -
asynccreate_custom_emoji -
asynccreate_forum -
asynccreate_integration -
asynccreate_role -
asynccreate_scheduled_event -
asynccreate_stage_channel -
asynccreate_sticker -
asynccreate_template -
asynccreate_text_channel -
asynccreate_voice_channel -
asyncdelete -
asyncdelete_emoji -
asyncdelete_sticker -
asyncedit -
asyncedit_role_positions -
asyncedit_welcome_screen -
asyncedit_widget -
asyncestimate_pruned_members -
asyncfetch_automod_rule -
asyncfetch_automod_rules -
asyncfetch_ban -
asyncfetch_channel -
asyncfetch_channels -
asyncfetch_emoji -
asyncfetch_emojis -
asyncfetch_member -
async forfetch_members -
asyncfetch_roles -
asyncfetch_scheduled_event -
asyncfetch_scheduled_events -
asyncfetch_sticker -
asyncfetch_stickers -
defget_channel -
defget_channel_or_thread -
defget_member -
defget_member_named -
defget_role -
defget_scheduled_event -
defget_stage_instance -
defget_thread -
asyncintegrations -
asyncinvites -
asynckick -
asyncleave -
asyncprune_members -
asyncquery_members -
asynctemplates -
asyncunban -
asyncvanity_invite -
asyncwebhooks -
asyncwelcome_screen -
asyncwidget
- class discord.Guild¶
-
Represents a Discord guild.
This is referred to as a “server” in the official Discord UI.
- x == y
-
Checks if two guilds are equal.
- x != y
-
Checks if two guilds are not equal.
- hash(x)
-
Returns the guild’s hash.
- str(x)
-
Returns the guild’s name.
- name¶
-
The guild name.
- Type
-
str
- emojis¶
-
All emojis that the guild owns.
- Type
-
Tuple[
Emoji
, …]
- stickers¶
-
All stickers that the guild owns.
New in version 2.0.
- Type
-
Tuple[
GuildSticker
, …]
- afk_timeout¶
-
The number of seconds until someone is moved to the AFK channel.
- Type
-
int
- afk_channel¶
-
The channel that denotes the AFK channel.
None
if it doesn’t exist.- Type
-
Optional[
VoiceChannel
]
- id¶
-
The guild’s ID.
- Type
-
int
- owner_id¶
-
The guild owner’s ID. Use
Guild.owner
instead.- Type
-
int
- unavailable¶
-
Indicates if the guild is unavailable. If this is
True
then the
reliability of other attributes outside ofGuild.id
is slim and they might
all beNone
. It is best to not do anything with the guild if it is unavailable.Check the
on_guild_unavailable()
andon_guild_available()
events.- Type
-
bool
- max_presences¶
-
The maximum amount of presences for the guild.
- Type
-
Optional[
int
]
- max_members¶
-
The maximum amount of members for the guild.
Note
This attribute is only available via
Client.fetch_guild()
.- Type
-
Optional[
int
]
- max_video_channel_users¶
-
The maximum amount of users in a video channel.
New in version 1.4.
- Type
-
Optional[
int
]
- description¶
-
The guild’s description.
- Type
-
Optional[
str
]
- verification_level¶
-
The guild’s verification level.
- Type
-
VerificationLevel
- vanity_url_code¶
-
The guild’s vanity url code, if any
New in version 2.0.
- Type
-
Optional[
str
]
- explicit_content_filter¶
-
The guild’s explicit content filter.
- Type
-
ContentFilter
- default_notifications¶
-
The guild’s notification settings.
- Type
-
NotificationLevel
- features¶
-
A list of features that the guild has. The features that a guild can have are
subject to arbitrary change by Discord.They are currently as follows:
-
ANIMATED_BANNER
: Guild can upload an animated banner. -
ANIMATED_ICON
: Guild can upload an animated icon. -
BANNER
: Guild can upload and use a banner. (i.e.banner
) -
COMMERCE
: Guild can sell things using store channels. -
COMMUNITY
: Guild is a community server. -
DISCOVERABLE
: Guild shows up in Server Discovery. -
FEATURABLE
: Guild is able to be featured in Server Discovery. -
INVITE_SPLASH
: Guild’s invite page can have a special splash. -
MEMBER_VERIFICATION_GATE_ENABLED
: Guild has Membership Screening enabled. -
MONETIZATION_ENABLED
: Guild has enabled monetization. -
MORE_EMOJI
: Guild has increased custom emoji slots. -
MORE_STICKERS
: Guild has increased custom sticker slots. -
NEWS
: Guild can create news channels. -
PARTNERED
: Guild is a partnered server. -
PREVIEW_ENABLED
: Guild can be viewed before being accepted via Membership Screening. -
PRIVATE_THREADS
: Guild has access to create private threads. -
ROLE_ICONS
: Guild is able to set role icons. -
TICKETED_EVENTS_ENABLED
: Guild has enabled ticketed events. -
VANITY_URL
: Guild can have a vanity invite URL (e.g. discord.gg/discord-api). -
VERIFIED
: Guild is a verified server. -
VIP_REGIONS
: Guild can have 384kbps bitrate in voice channels. -
WELCOME_SCREEN_ENABLED
: Guild has enabled the welcome screen. -
INVITES_DISABLED
: Guild has disabled invites.
- Type
-
List[
str
]
-
- premium_tier¶
-
The premium tier for this guild. Corresponds to “Nitro Server” in the official UI.
The number goes from 0 to 3 inclusive.- Type
-
int
- premium_subscription_count¶
-
The number of “boosts” this guild currently has.
- Type
-
int
- preferred_locale¶
-
The preferred locale for the guild. Used when filtering Server Discovery
results to a specific language.Changed in version 2.0: This field is now an enum instead of a
str
.- Type
-
Locale
- nsfw_level¶
-
The guild’s NSFW level.
New in version 2.0.
- Type
-
NSFWLevel
- mfa_level¶
-
The guild’s Multi-Factor Authentication requirement level.
Changed in version 2.0: This field is now an enum instead of an
int
.- Type
-
MFALevel
- approximate_member_count¶
-
The approximate number of members in the guild. This is
None
unless the guild is obtained
usingClient.fetch_guild()
withwith_counts=True
.New in version 2.0.
- Type
-
Optional[
int
]
- approximate_presence_count¶
-
The approximate number of members currently active in the guild.
Offline members are excluded. This isNone
unless the guild is obtained using
Client.fetch_guild()
withwith_counts=True
.Changed in version 2.0.
- Type
-
Optional[
int
]
- premium_progress_bar_enabled¶
-
Indicates if the guild has premium AKA server boost level progress bar enabled.
New in version 2.0.
- Type
-
bool
- widget_enabled¶
-
Indicates if the guild has widget enabled.
New in version 2.0.
- Type
-
bool
- property channels¶
-
A list of channels that belongs to this guild.
- Type
-
Sequence[
abc.GuildChannel
]
- property threads¶
-
A list of threads that you have permission to view.
New in version 2.0.
- Type
-
Sequence[
Thread
]
- property large¶
-
Indicates if the guild is a ‘large’ guild.
A large guild is defined as having more than
large_threshold
count
members, which for this library is set to the maximum of 250.- Type
-
bool
- property voice_channels¶
-
A list of voice channels that belongs to this guild.
This is sorted by the position and are in UI order from top to bottom.
- Type
-
List[
VoiceChannel
]
- property stage_channels¶
-
A list of stage channels that belongs to this guild.
New in version 1.7.
This is sorted by the position and are in UI order from top to bottom.
- Type
-
List[
StageChannel
]
- property me¶
-
Similar to
Client.user
except an instance ofMember
.
This is essentially used to get the member version of yourself.- Type
-
Member
- property voice_client¶
-
Returns the
VoiceProtocol
associated with this guild, if any.- Type
-
Optional[
VoiceProtocol
]
- property text_channels¶
-
A list of text channels that belongs to this guild.
This is sorted by the position and are in UI order from top to bottom.
- Type
-
List[
TextChannel
]
- property categories¶
-
A list of categories that belongs to this guild.
This is sorted by the position and are in UI order from top to bottom.
- Type
-
List[
CategoryChannel
]
- property forums¶
-
A list of forum channels that belongs to this guild.
This is sorted by the position and are in UI order from top to bottom.
- Type
-
List[
ForumChannel
]
- by_category()¶
-
Returns every
CategoryChannel
and their associated channels.These channels and categories are sorted in the official Discord UI order.
If the channels do not have a category, then the first element of the tuple is
None
.- Returns
-
The categories and their associated channels.
- Return type
-
List[Tuple[Optional[
CategoryChannel
], List[abc.GuildChannel
]]]
- get_channel_or_thread(channel_id, /)¶
-
Returns a channel or thread with the given ID.
New in version 2.0.
- Parameters
-
channel_id (
int
) – The ID to search for. - Returns
-
The returned channel or thread or
None
if not found. - Return type
-
Optional[Union[
Thread
,abc.GuildChannel
]]
- get_channel(channel_id, /)¶
-
Returns a channel with the given ID.
Note
This does not search for threads.
Changed in version 2.0:
channel_id
parameter is now positional-only.- Parameters
-
channel_id (
int
) – The ID to search for. - Returns
-
The returned channel or
None
if not found. - Return type
-
Optional[
abc.GuildChannel
]
- get_thread(thread_id, /)¶
-
Returns a thread with the given ID.
Note
This does not always retrieve archived threads, as they are not retained in the internal
cache. Usefetch_channel()
instead.New in version 2.0.
- Parameters
-
thread_id (
int
) – The ID to search for. - Returns
-
The returned thread or
None
if not found. - Return type
-
Optional[
Thread
]
- property system_channel¶
-
Returns the guild’s channel used for system messages.
If no channel is set, then this returns
None
.- Type
-
Optional[
TextChannel
]
- property system_channel_flags¶
-
Returns the guild’s system channel settings.
- Type
-
SystemChannelFlags
- property rules_channel¶
-
Return’s the guild’s channel used for the rules.
The guild must be a Community guild.If no channel is set, then this returns
None
.New in version 1.3.
- Type
-
Optional[
TextChannel
]
- property public_updates_channel¶
-
Return’s the guild’s channel where admins and
moderators of the guilds receive notices from Discord. The guild must be a
Community guild.If no channel is set, then this returns
None
.New in version 1.4.
- Type
-
Optional[
TextChannel
]
- property emoji_limit¶
-
The maximum number of emoji slots this guild has.
- Type
-
int
- property sticker_limit¶
-
The maximum number of sticker slots this guild has.
New in version 2.0.
- Type
-
int
- property bitrate_limit¶
-
The maximum bitrate for voice channels this guild can have.
- Type
-
float
- property filesize_limit¶
-
The maximum number of bytes files can have when uploaded to this guild.
- Type
-
int
- property members¶
-
A list of members that belong to this guild.
- Type
-
Sequence[
Member
]
- get_member(user_id, /)¶
-
Returns a member with the given ID.
Changed in version 2.0:
user_id
parameter is now positional-only.- Parameters
-
user_id (
int
) – The ID to search for. - Returns
-
The member or
None
if not found. - Return type
-
Optional[
Member
]
- property premium_subscribers¶
-
A list of members who have “boosted” this guild.
- Type
-
List[
Member
]
- property roles¶
-
Returns a sequence of the guild’s roles in hierarchy order.
The first element of this sequence will be the lowest role in the
hierarchy.- Type
-
Sequence[
Role
]
- get_role(role_id, /)¶
-
Returns a role with the given ID.
Changed in version 2.0:
role_id
parameter is now positional-only.- Parameters
-
role_id (
int
) – The ID to search for. - Returns
-
The role or
None
if not found. - Return type
-
Optional[
Role
]
- property default_role¶
-
Gets the @everyone role that all members have by default.
- Type
-
Role
- property premium_subscriber_role¶
-
Gets the premium subscriber role, AKA “boost” role, in this guild.
New in version 1.6.
- Type
-
Optional[
Role
]
- property self_role¶
-
Gets the role associated with this client’s user, if any.
New in version 1.6.
- Type
-
Optional[
Role
]
- property stage_instances¶
-
Returns a sequence of the guild’s stage instances that
are currently running.New in version 2.0.
- Type
-
Sequence[
StageInstance
]
- get_stage_instance(stage_instance_id, /)¶
-
Returns a stage instance with the given ID.
New in version 2.0.
- Parameters
-
stage_instance_id (
int
) – The ID to search for. - Returns
-
The stage instance or
None
if not found. - Return type
-
Optional[
StageInstance
]
- property scheduled_events¶
-
Returns a sequence of the guild’s scheduled events.
New in version 2.0.
- Type
-
Sequence[
ScheduledEvent
]
- get_scheduled_event(scheduled_event_id, /)¶
-
Returns a scheduled event with the given ID.
New in version 2.0.
- Parameters
-
scheduled_event_id (
int
) – The ID to search for. - Returns
-
The scheduled event or
None
if not found. - Return type
-
Optional[
ScheduledEvent
]
- property owner¶
-
The member that owns the guild.
- Type
-
Optional[
Member
]
- property icon¶
-
Returns the guild’s icon asset, if available.
- Type
-
Optional[
Asset
]
-
Returns the guild’s banner asset, if available.
- Type
-
Optional[
Asset
]
- property splash¶
-
Returns the guild’s invite splash asset, if available.
- Type
-
Optional[
Asset
]
- property discovery_splash¶
-
Returns the guild’s discovery splash asset, if available.
- Type
-
Optional[
Asset
]
- property member_count¶
-
Returns the member count if available.
Warning
Due to a Discord limitation, in order for this attribute to remain up-to-date and
accurate, it requiresIntents.members
to be specified.Changed in version 2.0: Now returns an
Optional[int]
.- Type
-
Optional[
int
]
- property chunked¶
-
Returns a boolean indicating if the guild is “chunked”.
A chunked guild means that
member_count
is equal to the
number of members stored in the internalmembers
cache.If this value returns
False
, then you should request for
offline members.- Type
-
bool
- property shard_id¶
-
Returns the shard ID for this guild if applicable.
- Type
-
int
- property created_at¶
-
Returns the guild’s creation time in UTC.
- Type
-
datetime.datetime
- get_member_named(name, /)¶
-
Returns the first member found that matches the name provided.
The name can have an optional discriminator argument, e.g. “Jake#0001”
or “Jake” will both do the lookup. However the former will give a more
precise result. Note that the discriminator must have all 4 digits
for this to work.If a nickname is passed, then it is looked up via the nickname. Note
however, that a nickname + discriminator combo will not lookup the nickname
but rather the username + discriminator combo due to nickname + discriminator
not being unique.If no member is found,
None
is returned.Changed in version 2.0:
name
parameter is now positional-only.- Parameters
-
name (
str
) – The name of the member to lookup with an optional discriminator. - Returns
-
The member in this guild with the associated name. If not found
thenNone
is returned. - Return type
-
Optional[
Member
]
- await create_text_channel(name, *, reason=None, category=None, news=False, position=…, topic=…, slowmode_delay=…, nsfw=…, overwrites=…, default_auto_archive_duration=…)¶
-
This function is a coroutine.
Creates a
TextChannel
for the guild.Note that you must have
manage_channels
to create the channel.The
overwrites
parameter can be used to create a ‘secret’
channel upon creation. This parameter expects adict
of
overwrites with the target (either aMember
or aRole
)
as the key and aPermissionOverwrite
as the value.Note
Creating a channel of a specified position will not update the position of
other channels to follow suit. A follow-up call toedit()
will be required to update the position of the channel in the channel list.Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.Examples
Creating a basic channel:
channel = await guild.create_text_channel('cool-channel')
Creating a “secret” channel:
overwrites = { guild.default_role: discord.PermissionOverwrite(read_messages=False), guild.me: discord.PermissionOverwrite(read_messages=True) } channel = await guild.create_text_channel('secret', overwrites=overwrites)
- Parameters
-
-
name (
str
) – The channel’s name. -
overwrites (Dict[Union[
Role
,Member
],PermissionOverwrite
]) – Adict
of target (either a role or a member) to
PermissionOverwrite
to apply upon creation of a channel.
Useful for creating secret channels. -
category (Optional[
CategoryChannel
]) – The category to place the newly created channel under.
The permissions will be automatically synced to category if no
overwrites are provided. -
position (
int
) – The position in the channel list. This is a number that starts
at 0. e.g. the top channel is position 0. -
topic (
str
) – The new channel’s topic. -
slowmode_delay (
int
) – Specifies the slowmode rate limit for user in this channel, in seconds.
The maximum value possible is21600
. -
nsfw (
bool
) – To mark the channel as NSFW or not. -
news (
bool
) –Whether to create the text channel as a news channel.
New in version 2.0.
-
default_auto_archive_duration (
int
) –The default auto archive duration for threads created in the text channel (in minutes).
New in version 2.0.
-
reason (Optional[
str
]) – The reason for creating this channel. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have the proper permissions to create this channel.
-
HTTPException – Creating the channel failed.
-
TypeError – The permission overwrite information is not in proper form.
-
- Returns
-
The channel that was just created.
- Return type
-
TextChannel
- await create_voice_channel(name, *, reason=None, category=None, position=…, bitrate=…, user_limit=…, rtc_region=…, video_quality_mode=…, overwrites=…)¶
-
This function is a coroutine.
This is similar to
create_text_channel()
except makes aVoiceChannel
instead.Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
-
name (
str
) – The channel’s name. -
overwrites (Dict[Union[
Role
,Member
],PermissionOverwrite
]) – Adict
of target (either a role or a member) to
PermissionOverwrite
to apply upon creation of a channel.
Useful for creating secret channels. -
category (Optional[
CategoryChannel
]) – The category to place the newly created channel under.
The permissions will be automatically synced to category if no
overwrites are provided. -
position (
int
) – The position in the channel list. This is a number that starts
at 0. e.g. the top channel is position 0. -
bitrate (
int
) – The channel’s preferred audio bitrate in bits per second. -
user_limit (
int
) – The channel’s limit for number of members that can be in a voice channel. -
rtc_region (Optional[
str
]) –The region for the voice channel’s voice communication.
A value ofNone
indicates automatic voice region detection.New in version 1.7.
-
video_quality_mode (
VideoQualityMode
) –The camera video quality for the voice channel’s participants.
New in version 2.0.
-
reason (Optional[
str
]) – The reason for creating this channel. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have the proper permissions to create this channel.
-
HTTPException – Creating the channel failed.
-
TypeError – The permission overwrite information is not in proper form.
-
- Returns
-
The channel that was just created.
- Return type
-
VoiceChannel
- await create_stage_channel(name, *, topic, position=…, overwrites=…, category=None, reason=None)¶
-
This function is a coroutine.
This is similar to
create_text_channel()
except makes aStageChannel
instead.New in version 1.7.
Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
-
name (
str
) – The channel’s name. -
topic (
str
) – The new channel’s topic. -
overwrites (Dict[Union[
Role
,Member
],PermissionOverwrite
]) – Adict
of target (either a role or a member) to
PermissionOverwrite
to apply upon creation of a channel.
Useful for creating secret channels. -
category (Optional[
CategoryChannel
]) – The category to place the newly created channel under.
The permissions will be automatically synced to category if no
overwrites are provided. -
position (
int
) – The position in the channel list. This is a number that starts
at 0. e.g. the top channel is position 0. -
reason (Optional[
str
]) – The reason for creating this channel. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have the proper permissions to create this channel.
-
HTTPException – Creating the channel failed.
-
TypeError – The permission overwrite information is not in proper form.
-
- Returns
-
The channel that was just created.
- Return type
-
StageChannel
- await create_category(name, *, overwrites=…, reason=None, position=…)¶
-
This function is a coroutine.
Same as
create_text_channel()
except makes aCategoryChannel
instead.Note
The
category
parameter is not supported in this function since categories
cannot have categories.Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Raises
-
-
Forbidden – You do not have the proper permissions to create this channel.
-
HTTPException – Creating the channel failed.
-
TypeError – The permission overwrite information is not in proper form.
-
- Returns
-
The channel that was just created.
- Return type
-
CategoryChannel
- await create_category_channel(name, *, overwrites=…, reason=None, position=…)¶
-
This function is a coroutine.
Same as
create_text_channel()
except makes aCategoryChannel
instead.Note
The
category
parameter is not supported in this function since categories
cannot have categories.Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Raises
-
-
Forbidden – You do not have the proper permissions to create this channel.
-
HTTPException – Creating the channel failed.
-
TypeError – The permission overwrite information is not in proper form.
-
- Returns
-
The channel that was just created.
- Return type
-
CategoryChannel
- await create_forum(name, *, topic=…, position=…, category=None, slowmode_delay=…, nsfw=…, overwrites=…, reason=None, default_auto_archive_duration=…, default_thread_slowmode_delay=…, available_tags=…)¶
-
This function is a coroutine.
Similar to
create_text_channel()
except makes aForumChannel
instead.The
overwrites
parameter can be used to create a ‘secret’
channel upon creation. This parameter expects adict
of
overwrites with the target (either aMember
or aRole
)
as the key and aPermissionOverwrite
as the value.New in version 2.0.
- Parameters
-
-
name (
str
) – The channel’s name. -
topic (
str
) – The channel’s topic. -
category (Optional[
CategoryChannel
]) – The category to place the newly created channel under.
The permissions will be automatically synced to category if no
overwrites are provided. -
position (
int
) – The position in the channel list. This is a number that starts
at 0. e.g. the top channel is position 0. -
nsfw (
bool
) – To mark the channel as NSFW or not. -
slowmode_delay (
int
) – Specifies the slowmode rate limit for users in this channel, in seconds.
The maximum possible value is21600
. -
reason (Optional[
str
]) – The reason for creating this channel. Shows up in the audit log. -
default_auto_archive_duration (
int
) – The default auto archive duration for threads created in the forum channel (in minutes). -
default_thread_slowmode_delay (
int
) –The default slowmode delay in seconds for threads created in this forum.
New in version 2.1.
-
available_tags (Sequence[
ForumTag
]) –The available tags for this forum channel.
New in version 2.1.
-
- Raises
-
-
Forbidden – You do not have the proper permissions to create this channel.
-
HTTPException – Creating the channel failed.
-
TypeError – The permission overwrite information is not in proper form.
-
- Returns
-
The channel that was just created.
- Return type
-
ForumChannel
- await leave()¶
-
This function is a coroutine.
Leaves the guild.
Note
You cannot leave the guild that you own, you must delete it instead
viadelete()
.- Raises
-
HTTPException – Leaving the guild failed.
- await delete()¶
-
This function is a coroutine.
Deletes the guild. You must be the guild owner to delete the
guild.- Raises
-
-
HTTPException – Deleting the guild failed.
-
Forbidden – You do not have permissions to delete the guild.
-
- await edit(*, reason=…, name=…, description=…, icon=…, banner=…, splash=…, discovery_splash=…, community=…, afk_channel=…, owner=…, afk_timeout=…, default_notifications=…, verification_level=…, explicit_content_filter=…, vanity_code=…, system_channel=…, system_channel_flags=…, preferred_locale=…, rules_channel=…, public_updates_channel=…, premium_progress_bar_enabled=…, discoverable=…, invites_disabled=…)¶
-
This function is a coroutine.
Edits the guild.
You must have
manage_guild
to edit the guild.Changed in version 1.4: The
rules_channel
andpublic_updates_channel
keyword parameters were added.Changed in version 2.0: The
discovery_splash
andcommunity
keyword parameters were added.Changed in version 2.0: The newly updated guild is returned.
Changed in version 2.0: The
region
keyword parameter has been removed.Changed in version 2.0: This function will now raise
TypeError
or
ValueError
instead ofInvalidArgument
.Changed in version 2.0: The
preferred_locale
keyword parameter now accepts an enum instead ofstr
.Changed in version 2.0: The
premium_progress_bar_enabled
keyword parameter was added.Changed in version 2.1: The
discoverable
andinvites_disabled
keyword parameters were added.- Parameters
-
-
name (
str
) – The new name of the guild. -
description (Optional[
str
]) – The new description of the guild. Could beNone
for no description.
This is only available to guilds that containCOMMUNITY
inGuild.features
. -
icon (
bytes
) – A bytes-like object representing the icon. Only PNG/JPEG is supported.
GIF is only available to guilds that containANIMATED_ICON
inGuild.features
.
Could beNone
to denote removal of the icon. -
banner (
bytes
) – A bytes-like object representing the banner.
Could beNone
to denote removal of the banner. This is only available to guilds that contain
BANNER
inGuild.features
. -
splash (
bytes
) – A bytes-like object representing the invite splash.
Only PNG/JPEG supported. Could beNone
to denote removing the
splash. This is only available to guilds that containINVITE_SPLASH
inGuild.features
. -
discovery_splash (
bytes
) – A bytes-like object representing the discovery splash.
Only PNG/JPEG supported. Could beNone
to denote removing the
splash. This is only available to guilds that containDISCOVERABLE
inGuild.features
. -
community (
bool
) – Whether the guild should be a Community guild. If set toTrue
, bothrules_channel
andpublic_updates_channel
parameters are required. -
afk_channel (Optional[
VoiceChannel
]) – The new channel that is the AFK channel. Could beNone
for no AFK channel. -
afk_timeout (
int
) – The number of seconds until someone is moved to the AFK channel. -
owner (
Member
) – The new owner of the guild to transfer ownership to. Note that you must
be owner of the guild to do this. -
verification_level (
VerificationLevel
) – The new verification level for the guild. -
default_notifications (
NotificationLevel
) – The new default notification level for the guild. -
explicit_content_filter (
ContentFilter
) – The new explicit content filter for the guild. -
vanity_code (
str
) – The new vanity code for the guild. -
system_channel (Optional[
TextChannel
]) – The new channel that is used for the system channel. Could beNone
for no system channel. -
system_channel_flags (
SystemChannelFlags
) – The new system channel settings to use with the new system channel. -
preferred_locale (
Locale
) – The new preferred locale for the guild. Used as the primary language in the guild. -
rules_channel (Optional[
TextChannel
]) – The new channel that is used for rules. This is only available to
guilds that containCOMMUNITY
inGuild.features
. Could beNone
for no rules
channel. -
public_updates_channel (Optional[
TextChannel
]) – The new channel that is used for public updates from Discord. This is only available to
guilds that containCOMMUNITY
inGuild.features
. Could beNone
for no
public updates channel. -
premium_progress_bar_enabled (
bool
) – Whether the premium AKA server boost level progress bar should be enabled for the guild. -
discoverable (
bool
) – Whether server discovery is enabled for this guild. -
invites_disabled (
bool
) – Whether joining via invites should be disabled for the guild. -
reason (Optional[
str
]) – The reason for editing this guild. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have permissions to edit the guild.
-
HTTPException – Editing the guild failed.
-
ValueError – The image format passed in to
icon
is invalid. It must be
PNG or JPG. This is also raised if you are not the owner of the
guild and request an ownership transfer. -
TypeError – The type passed to the
default_notifications
,verification_level
,
explicit_content_filter
, orsystem_channel_flags
parameter was
of the incorrect type.
-
- Returns
-
The newly updated guild. Note that this has the same limitations as
mentioned inClient.fetch_guild()
and may not have full data. - Return type
-
Guild
- await fetch_channels()¶
-
This function is a coroutine.
Retrieves all
abc.GuildChannel
that the guild has.Note
This method is an API call. For general usage, consider
channels
instead.New in version 1.2.
- Raises
-
-
InvalidData – An unknown channel type was received from Discord.
-
HTTPException – Retrieving the channels failed.
-
- Returns
-
All channels in the guild.
- Return type
-
Sequence[
abc.GuildChannel
]
- await active_threads()¶
-
This function is a coroutine.
Returns a list of active
Thread
that the client can access.This includes both private and public threads.
New in version 2.0.
- Raises
-
HTTPException – The request to get the active threads failed.
- Returns
-
The active threads
- Return type
-
List[
Thread
]
- async for … in fetch_members(*, limit=1000, after=…)¶
-
Retrieves an asynchronous iterator that enables receiving the guild’s members. In order to use this,
Intents.members()
must be enabled.Note
This method is an API call. For general usage, consider
members
instead.New in version 1.3.
All parameters are optional.
- Parameters
-
-
limit (Optional[
int
]) – The number of members to retrieve. Defaults to 1000.
PassNone
to fetch all members. Note that this is potentially slow. -
after (Optional[Union[
abc.Snowflake
,datetime.datetime
]]) – Retrieve members 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.
-
- Raises
-
-
ClientException – The members intent is not enabled.
-
HTTPException – Getting the members failed.
-
- Yields
-
Member
– The member with the member data parsed.
Examples
Usage
async for member in guild.fetch_members(limit=150): print(member.name)
- await fetch_member(member_id, /)¶
-
This function is a coroutine.
Retrieves a
Member
from a guild ID, and a member ID.Note
This method is an API call. If you have
Intents.members
and member cache enabled, considerget_member()
instead.Changed in version 2.0:
member_id
parameter is now positional-only.- Parameters
-
member_id (
int
) – The member’s ID to fetch from. - Raises
-
-
Forbidden – You do not have access to the guild.
-
HTTPException – Fetching the member failed.
-
NotFound – The member could not be found.
-
- Returns
-
The member from the member ID.
- Return type
-
Member
- await fetch_ban(user)¶
-
This function is a coroutine.
Retrieves the
BanEntry
for a user.You must have
ban_members
to get this information.- Parameters
-
user (
abc.Snowflake
) – The user to get ban information from. - Raises
-
-
Forbidden – You do not have proper permissions to get the information.
-
NotFound – This user is not banned.
-
HTTPException – An error occurred while fetching the information.
-
- Returns
-
The
BanEntry
object for the specified user. - Return type
-
BanEntry
- await fetch_channel(channel_id, /)¶
-
This function is a coroutine.
Retrieves a
abc.GuildChannel
orThread
with the specified ID.Note
This method is an API call. For general usage, consider
get_channel_or_thread()
instead.New in version 2.0.
- Raises
-
-
InvalidData – An unknown channel type was received from Discord
or the guild the channel belongs to is not the same
as the one in this object points to. -
HTTPException – Retrieving the channel failed.
-
NotFound – Invalid Channel ID.
-
Forbidden – You do not have permission to fetch this channel.
-
- Returns
-
The channel from the ID.
- Return type
-
Union[
abc.GuildChannel
,Thread
]
- async for … in bans(*, limit=1000, before=…, after=…)¶
-
Retrieves an asynchronous iterator of the users that are banned from the guild as a
BanEntry
.You must have
ban_members
to get this information.Changed in version 2.0: Due to a breaking change in Discord’s API, this now returns a paginated iterator instead of a list.
Examples
Usage
async for entry in guild.bans(limit=150): print(entry.user, entry.reason)
Flattening into a list
bans = [entry async for entry in guild.bans(limit=2000)] # bans is now a list of BanEntry...
All parameters are optional.
- Parameters
-
-
limit (Optional[
int
]) – The number of bans to retrieve. IfNone
, it retrieves every ban in
the guild. Note, however, that this would make it a slow operation.
Defaults to1000
. -
before (
abc.Snowflake
) – Retrieves bans before this user. -
after (
abc.Snowflake
) – Retrieve bans after this user.
-
- Raises
-
-
Forbidden – You do not have proper permissions to get the information.
-
HTTPException – An error occurred while fetching the information.
-
TypeError – Both
after
andbefore
were provided, as Discord does not
support this type of pagination.
-
- Yields
-
BanEntry
– The ban entry of the banned user.
- await prune_members(*, days, compute_prune_count=True, roles=…, reason=None)¶
-
This function is a coroutine.
Prunes the guild from its inactive members.
The inactive members are denoted if they have not logged on in
days
number of days and they have no roles.You must have
kick_members
to do this.To check how many members you would prune without actually pruning,
see theestimate_pruned_members()
function.To prune members that have specific roles see the
roles
parameter.Changed in version 1.4: The
roles
keyword-only parameter was added.Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
-
days (
int
) – The number of days before counting as inactive. -
reason (Optional[
str
]) – The reason for doing this action. Shows up on the audit log. -
compute_prune_count (
bool
) – Whether to compute the prune count. This defaults toTrue
which makes it prone to timeouts in very large guilds. In order
to prevent timeouts, you must set this toFalse
. If this is
set toFalse
, then this function will always returnNone
. -
roles (List[
abc.Snowflake
]) – A list ofabc.Snowflake
that represent roles to include in the pruning process. If a member
has a role that is not specified, they’ll be excluded.
-
- Raises
-
-
Forbidden – You do not have permissions to prune members.
-
HTTPException – An error occurred while pruning members.
-
TypeError – An integer was not passed for
days
.
-
- Returns
-
The number of members pruned. If
compute_prune_count
isFalse
then this returnsNone
. - Return type
-
Optional[
int
]
- await templates()¶
-
This function is a coroutine.
Gets the list of templates from this guild.
You must have
manage_guild
to do this.New in version 1.7.
- Raises
-
Forbidden – You don’t have permissions to get the templates.
- Returns
-
The templates for this guild.
- Return type
-
List[
Template
]
- await webhooks()¶
-
This function is a coroutine.
Gets the list of webhooks from this guild.
You must have
manage_webhooks
to do this.- Raises
-
Forbidden – You don’t have permissions to get the webhooks.
- Returns
-
The webhooks for this guild.
- Return type
-
List[
Webhook
]
- await estimate_pruned_members(*, days, roles=…)¶
-
This function is a coroutine.
Similar to
prune_members()
except instead of actually
pruning members, it returns how many members it would prune
from the guild had it been called.Changed in version 2.0: The returned value can be
None
.Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
-
days (
int
) – The number of days before counting as inactive. -
roles (List[
abc.Snowflake
]) –A list of
abc.Snowflake
that represent roles to include in the estimate. If a member
has a role that is not specified, they’ll be excluded.New in version 1.7.
-
- Raises
-
-
Forbidden – You do not have permissions to prune members.
-
HTTPException – An error occurred while fetching the prune members estimate.
-
TypeError – An integer was not passed for
days
.
-
- Returns
-
The number of members estimated to be pruned.
- Return type
-
Optional[
int
]
- await invites()¶
-
This function is a coroutine.
Returns a list of all active instant invites from the guild.
You must have
manage_guild
to get this information.- Raises
-
-
Forbidden – You do not have proper permissions to get the information.
-
HTTPException – An error occurred while fetching the information.
-
- Returns
-
The list of invites that are currently active.
- Return type
-
List[
Invite
]
- await create_template(*, name, description=…)¶
-
This function is a coroutine.
Creates a template for the guild.
You must have
manage_guild
to do this.New in version 1.7.
- Parameters
-
-
name (
str
) – The name of the template. -
description (
str
) – The description of the template.
-
- await create_integration(*, type, id)¶
-
This function is a coroutine.
Attaches an integration to the guild.
You must have
manage_guild
to do this.New in version 1.4.
- Parameters
-
-
type (
str
) – The integration type (e.g. Twitch). -
id (
int
) – The integration ID.
-
- Raises
-
-
Forbidden – You do not have permission to create the integration.
-
HTTPException – The account could not be found.
-
- await integrations()¶
-
This function is a coroutine.
Returns a list of all integrations attached to the guild.
You must have
manage_guild
to do this.New in version 1.4.
- Raises
-
-
Forbidden – You do not have permission to create the integration.
-
HTTPException – Fetching the integrations failed.
-
- Returns
-
The list of integrations that are attached to the guild.
- Return type
-
List[
Integration
]
- await fetch_stickers()¶
-
This function is a coroutine.
Retrieves a list of all
Sticker
s for the guild.New in version 2.0.
Note
This method is an API call. For general usage, consider
stickers
instead.- Raises
-
HTTPException – An error occurred fetching the stickers.
- Returns
-
The retrieved stickers.
- Return type
-
List[
GuildSticker
]
- await fetch_sticker(sticker_id, /)¶
-
This function is a coroutine.
Retrieves a custom
Sticker
from the guild.New in version 2.0.
Note
This method is an API call.
For general usage, consider iterating overstickers
instead.- Parameters
-
sticker_id (
int
) – The sticker’s ID. - Raises
-
-
NotFound – The sticker requested could not be found.
-
HTTPException – An error occurred fetching the sticker.
-
- Returns
-
The retrieved sticker.
- Return type
-
GuildSticker
- await create_sticker(*, name, description, emoji, file, reason=None)¶
-
This function is a coroutine.
Creates a
Sticker
for the guild.You must have
manage_emojis_and_stickers
to do this.New in version 2.0.
- Parameters
-
-
name (
str
) – The sticker name. Must be at least 2 characters. -
description (
str
) – The sticker’s description. -
emoji (
str
) – The name of a unicode emoji that represents the sticker’s expression. -
file (
File
) – The file of the sticker to upload. -
reason (
str
) – The reason for creating this sticker. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You are not allowed to create stickers.
-
HTTPException – An error occurred creating a sticker.
-
- Returns
-
The created sticker.
- Return type
-
GuildSticker
- await delete_sticker(sticker, /, *, reason=None)¶
-
This function is a coroutine.
Deletes the custom
Sticker
from the guild.You must have
manage_emojis_and_stickers
to do this.New in version 2.0.
- Parameters
-
-
sticker (
abc.Snowflake
) – The sticker you are deleting. -
reason (Optional[
str
]) – The reason for deleting this sticker. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You are not allowed to delete stickers.
-
HTTPException – An error occurred deleting the sticker.
-
- await fetch_scheduled_events(*, with_counts=True)¶
-
This function is a coroutine.
Retrieves a list of all scheduled events for the guild.
New in version 2.0.
- Parameters
-
with_counts (
bool
) – Whether to include the number of users that are subscribed to the event.
Defaults toTrue
. - Raises
-
HTTPException – Retrieving the scheduled events failed.
- Returns
-
The scheduled events.
- Return type
-
List[
ScheduledEvent
]
- await fetch_scheduled_event(scheduled_event_id, /, *, with_counts=True)¶
-
This function is a coroutine.
Retrieves a scheduled event from the guild.
New in version 2.0.
- Parameters
-
-
id (
int
) – The scheduled event ID. -
with_counts (
bool
) – Whether to include the number of users that are subscribed to the event.
Defaults toTrue
.
-
- Raises
-
-
NotFound – The scheduled event was not found.
-
HTTPException – Retrieving the scheduled event failed.
-
- Returns
-
The scheduled event.
- Return type
-
ScheduledEvent
- await create_scheduled_event(*, name, start_time, entity_type=…, privacy_level=…, channel=…, location=…, end_time=…, description=…, image=…, reason=None)¶
-
This function is a coroutine.
Creates a scheduled event for the guild.
You must have
manage_events
to do this.New in version 2.0.
- Parameters
-
-
name (
str
) – The name of the scheduled event. -
description (
str
) – The description of the scheduled event. -
channel (Optional[
abc.Snowflake
]) –The channel to send the scheduled event to. If the channel is
aStageInstance
orVoiceChannel
then
it automatically sets the entity type.Required if
entity_type
is eitherEntityType.voice
or
EntityType.stage_instance
. -
start_time (
datetime.datetime
) – The scheduled start time of the scheduled event. This must be a timezone-aware
datetime object. Consider usingutils.utcnow()
. -
end_time (
datetime.datetime
) –The scheduled end time of the scheduled event. This must be a timezone-aware
datetime object. Consider usingutils.utcnow()
.Required if the entity type is
EntityType.external
. -
entity_type (
EntityType
) – The entity type of the scheduled event. If the channel is a
StageInstance
orVoiceChannel
then this is
automatically set to the appropriate entity type. If no channel
is passed then the entity type is assumed to be
EntityType.external
-
image (
bytes
) – The image of the scheduled event. -
location (
str
) –The location of the scheduled event.
Required if the
entity_type
isEntityType.external
. -
reason (Optional[
str
]) – The reason for creating this scheduled event. Shows up on the audit log.
-
- Raises
-
-
TypeError –
image
was not a bytes-like object, orprivacy_level
was not aPrivacyLevel
, orentity_type
was not an
EntityType
,status
was not anEventStatus
,
or an argument was provided that was incompatible with the provided
entity_type
. -
ValueError –
start_time
orend_time
was not a timezone-aware datetime object. -
Forbidden – You are not allowed to create scheduled events.
-
HTTPException – Creating the scheduled event failed.
-
- Returns
-
The created scheduled event.
- Return type
-
ScheduledEvent
- await fetch_emojis()¶
-
This function is a coroutine.
Retrieves all custom
Emoji
s from the guild.Note
This method is an API call. For general usage, consider
emojis
instead.- Raises
-
HTTPException – An error occurred fetching the emojis.
- Returns
-
The retrieved emojis.
- Return type
-
List[
Emoji
]
- await fetch_emoji(emoji_id, /)¶
-
This function is a coroutine.
Retrieves a custom
Emoji
from the guild.Note
This method is an API call.
For general usage, consider iterating overemojis
instead.Changed in version 2.0:
emoji_id
parameter is now positional-only.- Parameters
-
emoji_id (
int
) – The emoji’s ID. - Raises
-
-
NotFound – The emoji requested could not be found.
-
HTTPException – An error occurred fetching the emoji.
-
- Returns
-
The retrieved emoji.
- Return type
-
Emoji
- await create_custom_emoji(*, name, image, roles=…, reason=None)¶
-
This function is a coroutine.
Creates a custom
Emoji
for the guild.There is currently a limit of 50 static and animated emojis respectively per guild,
unless the guild has theMORE_EMOJI
feature which extends the limit to 200.You must have
manage_emojis
to do this.- Parameters
-
-
name (
str
) – The emoji name. Must be at least 2 characters. -
image (
bytes
) – The bytes-like object representing the image data to use.
Only JPG, PNG and GIF images are supported. -
roles (List[
Role
]) – Alist
ofRole
s that can use this emoji. Leave empty to make it available to everyone. -
reason (Optional[
str
]) – The reason for creating this emoji. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You are not allowed to create emojis.
-
HTTPException – An error occurred creating an emoji.
-
- Returns
-
The created emoji.
- Return type
-
Emoji
- await delete_emoji(emoji, /, *, reason=None)¶
-
This function is a coroutine.
Deletes the custom
Emoji
from the guild.You must have
manage_emojis
to do this.Changed in version 2.0:
emoji
parameter is now positional-only.- Parameters
-
-
emoji (
abc.Snowflake
) – The emoji you are deleting. -
reason (Optional[
str
]) – The reason for deleting this emoji. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You are not allowed to delete emojis.
-
HTTPException – An error occurred deleting the emoji.
-
- await fetch_roles()¶
-
This function is a coroutine.
Retrieves all
Role
that the guild has.Note
This method is an API call. For general usage, consider
roles
instead.New in version 1.3.
- Raises
-
HTTPException – Retrieving the roles failed.
- Returns
-
All roles in the guild.
- Return type
-
List[
Role
]
- await create_role(*, name=…, permissions=…, color=…, colour=…, hoist=…, display_icon=…, mentionable=…, reason=None)¶
-
This function is a coroutine.
Creates a
Role
for the guild.All fields are optional.
You must have
manage_roles
to do this.Changed in version 1.6: Can now pass
int
tocolour
keyword-only parameter.New in version 2.0: The
display_icon
keyword-only parameter was added.Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
-
name (
str
) – The role name. Defaults to ‘new role’. -
permissions (
Permissions
) – The permissions to have. Defaults to no permissions. -
colour (Union[
Colour
,int
]) – The colour for the role. Defaults toColour.default()
.
This is aliased tocolor
as well. -
hoist (
bool
) – Indicates if the role should be shown separately in the member list.
Defaults toFalse
. -
display_icon (Union[
bytes
,str
]) – A bytes-like object representing the icon
orstr
representing unicode emoji that should be used as a role icon.
Only PNG/JPEG is supported.
This is only available to guilds that containROLE_ICONS
infeatures
. -
mentionable (
bool
) – Indicates if the role should be mentionable by others.
Defaults toFalse
. -
reason (Optional[
str
]) – The reason for creating this role. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have permissions to create the role.
-
HTTPException – Creating the role failed.
-
TypeError – An invalid keyword argument was given.
-
- Returns
-
The newly created role.
- Return type
-
Role
- await edit_role_positions(positions, *, reason=None)¶
-
This function is a coroutine.
Bulk edits a list of
Role
in the guild.You must have
manage_roles
to do this.New in version 1.4.
Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.Example
positions = { bots_role: 1, # penultimate role tester_role: 2, admin_role: 6 } await guild.edit_role_positions(positions=positions)
- Parameters
-
-
positions – A
dict
ofRole
toint
to change the positions
of each given role. -
reason (Optional[
str
]) – The reason for editing the role positions. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have permissions to move the roles.
-
HTTPException – Moving the roles failed.
-
TypeError – An invalid keyword argument was given.
-
- Returns
-
A list of all the roles in the guild.
- Return type
-
List[
Role
]
- await welcome_screen()¶
-
This function is a coroutine.
Returns the guild’s welcome screen.
The guild must have
COMMUNITY
infeatures
.You must have
manage_guild
to do this.as well.New in version 2.0.
- Raises
-
-
Forbidden – You do not have the proper permissions to get this.
-
HTTPException – Retrieving the welcome screen failed.
-
- Returns
-
The welcome screen.
- Return type
-
WelcomeScreen
- await edit_welcome_screen(*, description=…, welcome_channels=…, enabled=…, reason=None)¶
-
This function is a coroutine.
A shorthand method of
WelcomeScreen.edit
without needing
to fetch the welcome screen beforehand.The guild must have
COMMUNITY
infeatures
.You must have
manage_guild
to do this.as well.New in version 2.0.
- Returns
-
The edited welcome screen.
- Return type
-
WelcomeScreen
- await kick(user, *, reason=None)¶
-
This function is a coroutine.
Kicks a user from the guild.
The user must meet the
abc.Snowflake
abc.You must have
kick_members
to do this.- Parameters
-
-
user (
abc.Snowflake
) – The user to kick from their guild. -
reason (Optional[
str
]) – The reason the user got kicked.
-
- Raises
-
-
Forbidden – You do not have the proper permissions to kick.
-
HTTPException – Kicking failed.
-
- await ban(user, *, reason=None, delete_message_days=…, delete_message_seconds=…)¶
-
This function is a coroutine.
Bans a user from the guild.
The user must meet the
abc.Snowflake
abc.You must have
ban_members
to do this.- Parameters
-
-
user (
abc.Snowflake
) – The user to ban from their guild. -
delete_message_days (
int
) –The number of days worth of messages to delete from the user
in the guild. The minimum is 0 and the maximum is 7.
Defaults to 1 day if neitherdelete_message_days
nor
delete_message_seconds
are passed.Deprecated since version 2.1.
-
delete_message_seconds (
int
) –The number of seconds worth of messages to delete from the user
in the guild. The minimum is 0 and the maximum is 604800 (7 days).
Defaults to 1 day if neitherdelete_message_days
nor
delete_message_seconds
are passed.New in version 2.1.
-
reason (Optional[
str
]) – The reason the user got banned.
-
- Raises
-
-
NotFound – The requested user was not found.
-
Forbidden – You do not have the proper permissions to ban.
-
HTTPException – Banning failed.
-
TypeError – You specified both
delete_message_days
anddelete_message_seconds
.
-
- await unban(user, *, reason=None)¶
-
This function is a coroutine.
Unbans a user from the guild.
The user must meet the
abc.Snowflake
abc.You must have
ban_members
to do this.- Parameters
-
-
user (
abc.Snowflake
) – The user to unban. -
reason (Optional[
str
]) – The reason for doing this action. Shows up on the audit log.
-
- Raises
-
-
NotFound – The requested unban was not found.
-
Forbidden – You do not have the proper permissions to unban.
-
HTTPException – Unbanning failed.
-
- property vanity_url¶
-
The Discord vanity invite URL for this guild, if available.
New in version 2.0.
- Type
-
Optional[
str
]
- await vanity_invite()¶
-
This function is a coroutine.
Returns the guild’s special vanity invite.
The guild must have
VANITY_URL
infeatures
.You must have
manage_guild
to do this.as well.- Raises
-
-
Forbidden – You do not have the proper permissions to get this.
-
HTTPException – Retrieving the vanity invite failed.
-
- Returns
-
The special vanity invite. If
None
then the guild does not
have a vanity invite set. - Return type
-
Optional[
Invite
]
- async for … in audit_logs(*, limit=100, before=…, after=…, oldest_first=…, user=…, action=…)¶
-
Returns an asynchronous iterator that enables receiving the guild’s audit logs.
You must have
view_audit_log
to do this.Examples
Getting the first 100 entries:
async for entry in guild.audit_logs(limit=100): print(f'{entry.user} did {entry.action} to {entry.target}')
Getting entries for a specific action:
async for entry in guild.audit_logs(action=discord.AuditLogAction.ban): print(f'{entry.user} banned {entry.target}')
Getting entries made by a specific user:
entries = [entry async for entry in guild.audit_logs(limit=None, user=guild.me)] await channel.send(f'I made {len(entries)} moderation actions.')
- Parameters
-
-
limit (Optional[
int
]) – The number of entries to retrieve. IfNone
retrieve all entries. -
before (Union[
abc.Snowflake
,datetime.datetime
]) – Retrieve entries before this date or entry.
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. -
after (Union[
abc.Snowflake
,datetime.datetime
]) – Retrieve entries after this date or entry.
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. -
oldest_first (
bool
) – If set toTrue
, return entries in oldest->newest order. Defaults toTrue
if
after
is specified, otherwiseFalse
. -
user (
abc.Snowflake
) – The moderator to filter entries from. -
action (
AuditLogAction
) – The action to filter with.
-
- Raises
-
-
Forbidden – You are not allowed to fetch audit logs
-
HTTPException – An error occurred while fetching the audit logs.
-
- Yields
-
AuditLogEntry
– The audit log entry.
- await widget()¶
-
This function is a coroutine.
Returns the widget of the guild.
Note
The guild must have the widget enabled to get this information.
- Raises
-
-
Forbidden – The widget for this guild is disabled.
-
HTTPException – Retrieving the widget failed.
-
- Returns
-
The guild’s widget.
- Return type
-
Widget
- await edit_widget(*, enabled=…, channel=…, reason=None)¶
-
This function is a coroutine.
Edits the widget of the guild.
You must have
manage_guild
to do this.New in version 2.0.
- Parameters
-
-
enabled (
bool
) – Whether to enable the widget for the guild. -
channel (Optional[
Snowflake
]) – The new widget channel.None
removes the widget channel. -
reason (Optional[
str
]) – The reason for editing this widget. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have permission to edit the widget.
-
HTTPException – Editing the widget failed.
-
- await chunk(*, cache=True)¶
-
This function is a coroutine.
Requests all members that belong to this guild. In order to use this,
Intents.members()
must be enabled.This is a websocket operation and can be slow.
New in version 1.5.
- Parameters
-
cache (
bool
) – Whether to cache the members as well. - Raises
-
ClientException – The members intent is not enabled.
- Returns
-
The list of members in the guild.
- Return type
-
List[
Member
]
- await query_members(query=None, *, limit=5, user_ids=None, presences=False, cache=True)¶
-
This function is a coroutine.
Request members that belong to this guild whose username starts with
the query given.This is a websocket operation.
New in version 1.3.
- Parameters
-
-
query (Optional[
str
]) – The string that the username’s start with. -
limit (
int
) – The maximum number of members to send back. This must be
a number between 5 and 100. -
presences (
bool
) –Whether to request for presences to be provided. This defaults
toFalse
.New in version 1.6.
-
cache (
bool
) – Whether to cache the members internally. This makes operations
such asget_member()
work for those that matched. -
user_ids (Optional[List[
int
]]) –List of user IDs to search for. If the user ID is not in the guild then it won’t be returned.
New in version 1.4.
-
- Raises
-
-
asyncio.TimeoutError – The query timed out waiting for the members.
-
ValueError – Invalid parameters were passed to the function
-
ClientException – The presences intent is not enabled.
-
- Returns
-
The list of members that have matched the query.
- Return type
-
List[
Member
]
- await change_voice_state(*, channel, self_mute=False, self_deaf=False)¶
-
This function is a coroutine.
Changes client’s voice state in the guild.
New in version 1.4.
- Parameters
-
-
channel (Optional[
abc.Snowflake
]) – Channel the client wants to join. UseNone
to disconnect. -
self_mute (
bool
) – Indicates if the client should be self-muted. -
self_deaf (
bool
) – Indicates if the client should be self-deafened.
-
- await fetch_automod_rule(automod_rule_id, /)¶
-
This function is a coroutine.
Fetches an active automod rule from the guild.
You must have
Permissions.manage_guild
to do this.New in version 2.0.
- Parameters
-
automod_rule_id (
int
) – The ID of the automod rule to fetch. - Raises
-
Forbidden – You do not have permission to view the automod rule.
- Returns
-
The automod rule that was fetched.
- Return type
-
AutoModRule
- await fetch_automod_rules()¶
-
This function is a coroutine.
Fetches all automod rules from the guild.
You must have
Permissions.manage_guild
to do this.New in version 2.0.
- Raises
-
-
Forbidden – You do not have permission to view the automod rule.
-
NotFound – There are no automod rules within this guild.
-
- Returns
-
The automod rules that were fetched.
- Return type
-
List[
AutoModRule
]
- await create_automod_rule(*, name, event_type, trigger, actions, enabled=…, exempt_roles=…, exempt_channels=…, reason=…)¶
-
This function is a coroutine.
Create an automod rule.
You must have
Permissions.manage_guild
to do this.New in version 2.0.
- Parameters
-
-
name (
str
) – The name of the automod rule. -
event_type (
AutoModRuleEventType
) – The type of event that the automod rule will trigger on. -
trigger (
AutoModTrigger
) – The trigger that will trigger the automod rule. -
actions (List[
AutoModRuleAction
]) – The actions that will be taken when the automod rule is triggered. -
enabled (
bool
) – Whether the automod rule is enabled.
Discord will default toFalse
. -
exempt_roles (Sequence[
abc.Snowflake
]) – A list of roles that will be exempt from the automod rule. -
exempt_channels (Sequence[
abc.Snowflake
]) – A list of channels that will be exempt from the automod rule. -
reason (
str
) – The reason for creating this automod rule. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have permissions to create an automod rule.
-
HTTPException – Creating the automod rule failed.
-
- Returns
-
The automod rule that was created.
- Return type
-
AutoModRule
- class discord.BanEntry¶
-
A namedtuple which represents a ban returned from
bans()
.- reason¶
-
The reason this user was banned.
- Type
-
Optional[
str
]
- user¶
-
The
User
that was banned.- Type
-
User
ScheduledEvent¶
Attributes
- channel
- cover_image
- creator
- description
- end_time
- entity_id
- entity_type
- guild
- id
- location
- name
- privacy_level
- start_time
- status
- url
- user_count
Methods
-
asynccancel -
asyncdelete -
asyncedit -
asyncend -
asyncstart -
asyncusers
- class discord.ScheduledEvent¶
-
Represents a scheduled event in a guild.
New in version 2.0.
- x == y
-
Checks if two scheduled events are equal.
- x != y
-
Checks if two scheduled events are not equal.
- hash(x)
-
Returns the scheduled event’s hash.
- id¶
-
The scheduled event’s ID.
- Type
-
int
- name¶
-
The name of the scheduled event.
- Type
-
str
- description¶
-
The description of the scheduled event.
- Type
-
Optional[
str
]
- entity_type¶
-
The type of entity this event is for.
- Type
-
EntityType
- entity_id¶
-
The ID of the entity this event is for if available.
- Type
-
Optional[
int
]
- start_time¶
-
The time that the scheduled event will start in UTC.
- Type
-
datetime.datetime
- end_time¶
-
The time that the scheduled event will end in UTC.
- Type
-
Optional[
datetime.datetime
]
- privacy_level¶
-
The privacy level of the scheduled event.
- Type
-
PrivacyLevel
- status¶
-
The status of the scheduled event.
- Type
-
EventStatus
- user_count¶
-
The number of users subscribed to the scheduled event.
- Type
-
int
- creator¶
-
The user that created the scheduled event.
- Type
-
Optional[
User
]
- location¶
-
The location of the scheduled event.
- Type
-
Optional[
str
]
- property cover_image¶
-
The scheduled event’s cover image.
- Type
-
Optional[
Asset
]
- property guild¶
-
The guild this scheduled event is in.
- Type
-
Optional[
Guild
]
- property channel¶
-
The channel this scheduled event is in.
- Type
-
Optional[Union[
VoiceChannel
,StageChannel
]]
- property url¶
-
The url for the scheduled event.
- Type
-
str
- await start(*, reason=None)¶
-
This function is a coroutine.
Starts the scheduled event.
Shorthand for:
await event.edit(status=EventStatus.active)
- Parameters
-
reason (Optional[
str
]) – The reason for starting the scheduled event. - Raises
-
-
ValueError – The scheduled event has already started or has ended.
-
Forbidden – You do not have the proper permissions to start the scheduled event.
-
HTTPException – The scheduled event could not be started.
-
- Returns
-
The scheduled event that was started.
- Return type
-
ScheduledEvent
- await end(*, reason=None)¶
-
This function is a coroutine.
Ends the scheduled event.
Shorthand for:
await event.edit(status=EventStatus.completed)
- Parameters
-
reason (Optional[
str
]) – The reason for ending the scheduled event. - Raises
-
-
ValueError – The scheduled event is not active or has already ended.
-
Forbidden – You do not have the proper permissions to end the scheduled event.
-
HTTPException – The scheduled event could not be ended.
-
- Returns
-
The scheduled event that was ended.
- Return type
-
ScheduledEvent
- await cancel(*, reason=None)¶
-
This function is a coroutine.
Cancels the scheduled event.
Shorthand for:
await event.edit(status=EventStatus.cancelled)
- Parameters
-
reason (Optional[
str
]) – The reason for cancelling the scheduled event. - Raises
-
-
ValueError – The scheduled event is already running.
-
Forbidden – You do not have the proper permissions to cancel the scheduled event.
-
HTTPException – The scheduled event could not be cancelled.
-
- Returns
-
The scheduled event that was cancelled.
- Return type
-
ScheduledEvent
- await edit(*, name=…, description=…, channel=…, start_time=…, end_time=…, privacy_level=…, entity_type=…, status=…, image=…, location=…, reason=None)¶
-
This function is a coroutine.
Edits the scheduled event.
You must have
manage_events
to do this.- Parameters
-
-
name (
str
) – The name of the scheduled event. -
description (
str
) – The description of the scheduled event. -
channel (Optional[
Snowflake
]) –The channel to put the scheduled event in. If the channel is
aStageInstance
orVoiceChannel
then
it automatically sets the entity type.Required if the entity type is either
EntityType.voice
or
EntityType.stage_instance
. -
start_time (
datetime.datetime
) – The time that the scheduled event will start. This must be a timezone-aware
datetime object. Consider usingutils.utcnow()
. -
end_time (Optional[
datetime.datetime
]) –The time that the scheduled event will end. This must be a timezone-aware
datetime object. Consider usingutils.utcnow()
.If the entity type is either
EntityType.voice
or
EntityType.stage_instance
, the end_time can be cleared by
passingNone
.Required if the entity type is
EntityType.external
. -
privacy_level (
PrivacyLevel
) – The privacy level of the scheduled event. -
entity_type (
EntityType
) – The new entity type. If the channel is aStageInstance
orVoiceChannel
then this is automatically set to the
appropriate entity type. -
status (
EventStatus
) – The new status of the scheduled event. -
image (Optional[
bytes
]) – The new image of the scheduled event orNone
to remove the image. -
location (
str
) –The new location of the scheduled event.
Required if the entity type is
EntityType.external
. -
reason (Optional[
str
]) – The reason for editing the scheduled event. Shows up on the audit log.
-
- Raises
-
-
TypeError –
image
was not a bytes-like object, orprivacy_level
was not aPrivacyLevel
, orentity_type
was not an
EntityType
,status
was not anEventStatus
, or
an argument was provided that was incompatible with the scheduled event’s
entity type. -
ValueError –
start_time
orend_time
was not a timezone-aware datetime object. -
Forbidden – You do not have permissions to edit the scheduled event.
-
HTTPException – Editing the scheduled event failed.
-
- Returns
-
The edited scheduled event.
- Return type
-
ScheduledEvent
- await delete(*, reason=None)¶
-
This function is a coroutine.
Deletes the scheduled event.
You must have
manage_events
to do this.- Parameters
-
reason (Optional[
str
]) – The reason for deleting the scheduled event. Shows up on the audit log. - Raises
-
-
Forbidden – You do not have permissions to delete the scheduled event.
-
HTTPException – Deleting the scheduled event failed.
-
- async for … in users(*, limit=None, before=None, after=None, oldest_first=…)¶
-
This function is a coroutine.
Retrieves all
User
that are subscribed to this event.This requires
Intents.members
to get information about members
other than yourself.- Raises
-
HTTPException – Retrieving the members failed.
- Returns
-
All subscribed users of this event.
- Return type
-
List[
User
]
Integration¶
Attributes
- account
- enabled
- guild
- id
- name
- type
- user
- class discord.Integration¶
-
Represents a guild integration.
New in version 1.4.
- id¶
-
The integration ID.
- Type
-
int
- name¶
-
The integration name.
- Type
-
str
- guild¶
-
The guild of the integration.
- Type
-
Guild
- type¶
-
The integration type (i.e. Twitch).
- Type
-
str
- enabled¶
-
Whether the integration is currently enabled.
- Type
-
bool
- account¶
-
The account linked to this integration.
- Type
-
IntegrationAccount
- user¶
-
The user that added this integration.
- Type
-
User
- await delete(*, reason=None)¶
-
This function is a coroutine.
Deletes the integration.
You must have
manage_guild
to do this.- Parameters
-
reason (
str
) –The reason the integration was deleted. Shows up on the audit log.
New in version 2.0.
- Raises
-
-
Forbidden – You do not have permission to delete the integration.
-
HTTPException – Deleting the integration failed.
-
- class discord.IntegrationAccount¶
-
Represents an integration account.
New in version 1.4.
- id¶
-
The account ID.
- Type
-
str
- name¶
-
The account name.
- Type
-
str
- class discord.BotIntegration¶
-
Represents a bot integration on discord.
New in version 2.0.
- id¶
-
The integration ID.
- Type
-
int
- name¶
-
The integration name.
- Type
-
str
- guild¶
-
The guild of the integration.
- Type
-
Guild
- type¶
-
The integration type (i.e. Twitch).
- Type
-
str
- enabled¶
-
Whether the integration is currently enabled.
- Type
-
bool
- user¶
-
The user that added this integration.
- Type
-
User
- account¶
-
The integration account information.
- Type
-
IntegrationAccount
- application¶
-
The application tied to this integration.
- Type
-
IntegrationApplication
Attributes
- description
- icon
- id
- name
- summary
- user
- class discord.IntegrationApplication¶
-
Represents an application for a bot integration.
New in version 2.0.
- id¶
-
The ID for this application.
- Type
-
int
- name¶
-
The application’s name.
- Type
-
str
- icon¶
-
The application’s icon hash.
- Type
-
Optional[
str
]
- description¶
-
The application’s description. Can be an empty string.
- Type
-
str
- summary¶
-
The summary of the application. Can be an empty string.
- Type
-
str
- user¶
-
The bot user on this application.
- Type
-
Optional[
User
]
- class discord.StreamIntegration¶
-
Represents a stream integration for Twitch or YouTube.
New in version 2.0.
- id¶
-
The integration ID.
- Type
-
int
- name¶
-
The integration name.
- Type
-
str
- guild¶
-
The guild of the integration.
- Type
-
Guild
- type¶
-
The integration type (i.e. Twitch).
- Type
-
str
- enabled¶
-
Whether the integration is currently enabled.
- Type
-
bool
- syncing¶
-
Where the integration is currently syncing.
- Type
-
bool
- enable_emoticons¶
-
Whether emoticons should be synced for this integration (currently twitch only).
- Type
-
Optional[
bool
]
- expire_behaviour¶
-
The behaviour of expiring subscribers. Aliased to
expire_behavior
as well.- Type
-
ExpireBehaviour
- expire_grace_period¶
-
The grace period (in days) for expiring subscribers.
- Type
-
int
- user¶
-
The user for the integration.
- Type
-
User
- account¶
-
The integration account information.
- Type
-
IntegrationAccount
- synced_at¶
-
An aware UTC datetime representing when the integration was last synced.
- Type
-
datetime.datetime
- property expire_behavior¶
-
An alias for
expire_behaviour
.- Type
-
ExpireBehaviour
- property role¶
-
Optional[
Role
] The role which the integration uses for subscribers.
- await edit(*, expire_behaviour=…, expire_grace_period=…, enable_emoticons=…)¶
-
This function is a coroutine.
Edits the integration.
You must have
manage_guild
to do this.Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
-
expire_behaviour (
ExpireBehaviour
) – The behaviour when an integration subscription lapses. Aliased toexpire_behavior
as well. -
expire_grace_period (
int
) – The period (in days) where the integration will ignore lapsed subscriptions. -
enable_emoticons (
bool
) – Where emoticons should be synced for this integration (currently twitch only).
-
- Raises
-
-
Forbidden – You do not have permission to edit the integration.
-
HTTPException – Editing the guild failed.
-
TypeError –
expire_behaviour
did not receive aExpireBehaviour
.
-
- await sync()¶
-
This function is a coroutine.
Syncs the integration.
You must have
manage_guild
to do this.- Raises
-
-
Forbidden – You do not have permission to sync the integration.
-
HTTPException – Syncing the integration failed.
-
- class discord.PartialIntegration¶
-
Represents a partial guild integration.
New in version 2.0.
- id¶
-
The integration ID.
- Type
-
int
- name¶
-
The integration name.
- Type
-
str
- guild¶
-
The guild of the integration.
- Type
-
Guild
- type¶
-
The integration type (i.e. Twitch).
- Type
-
str
- account¶
-
The account linked to this integration.
- Type
-
IntegrationAccount
- application_id¶
-
The id of the application this integration belongs to.
- Type
-
Optional[
int
]
Member¶
Attributes
- accent_color
- accent_colour
- activities
- activity
- avatar
- banner
- bot
- color
- colour
- created_at
- default_avatar
- desktop_status
- discriminator
- display_avatar
- display_icon
- display_name
- dm_channel
- guild
- guild_avatar
- guild_permissions
- id
- joined_at
- mention
- mobile_status
- mutual_guilds
- name
- nick
- pending
- premium_since
- public_flags
- raw_status
- resolved_permissions
- roles
- status
- system
- timed_out_until
- top_role
- voice
- web_status
Methods
-
asyncadd_roles -
asyncban -
asynccreate_dm -
asyncedit -
asyncfetch_message -
defget_role -
async forhistory -
defis_on_mobile -
defis_timed_out -
asynckick -
defmentioned_in -
asyncmove_to -
asyncpins -
asyncremove_roles -
asyncrequest_to_speak -
asyncsend -
asynctimeout -
deftyping -
asyncunban
- class discord.Member¶
-
Represents a Discord member to a
Guild
.This implements a lot of the functionality of
User
.- x == y
-
Checks if two members are equal.
Note that this works withUser
instances too.
- x != y
-
Checks if two members are not equal.
Note that this works withUser
instances too.
- hash(x)
-
Returns the member’s hash.
- str(x)
-
Returns the member’s name with the discriminator.
- joined_at¶
-
An aware datetime object that specifies the date and time in UTC that the member joined the guild.
If the member left and rejoined the guild, this will be the latest date. In certain cases, this can beNone
.- Type
-
Optional[
datetime.datetime
]
- activities¶
-
The activities that the user is currently doing.
Note
Due to a Discord API limitation, a user’s Spotify activity may not appear
if they are listening to a song with a title longer
than 128 characters. See GH-1738 for more information.- Type
-
Tuple[Union[
BaseActivity
,Spotify
]]
- guild¶
-
The guild that the member belongs to.
- Type
-
Guild
- nick¶
-
The guild specific nickname of the user.
- Type
-
Optional[
str
]
- pending¶
-
Whether the member is pending member verification.
New in version 1.6.
- Type
-
bool
- premium_since¶
-
An aware datetime object that specifies the date and time in UTC when the member used their
“Nitro boost” on the guild, if available. This could beNone
.- Type
-
Optional[
datetime.datetime
]
- timed_out_until¶
-
An aware datetime object that specifies the date and time in UTC that the member’s time out will expire.
This will be set toNone
if the user is not timed out.New in version 2.0.
- Type
-
Optional[
datetime.datetime
]
- async with typing()¶
-
Returns an asynchronous context manager that allows you to send a typing indicator to
the destination for an indefinite period of time, or 10 seconds if the context manager
is called usingawait
.Example Usage:
async with channel.typing(): # simulate something heavy await asyncio.sleep(20) await channel.send('Done!')
Example Usage:
await channel.typing() # Do some computational magic for about 10 seconds await channel.send('Done!')
Changed in version 2.0: This no longer works with the
with
syntax,async with
must be used instead.Changed in version 2.0: Added functionality to
await
the context manager to send a typing indicator for 10 seconds.
- property name¶
-
Equivalent to
User.name
- property id¶
-
Equivalent to
User.id
- property discriminator¶
-
Equivalent to
User.discriminator
- property bot¶
-
Equivalent to
User.bot
- property system¶
-
Equivalent to
User.system
- property created_at¶
-
Equivalent to
User.created_at
- property default_avatar¶
-
Equivalent to
User.default_avatar
- property avatar¶
-
Equivalent to
User.avatar
- property dm_channel¶
-
Equivalent to
User.dm_channel
- await create_dm()¶
-
This function is a coroutine.
Creates a
DMChannel
with this user.This should be rarely called, as this is done transparently for most
people.- Returns
-
The channel that was created.
- Return type
-
DMChannel
- property mutual_guilds¶
-
Equivalent to
User.mutual_guilds
- property public_flags¶
-
Equivalent to
User.public_flags
-
Equivalent to
User.banner
- property accent_color¶
-
Equivalent to
User.accent_color
- property accent_colour¶
-
Equivalent to
User.accent_colour
- property raw_status¶
-
The member’s overall status as a string value.
New in version 1.5.
- Type
-
str
- property status¶
-
The member’s overall status. If the value is unknown, then it will be a
str
instead.- Type
-
Status
- property mobile_status¶
-
The member’s status on a mobile device, if applicable.
- Type
-
Status
- property desktop_status¶
-
The member’s status on the desktop client, if applicable.
- Type
-
Status
- property web_status¶
-
The member’s status on the web client, if applicable.
- Type
-
Status
- is_on_mobile()¶
-
bool
: A helper function that determines if a member is active on a mobile device.
- property colour¶
-
A property that returns a colour denoting the rendered colour
for the member. If the default colour is the one rendered then an instance
ofColour.default()
is returned.There is an alias for this named
color
.- Type
-
Colour
- property color¶
-
A property that returns a color denoting the rendered color for
the member. If the default color is the one rendered then an instance ofColour.default()
is returned.There is an alias for this named
colour
.- Type
-
Colour
- property roles¶
-
A
list
ofRole
that the member belongs to. Note
that the first element of this list is always the default ‘@everyone’
role.These roles are sorted by their position in the role hierarchy.
- Type
-
List[
Role
]
- property display_icon¶
-
A property that returns the role icon that is rendered for
this member. If no icon is shown thenNone
is returned.New in version 2.0.
- Type
-
Optional[Union[
str
,Asset
]]
- property mention¶
-
Returns a string that allows you to mention the member.
- Type
-
str
- property display_name¶
-
Returns the user’s display name.
For regular users this is just their username, but
if they have a guild specific nickname then that
is returned instead.- Type
-
str
- property display_avatar¶
-
Returns the member’s display avatar.
For regular members this is just their avatar, but
if they have a guild specific avatar then that
is returned instead.New in version 2.0.
- Type
-
Asset
- property guild_avatar¶
-
Returns an
Asset
for the guild avatar
the member has. If unavailable,None
is returned.New in version 2.0.
- Type
-
Optional[
Asset
]
- property activity¶
-
Returns the primary
activity the user is currently doing. Could beNone
if no activity is being done.Note
Due to a Discord API limitation, this may be
None
if
the user is listening to a song on Spotify with a title longer
than 128 characters. See GH-1738 for more information.Note
A user may have multiple activities, these can be accessed under
activities
.- Type
-
Optional[Union[
BaseActivity
,Spotify
]]
- mentioned_in(message)¶
-
Checks if the member is mentioned in the specified message.
- Parameters
-
message (
Message
) – The message to check if you’re mentioned in. - Returns
-
Indicates if the member is mentioned in the message.
- Return type
-
bool
- property top_role¶
-
Returns the member’s highest role.
This is useful for figuring where a member stands in the role
hierarchy chain.- Type
-
Role
- property guild_permissions¶
-
Returns the member’s guild permissions.
This only takes into consideration the guild permissions
and not most of the implied permissions or any of the
channel permission overwrites. For 100% accurate permission
calculation, please useabc.GuildChannel.permissions_for()
.This does take into consideration guild ownership, the
administrator implication, and whether the member is timed out.Changed in version 2.0: Member timeouts are taken into consideration.
- Type
-
Permissions
- property resolved_permissions¶
-
Returns the member’s resolved permissions
from an interaction.This is only available in interaction contexts and represents the resolved
permissions of the member in the channel the interaction was executed in.
This is more or less equivalent to callingabc.GuildChannel.permissions_for()
but stored and returned as an attribute by the Discord API rather than computed.New in version 2.0.
- Type
-
Optional[
Permissions
]
- property voice¶
-
Returns the member’s current voice state.
- Type
-
Optional[
VoiceState
]
- await ban(*, delete_message_days=…, delete_message_seconds=…, reason=None)¶
-
This function is a coroutine.
Bans this member. Equivalent to
Guild.ban()
.
- await unban(*, reason=None)¶
-
This function is a coroutine.
Unbans this member. Equivalent to
Guild.unban()
.
- await kick(*, reason=None)¶
-
This function is a coroutine.
Kicks this member. Equivalent to
Guild.kick()
.
- await edit(*, nick=…, mute=…, deafen=…, suppress=…, roles=…, voice_channel=…, timed_out_until=…, reason=None)¶
-
This function is a coroutine.
Edits the member’s data.
Depending on the parameter passed, this requires different permissions listed below:
Parameter
Permission
nick
Permissions.manage_nicknames
mute
Permissions.mute_members
deafen
Permissions.deafen_members
roles
Permissions.manage_roles
voice_channel
Permissions.move_members
timed_out_until
Permissions.moderate_members
All parameters are optional.
Changed in version 1.1: Can now pass
None
tovoice_channel
to kick a member from voice.Changed in version 2.0: The newly updated member is now optionally returned, if applicable.
- Parameters
-
-
nick (Optional[
str
]) – The member’s new nickname. UseNone
to remove the nickname. -
mute (
bool
) – Indicates if the member should be guild muted or un-muted. -
deafen (
bool
) – Indicates if the member should be guild deafened or un-deafened. -
suppress (
bool
) –Indicates if the member should be suppressed in stage channels.
New in version 1.7.
-
roles (List[
Role
]) – The member’s new list of roles. This replaces the roles. -
voice_channel (Optional[Union[
VoiceChannel
,StageChannel
]]) – The voice channel to move the member to.
PassNone
to kick them from voice. -
timed_out_until (Optional[
datetime.datetime
]) –The date the member’s timeout should expire, or
None
to remove the timeout.
This must be a timezone-aware datetime object. Consider usingutils.utcnow()
.New in version 2.0.
-
reason (Optional[
str
]) – The reason for editing this member. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have the proper permissions to the action requested.
-
HTTPException – The operation failed.
-
TypeError – The datetime object passed to
timed_out_until
was not timezone-aware.
-
- Returns
-
The newly updated member, if applicable. This is not returned
if certain fields are passed, such assuppress
. - Return type
-
Optional[
Member
]
- await request_to_speak()¶
-
This function is a coroutine.
Request to speak in the connected channel.
Only applies to stage channels.
Note
Requesting members that are not the client is equivalent
toedit
providingsuppress
asFalse
.New in version 1.7.
- Raises
-
-
ClientException – You are not connected to a voice channel.
-
Forbidden – You do not have the proper permissions to the action requested.
-
HTTPException – The operation failed.
-
- await move_to(channel, *, reason=None)¶
-
This function is a coroutine.
Moves a member to a new voice channel (they must be connected first).
You must have
move_members
to do this.This raises the same exceptions as
edit()
.Changed in version 1.1: Can now pass
None
to kick a member from voice.- Parameters
-
-
channel (Optional[Union[
VoiceChannel
,StageChannel
]]) – The new voice channel to move the member to.
PassNone
to kick them from voice. -
reason (Optional[
str
]) – The reason for doing this action. Shows up on the audit log.
-
- await timeout(until, /, *, reason=None)¶
-
This function is a coroutine.
Applies a time out to a member until the specified date time or for the
givendatetime.timedelta
.You must have
moderate_members
to do this.This raises the same exceptions as
edit()
.- Parameters
-
-
until (Optional[Union[
datetime.timedelta
,datetime.datetime
]]) – If this is adatetime.timedelta
then it represents the amount of
time the member should be timed out for. If this is adatetime.datetime
then it’s when the member’s timeout should expire. IfNone
is passed then the
timeout is removed. Note that the API only allows for timeouts up to 28 days. -
reason (Optional[
str
]) – The reason for doing this action. Shows up on the audit log.
-
- Raises
-
TypeError – The
until
parameter was the wrong type or the datetime was not timezone-aware.
- await add_roles(*roles, reason=None, atomic=True)¶
-
This function is a coroutine.
Gives the member a number of
Role
s.You must have
manage_roles
to
use this, and the addedRole
s must appear lower in the list
of roles than the highest role of the member.- Parameters
-
-
*roles (
abc.Snowflake
) – An argument list ofabc.Snowflake
representing aRole
to give to the member. -
reason (Optional[
str
]) – The reason for adding these roles. Shows up on the audit log. -
atomic (
bool
) – Whether to atomically add roles. This will ensure that multiple
operations will always be applied regardless of the current
state of the cache.
-
- Raises
-
-
Forbidden – You do not have permissions to add these roles.
-
HTTPException – Adding roles failed.
-
- await remove_roles(*roles, reason=None, atomic=True)¶
-
This function is a coroutine.
Removes
Role
s from this member.You must have
manage_roles
to
use this, and the removedRole
s must appear lower in the list
of roles than the highest role of the member.- Parameters
-
-
*roles (
abc.Snowflake
) – An argument list ofabc.Snowflake
representing aRole
to remove from the member. -
reason (Optional[
str
]) – The reason for removing these roles. Shows up on the audit log. -
atomic (
bool
) – Whether to atomically remove roles. This will ensure that multiple
operations will always be applied regardless of the current
state of the cache.
-
- Raises
-
-
Forbidden – You do not have permissions to remove these roles.
-
HTTPException – Removing the roles failed.
-
- await fetch_message(id, /)¶
-
This function is a coroutine.
Retrieves a single
Message
from the destination.- Parameters
-
id (
int
) – The message ID to look for. - Raises
-
-
NotFound – The specified message was not found.
-
Forbidden – You do not have the permissions required to get a message.
-
HTTPException – Retrieving the message failed.
-
- Returns
-
The message asked for.
- Return type
-
Message
- get_role(role_id, /)¶
-
Returns a role with the given ID from roles which the member has.
New in version 2.0.
- Parameters
-
role_id (
int
) – The ID to search for. - Returns
-
The role or
None
if not found in the member’s roles. - Return type
-
Optional[
Role
]
- async for … in history(*, limit=100, before=None, after=None, around=None, oldest_first=None)¶
-
Returns an asynchronous iterator that enables receiving the destination’s message history.
You must have
read_message_history
to do this.Examples
Usage
counter = 0 async for message in channel.history(limit=200): if message.author == client.user: counter += 1
Flattening into a list:
messages = [message async for message in channel.history(limit=123)] # messages is now a list of Message...
All parameters are optional.
- Parameters
-
-
limit (Optional[
int
]) – The number of messages to retrieve.
IfNone
, retrieves every message in the channel. Note, however,
that this would make it a slow operation. -
before (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages before this date or message.
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. -
after (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages after this date or message.
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. -
around (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages around this date or message.
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.
When using this argument, the maximum limit is 101. Note that if the limit is an
even number then this will return at most limit + 1 messages. -
oldest_first (Optional[
bool
]) – If set toTrue
, return messages in oldest->newest order. Defaults toTrue
if
after
is specified, otherwiseFalse
.
-
- Raises
-
-
Forbidden – You do not have permissions to get channel message history.
-
HTTPException – The request to get message history failed.
-
- Yields
-
Message
– The message with the message data parsed.
- await pins()¶
-
This function is a coroutine.
Retrieves all messages that are currently pinned in the channel.
Note
Due to a limitation with the Discord API, the
Message
objects returned by this method do not contain complete
Message.reactions
data.- Raises
-
-
Forbidden – You do not have the permission to retrieve pinned messages.
-
HTTPException – Retrieving the pinned messages failed.
-
- Returns
-
The messages that are currently pinned.
- Return type
-
List[
Message
]
- await send(content=None, *, tts=False, embed=None, embeds=None, file=None, files=None, stickers=None, delete_after=None, nonce=None, allowed_mentions=None, reference=None, mention_author=None, view=None, suppress_embeds=False)¶
-
This function is a coroutine.
Sends a message to the destination with the content given.
The content must be a type that can convert to a string through
str(content)
.
If the content is set toNone
(the default), then theembed
parameter must
be provided.To upload a single file, the
file
parameter should be used with a
singleFile
object. To upload multiple files, thefiles
parameter should be used with alist
ofFile
objects.
Specifying both parameters will lead to an exception.To upload a single embed, the
embed
parameter should be used with a
singleEmbed
object. To upload multiple embeds, theembeds
parameter should be used with alist
ofEmbed
objects.
Specifying both parameters will lead to an exception.Changed in version 2.0: This function will now raise
TypeError
or
ValueError
instead ofInvalidArgument
.- Parameters
-
-
content (Optional[
str
]) – The content of the message to send. -
tts (
bool
) – Indicates if the message should be sent using text-to-speech. -
embed (
Embed
) – The rich embed for the content. -
embeds (List[
Embed
]) –A list of embeds to upload. Must be a maximum of 10.
New in version 2.0.
-
file (
File
) – The file to upload. -
files (List[
File
]) – A list of files to upload. Must be a maximum of 10. -
nonce (
int
) – The nonce to use for sending this message. If the message was successfully sent,
then the message will have a nonce with this value. -
delete_after (
float
) – 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. -
allowed_mentions (
AllowedMentions
) –Controls the mentions being processed in this message. If this is
passed, then the object is merged withallowed_mentions
.
The merging behaviour only overrides attributes that have been explicitly passed
to the object, otherwise it uses the attributes set inallowed_mentions
.
If no object is passed at all then the defaults given byallowed_mentions
are used instead.New in version 1.4.
-
reference (Union[
Message
,MessageReference
,PartialMessage
]) –A reference to the
Message
to which you are replying, this can be created using
to_reference()
or passed directly as aMessage
. You can control
whether this mentions the author of the referenced message using thereplied_user
attribute ofallowed_mentions
or by settingmention_author
.New in version 1.6.
-
mention_author (Optional[
bool
]) –If set, overrides the
replied_user
attribute ofallowed_mentions
.New in version 1.6.
-
view (
discord.ui.View
) –A Discord UI View to add to the message.
New in version 2.0.
-
stickers (Sequence[Union[
GuildSticker
,StickerItem
]]) –A list of stickers to upload. Must be a maximum of 3.
New in version 2.0.
-
suppress_embeds (
bool
) –Whether to suppress embeds for the message. This sends the message without any embeds if set to
True
.New in version 2.0.
-
- Raises
-
-
HTTPException – Sending the message failed.
-
Forbidden – You do not have the proper permissions to send the message.
-
ValueError – The
files
orembeds
list is not of the appropriate size. -
TypeError – You specified both
file
andfiles
,
or you specified bothembed
andembeds
,
or thereference
object is not aMessage
,
MessageReference
orPartialMessage
.
-
- Returns
-
The message that was sent.
- Return type
-
Message
- is_timed_out()¶
-
Returns whether this member is timed out.
New in version 2.0.
- Returns
-
True
if the member is timed out.False
otherwise. - Return type
-
bool
Spotify¶
Attributes
- album
- album_cover_url
- artist
- artists
- color
- colour
- created_at
- duration
- end
- name
- party_id
- start
- title
- track_id
- track_url
- type
- class discord.Spotify¶
-
Represents a Spotify listening activity from Discord. This is a special case of
Activity
that makes it easier to work with the Spotify integration.- x == y
-
Checks if two activities are equal.
- x != y
-
Checks if two activities are not equal.
- hash(x)
-
Returns the activity’s hash.
- str(x)
-
Returns the string ‘Spotify’.
- property type¶
-
Returns the activity’s type. This is for compatibility with
Activity
.It always returns
ActivityType.listening
.- Type
-
ActivityType
- property created_at¶
-
When the user started listening in UTC.
New in version 1.3.
- Type
-
Optional[
datetime.datetime
]
- property colour¶
-
Returns the Spotify integration colour, as a
Colour
.There is an alias for this named
color
- Type
-
Colour
- property color¶
-
Returns the Spotify integration colour, as a
Colour
.There is an alias for this named
colour
- Type
-
Colour
- property name¶
-
The activity’s name. This will always return “Spotify”.
- Type
-
str
- property title¶
-
The title of the song being played.
- Type
-
str
- property artists¶
-
The artists of the song being played.
- Type
-
List[
str
]
- property artist¶
-
The artist of the song being played.
This does not attempt to split the artist information into
multiple artists. Useful if there’s only a single artist.- Type
-
str
- property album¶
-
The album that the song being played belongs to.
- Type
-
str
- property album_cover_url¶
-
The album cover image URL from Spotify’s CDN.
- Type
-
str
- property track_id¶
-
The track ID used by Spotify to identify this song.
- Type
-
str
- property track_url¶
-
The track URL to listen on Spotify.
New in version 2.0.
- Type
-
str
- property start¶
-
When the user started playing this song in UTC.
- Type
-
datetime.datetime
- property end¶
-
When the user will stop playing this song in UTC.
- Type
-
datetime.datetime
- property duration¶
-
The duration of the song being played.
- Type
-
datetime.timedelta
- property party_id¶
-
The party ID of the listening party.
- Type
-
str
VoiceState¶
- class discord.VoiceState¶
-
Represents a Discord user’s voice state.
- deaf¶
-
Indicates if the user is currently deafened by the guild.
- Type
-
bool
- mute¶
-
Indicates if the user is currently muted by the guild.
- Type
-
bool
- self_mute¶
-
Indicates if the user is currently muted by their own accord.
- Type
-
bool
- self_deaf¶
-
Indicates if the user is currently deafened by their own accord.
- Type
-
bool
- self_stream¶
-
Indicates if the user is currently streaming via ‘Go Live’ feature.
New in version 1.3.
- Type
-
bool
- self_video¶
-
Indicates if the user is currently broadcasting video.
- Type
-
bool
- suppress¶
-
Indicates if the user is suppressed from speaking.
Only applies to stage channels.
New in version 1.7.
- Type
-
bool
- requested_to_speak_at¶
-
An aware datetime object that specifies the date and time in UTC that the member
requested to speak. It will beNone
if they are not requesting to speak
anymore or have been accepted to speak.Only applicable to stage channels.
New in version 1.7.
- Type
-
Optional[
datetime.datetime
]
- afk¶
-
Indicates if the user is currently in the AFK channel in the guild.
- Type
-
bool
- channel¶
-
The voice channel that the user is currently connected to.
None
if the user
is not currently in a voice channel.- Type
-
Optional[Union[
VoiceChannel
,StageChannel
]]
Emoji¶
Methods
-
asyncdelete -
asyncedit -
defis_usable -
asyncread -
asyncsave -
asyncto_file
- class discord.Emoji¶
-
Represents a custom emoji.
Depending on the way this object was created, some of the attributes can
have a value ofNone
.- x == y
-
Checks if two emoji are the same.
- x != y
-
Checks if two emoji are not the same.
- hash(x)
-
Return the emoji’s hash.
- iter(x)
-
Returns an iterator of
(field, value)
pairs. This allows this class
to be used as an iterable in list/dict/etc constructions.
- str(x)
-
Returns the emoji rendered for discord.
- name¶
-
The name of the emoji.
- Type
-
str
- id¶
-
The emoji’s ID.
- Type
-
int
- require_colons¶
-
If colons are required to use this emoji in the client (:PJSalt: vs PJSalt).
- Type
-
bool
- animated¶
-
Whether an emoji is animated or not.
- Type
-
bool
- managed¶
-
If this emoji is managed by a Twitch integration.
- Type
-
bool
- guild_id¶
-
The guild ID the emoji belongs to.
- Type
-
int
- available¶
-
Whether the emoji is available for use.
- Type
-
bool
- user¶
-
The user that created the emoji. This can only be retrieved using
Guild.fetch_emoji()
and
havingmanage_emojis
.- Type
-
Optional[
User
]
- property created_at¶
-
Returns the emoji’s creation time in UTC.
- Type
-
datetime.datetime
- property url¶
-
Returns the URL of the emoji.
- Type
-
str
- property roles¶
-
A
list
of roles that is allowed to use this emoji.If roles is empty, the emoji is unrestricted.
- Type
-
List[
Role
]
- property guild¶
-
The guild this emoji belongs to.
- Type
-
Guild
- is_usable()¶
-
bool
: Whether the bot can use this emoji.New in version 1.3.
- await delete(*, reason=None)¶
-
This function is a coroutine.
Deletes the custom emoji.
You must have
manage_emojis
to do this.- Parameters
-
reason (Optional[
str
]) – The reason for deleting this emoji. Shows up on the audit log. - Raises
-
-
Forbidden – You are not allowed to delete emojis.
-
HTTPException – An error occurred deleting the emoji.
-
- await edit(*, name=…, roles=…, reason=None)¶
-
This function is a coroutine.
Edits the custom emoji.
You must have
manage_emojis
to do this.Changed in version 2.0: The newly updated emoji is returned.
- Parameters
-
-
name (
str
) – The new emoji name. -
roles (List[
Snowflake
]) – A list of roles that can use this emoji. An empty list can be passed to make it available to everyone. -
reason (Optional[
str
]) – The reason for editing this emoji. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You are not allowed to edit emojis.
-
HTTPException – An error occurred editing the emoji.
-
- Returns
-
The newly updated emoji.
- Return type
-
Emoji
- await read()¶
-
This function is a coroutine.
Retrieves the content of this asset as a
bytes
object.- Raises
-
-
DiscordException – There was no internal connection state.
-
HTTPException – Downloading the asset failed.
-
NotFound – The asset was deleted.
-
- Returns
-
The content of the asset.
- Return type
-
bytes
- await save(fp, *, seek_begin=True)¶
-
This function is a coroutine.
Saves this asset into a file-like object.
- Parameters
-
-
fp (Union[
io.BufferedIOBase
,os.PathLike
]) – The file-like object to save this asset to or the filename
to use. If a filename is passed then a file is created with that
filename and used instead. -
seek_begin (
bool
) – Whether to seek to the beginning of the file after saving is
successfully done.
-
- Raises
-
-
DiscordException – There was no internal connection state.
-
HTTPException – Downloading the asset failed.
-
NotFound – The asset was deleted.
-
- Returns
-
The number of bytes written.
- Return type
-
int
- await to_file(*, filename=…, description=None, spoiler=False)¶
-
This function is a coroutine.
Converts the asset into a
File
suitable for sending via
abc.Messageable.send()
.New in version 2.0.
- Parameters
-
-
filename (Optional[
str
]) – The filename of the file. If not provided, then the filename from
the asset’s URL is used. -
description (Optional[
str
]) – The description for the file. -
spoiler (
bool
) – Whether the file is a spoiler.
-
- Raises
-
-
DiscordException – The asset does not have an associated state.
-
ValueError – The asset is a unicode emoji.
-
TypeError – The asset is a sticker with lottie type.
-
HTTPException – Downloading the asset failed.
-
NotFound – The asset was deleted.
-
- Returns
-
The asset as a file suitable for sending.
- Return type
-
File
PartialEmoji¶
Attributes
- animated
- created_at
- id
- name
- url
Methods
-
clsPartialEmoji.from_str -
defis_custom_emoji -
defis_unicode_emoji -
asyncread -
asyncsave -
asyncto_file
- class discord.PartialEmoji¶
-
Represents a “partial” emoji.
This model will be given in two scenarios:
-
“Raw” data events such as
on_raw_reaction_add()
-
Custom emoji that the bot cannot see from e.g.
Message.reactions
- x == y
-
Checks if two emoji are the same.
- x != y
-
Checks if two emoji are not the same.
- hash(x)
-
Return the emoji’s hash.
- str(x)
-
Returns the emoji rendered for discord.
- name¶
-
The custom emoji name, if applicable, or the unicode codepoint
of the non-custom emoji. This can beNone
if the emoji
got deleted (e.g. removing a reaction with a deleted emoji).- Type
-
Optional[
str
]
- animated¶
-
Whether the emoji is animated or not.
- Type
-
bool
- id¶
-
The ID of the custom emoji, if applicable.
- Type
-
Optional[
int
]
- classmethod from_str(value)¶
-
Converts a Discord string representation of an emoji to a
PartialEmoji
.The formats accepted are:
-
a:name:id
-
<a:name:id>
-
name:id
-
<:name:id>
If the format does not match then it is assumed to be a unicode emoji.
New in version 2.0.
- Parameters
-
value (
str
) – The string representation of an emoji. - Returns
-
The partial emoji from this string.
- Return type
-
PartialEmoji
-
- is_custom_emoji()¶
-
bool
: Checks if this is a custom non-Unicode emoji.
- is_unicode_emoji()¶
-
bool
: Checks if this is a Unicode emoji.
- property created_at¶
-
Returns the emoji’s creation time in UTC, or None if Unicode emoji.
New in version 1.6.
- Type
-
Optional[
datetime.datetime
]
- property url¶
-
Returns the URL of the emoji, if it is custom.
If this isn’t a custom emoji then an empty string is returned
- Type
-
str
- await read()¶
-
This function is a coroutine.
Retrieves the content of this asset as a
bytes
object.- Raises
-
-
DiscordException – There was no internal connection state.
-
HTTPException – Downloading the asset failed.
-
NotFound – The asset was deleted.
-
ValueError – The PartialEmoji is not a custom emoji.
-
- Returns
-
The content of the asset.
- Return type
-
bytes
- await save(fp, *, seek_begin=True)¶
-
This function is a coroutine.
Saves this asset into a file-like object.
- Parameters
-
-
fp (Union[
io.BufferedIOBase
,os.PathLike
]) – The file-like object to save this asset to or the filename
to use. If a filename is passed then a file is created with that
filename and used instead. -
seek_begin (
bool
) – Whether to seek to the beginning of the file after saving is
successfully done.
-
- Raises
-
-
DiscordException – There was no internal connection state.
-
HTTPException – Downloading the asset failed.
-
NotFound – The asset was deleted.
-
- Returns
-
The number of bytes written.
- Return type
-
int
- await to_file(*, filename=…, description=None, spoiler=False)¶
-
This function is a coroutine.
Converts the asset into a
File
suitable for sending via
abc.Messageable.send()
.New in version 2.0.
- Parameters
-
-
filename (Optional[
str
]) – The filename of the file. If not provided, then the filename from
the asset’s URL is used. -
description (Optional[
str
]) – The description for the file. -
spoiler (
bool
) – Whether the file is a spoiler.
-
- Raises
-
-
DiscordException – The asset does not have an associated state.
-
ValueError – The asset is a unicode emoji.
-
TypeError – The asset is a sticker with lottie type.
-
HTTPException – Downloading the asset failed.
-
NotFound – The asset was deleted.
-
- Returns
-
The asset as a file suitable for sending.
- Return type
-
File
-
Role¶
Attributes
- color
- colour
- created_at
- display_icon
- guild
- hoist
- icon
- id
- managed
- members
- mention
- mentionable
- name
- permissions
- position
- tags
- unicode_emoji
Methods
-
asyncdelete -
asyncedit -
defis_assignable -
defis_bot_managed -
defis_default -
defis_integration -
defis_premium_subscriber
- class discord.Role¶
-
Represents a Discord role in a
Guild
.- x == y
-
Checks if two roles are equal.
- x != y
-
Checks if two roles are not equal.
- x > y
-
Checks if a role is higher than another in the hierarchy.
- x < y
-
Checks if a role is lower than another in the hierarchy.
- x >= y
-
Checks if a role is higher or equal to another in the hierarchy.
- x <= y
-
Checks if a role is lower or equal to another in the hierarchy.
- hash(x)
-
Return the role’s hash.
- str(x)
-
Returns the role’s name.
- id¶
-
The ID for the role.
- Type
-
int
- name¶
-
The name of the role.
- Type
-
str
- guild¶
-
The guild the role belongs to.
- Type
-
Guild
- hoist¶
-
Indicates if the role will be displayed separately from other members.
- Type
-
bool
- position¶
-
The position of the role. This number is usually positive. The bottom
role has a position of 0.Warning
Multiple roles can have the same position number. As a consequence
of this, comparing via role position is prone to subtle bugs if
checking for role hierarchy. The recommended and correct way to
compare for roles in the hierarchy is using the comparison
operators on the role objects themselves.- Type
-
int
- unicode_emoji¶
-
The role’s unicode emoji, if available.
Note
If
icon
is notNone
, it is displayed as role icon
instead of the unicode emoji under this attribute.If you want the icon that a role has displayed, consider using
display_icon
.New in version 2.0.
- Type
-
Optional[
str
]
- managed¶
-
Indicates if the role is managed by the guild through some form of
integrations such as Twitch.- Type
-
bool
- mentionable¶
-
Indicates if the role can be mentioned by users.
- Type
-
bool
- tags¶
-
The role tags associated with this role.
- Type
-
Optional[
RoleTags
]
- is_default()¶
-
bool
: Checks if the role is the default role.
- is_bot_managed()¶
-
bool
: Whether the role is associated with a bot.New in version 1.6.
- is_premium_subscriber()¶
-
bool
: Whether the role is the premium subscriber, AKA “boost”, role for the guild.New in version 1.6.
- is_integration()¶
-
bool
: Whether the role is managed by an integration.New in version 1.6.
- is_assignable()¶
-
bool
: Whether the role is able to be assigned or removed by the bot.New in version 2.0.
- property permissions¶
-
Returns the role’s permissions.
- Type
-
Permissions
- property colour¶
-
Returns the role colour. An alias exists under
color
.- Type
-
Colour
- property color¶
-
Returns the role color. An alias exists under
colour
.- Type
-
Colour
- property icon¶
-
Returns the role’s icon asset, if available.
Note
If this is
None
, the role might instead have unicode emoji as its icon
ifunicode_emoji
is notNone
.If you want the icon that a role has displayed, consider using
display_icon
.New in version 2.0.
- Type
-
Optional[
Asset
]
- property display_icon¶
-
Returns the role’s display icon, if available.
New in version 2.0.
- Type
-
Optional[Union[
Asset
,str
]]
- property created_at¶
-
Returns the role’s creation time in UTC.
- Type
-
datetime.datetime
- property mention¶
-
Returns a string that allows you to mention a role.
- Type
-
str
- property members¶
-
Returns all the members with this role.
- Type
-
List[
Member
]
- await edit(*, name=…, permissions=…, colour=…, color=…, hoist=…, display_icon=…, mentionable=…, position=…, reason=…)¶
-
This function is a coroutine.
Edits the role.
You must have
manage_roles
to do this.All fields are optional.
Changed in version 1.4: Can now pass
int
tocolour
keyword-only parameter.Changed in version 2.0: Edits are no longer in-place, the newly edited role is returned instead.
New in version 2.0: The
display_icon
keyword-only parameter was added.Changed in version 2.0: This function will now raise
ValueError
instead of
InvalidArgument
.- Parameters
-
-
name (
str
) – The new role name to change to. -
permissions (
Permissions
) – The new permissions to change to. -
colour (Union[
Colour
,int
]) – The new colour to change to. (aliased to color as well) -
hoist (
bool
) – Indicates if the role should be shown separately in the member list. -
display_icon (Optional[Union[
bytes
,str
]]) – A bytes-like object representing the icon
orstr
representing unicode emoji that should be used as a role icon.
Could beNone
to denote removal of the icon.
Only PNG/JPEG is supported.
This is only available to guilds that containROLE_ICONS
inGuild.features
. -
mentionable (
bool
) – Indicates if the role should be mentionable by others. -
position (
int
) – The new role’s position. This must be below your top role’s
position or it will fail. -
reason (Optional[
str
]) – The reason for editing this role. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have permissions to change the role.
-
HTTPException – Editing the role failed.
-
ValueError – An invalid position was given or the default
role was asked to be moved.
-
- Returns
-
The newly edited role.
- Return type
-
Role
- await delete(*, reason=None)¶
-
This function is a coroutine.
Deletes the role.
You must have
manage_roles
to do this.- Parameters
-
reason (Optional[
str
]) – The reason for deleting this role. Shows up on the audit log. - Raises
-
-
Forbidden – You do not have permissions to delete the role.
-
HTTPException – Deleting the role failed.
-
RoleTags¶
Attributes
- bot_id
- integration_id
- class discord.RoleTags¶
-
Represents tags on a role.
A role tag is a piece of extra information attached to a managed role
that gives it context for the reason the role is managed.While this can be accessed, a useful interface is also provided in the
Role
andGuild
classes as well.New in version 1.6.
- bot_id¶
-
The bot’s user ID that manages this role.
- Type
-
Optional[
int
]
- integration_id¶
-
The integration ID that manages the role.
- Type
-
Optional[
int
]
- is_bot_managed()¶
-
bool
: Whether the role is associated with a bot.
- is_premium_subscriber()¶
-
bool
: Whether the role is the premium subscriber, AKA “boost”, role for the guild.
- is_integration()¶
-
bool
: Whether the role is managed by an integration.
PartialMessageable¶
Methods
-
asyncfetch_message -
defget_partial_message -
async forhistory -
defpermissions_for -
asyncpins -
asyncsend -
deftyping
- class discord.PartialMessageable¶
-
Represents a partial messageable to aid with working messageable channels when
only a channel ID is present.The only way to construct this class is through
Client.get_partial_messageable()
.Note that this class is trimmed down and has no rich attributes.
New in version 2.0.
- x == y
-
Checks if two partial messageables are equal.
- x != y
-
Checks if two partial messageables are not equal.
- hash(x)
-
Returns the partial messageable’s hash.
- id¶
-
The channel ID associated with this partial messageable.
- Type
-
int
- guild_id¶
-
The guild ID associated with this partial messageable.
- Type
-
Optional[
int
]
- type¶
-
The channel type associated with this partial messageable, if given.
- Type
-
Optional[
ChannelType
]
- await fetch_message(id, /)¶
-
This function is a coroutine.
Retrieves a single
Message
from the destination.- Parameters
-
id (
int
) – The message ID to look for. - Raises
-
-
NotFound – The specified message was not found.
-
Forbidden – You do not have the permissions required to get a message.
-
HTTPException – Retrieving the message failed.
-
- Returns
-
The message asked for.
- Return type
-
Message
- async for … in history(*, limit=100, before=None, after=None, around=None, oldest_first=None)¶
-
Returns an asynchronous iterator that enables receiving the destination’s message history.
You must have
read_message_history
to do this.Examples
Usage
counter = 0 async for message in channel.history(limit=200): if message.author == client.user: counter += 1
Flattening into a list:
messages = [message async for message in channel.history(limit=123)] # messages is now a list of Message...
All parameters are optional.
- Parameters
-
-
limit (Optional[
int
]) – The number of messages to retrieve.
IfNone
, retrieves every message in the channel. Note, however,
that this would make it a slow operation. -
before (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages before this date or message.
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. -
after (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages after this date or message.
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. -
around (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages around this date or message.
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.
When using this argument, the maximum limit is 101. Note that if the limit is an
even number then this will return at most limit + 1 messages. -
oldest_first (Optional[
bool
]) – If set toTrue
, return messages in oldest->newest order. Defaults toTrue
if
after
is specified, otherwiseFalse
.
-
- Raises
-
-
Forbidden – You do not have permissions to get channel message history.
-
HTTPException – The request to get message history failed.
-
- Yields
-
Message
– The message with the message data parsed.
- await pins()¶
-
This function is a coroutine.
Retrieves all messages that are currently pinned in the channel.
Note
Due to a limitation with the Discord API, the
Message
objects returned by this method do not contain complete
Message.reactions
data.- Raises
-
-
Forbidden – You do not have the permission to retrieve pinned messages.
-
HTTPException – Retrieving the pinned messages failed.
-
- Returns
-
The messages that are currently pinned.
- Return type
-
List[
Message
]
- await send(content=None, *, tts=False, embed=None, embeds=None, file=None, files=None, stickers=None, delete_after=None, nonce=None, allowed_mentions=None, reference=None, mention_author=None, view=None, suppress_embeds=False)¶
-
This function is a coroutine.
Sends a message to the destination with the content given.
The content must be a type that can convert to a string through
str(content)
.
If the content is set toNone
(the default), then theembed
parameter must
be provided.To upload a single file, the
file
parameter should be used with a
singleFile
object. To upload multiple files, thefiles
parameter should be used with alist
ofFile
objects.
Specifying both parameters will lead to an exception.To upload a single embed, the
embed
parameter should be used with a
singleEmbed
object. To upload multiple embeds, theembeds
parameter should be used with alist
ofEmbed
objects.
Specifying both parameters will lead to an exception.Changed in version 2.0: This function will now raise
TypeError
or
ValueError
instead ofInvalidArgument
.- Parameters
-
-
content (Optional[
str
]) – The content of the message to send. -
tts (
bool
) – Indicates if the message should be sent using text-to-speech. -
embed (
Embed
) – The rich embed for the content. -
embeds (List[
Embed
]) –A list of embeds to upload. Must be a maximum of 10.
New in version 2.0.
-
file (
File
) – The file to upload. -
files (List[
File
]) – A list of files to upload. Must be a maximum of 10. -
nonce (
int
) – The nonce to use for sending this message. If the message was successfully sent,
then the message will have a nonce with this value. -
delete_after (
float
) – 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. -
allowed_mentions (
AllowedMentions
) –Controls the mentions being processed in this message. If this is
passed, then the object is merged withallowed_mentions
.
The merging behaviour only overrides attributes that have been explicitly passed
to the object, otherwise it uses the attributes set inallowed_mentions
.
If no object is passed at all then the defaults given byallowed_mentions
are used instead.New in version 1.4.
-
reference (Union[
Message
,MessageReference
,PartialMessage
]) –A reference to the
Message
to which you are replying, this can be created using
to_reference()
or passed directly as aMessage
. You can control
whether this mentions the author of the referenced message using thereplied_user
attribute ofallowed_mentions
or by settingmention_author
.New in version 1.6.
-
mention_author (Optional[
bool
]) –If set, overrides the
replied_user
attribute ofallowed_mentions
.New in version 1.6.
-
view (
discord.ui.View
) –A Discord UI View to add to the message.
New in version 2.0.
-
stickers (Sequence[Union[
GuildSticker
,StickerItem
]]) –A list of stickers to upload. Must be a maximum of 3.
New in version 2.0.
-
suppress_embeds (
bool
) –Whether to suppress embeds for the message. This sends the message without any embeds if set to
True
.New in version 2.0.
-
- Raises
-
-
HTTPException – Sending the message failed.
-
Forbidden – You do not have the proper permissions to send the message.
-
ValueError – The
files
orembeds
list is not of the appropriate size. -
TypeError – You specified both
file
andfiles
,
or you specified bothembed
andembeds
,
or thereference
object is not aMessage
,
MessageReference
orPartialMessage
.
-
- Returns
-
The message that was sent.
- Return type
-
Message
- typing()¶
-
Returns an asynchronous context manager that allows you to send a typing indicator to
the destination for an indefinite period of time, or 10 seconds if the context manager
is called usingawait
.Example Usage:
async with channel.typing(): # simulate something heavy await asyncio.sleep(20) await channel.send('Done!')
Example Usage:
await channel.typing() # Do some computational magic for about 10 seconds await channel.send('Done!')
Changed in version 2.0: This no longer works with the
with
syntax,async with
must be used instead.Changed in version 2.0: Added functionality to
await
the context manager to send a typing indicator for 10 seconds.
- property guild¶
-
The guild this partial messageable is in.
- Type
-
Optional[
Guild
]
- property jump_url¶
-
Returns a URL that allows the client to jump to the channel.
- Type
-
str
- property created_at¶
-
Returns the channel’s creation time in UTC.
- Type
-
datetime.datetime
- permissions_for(obj=None, /)¶
-
Handles permission resolution for a
User
.This function is there for compatibility with other channel types.
Since partial messageables cannot reasonably have the concept of
permissions, this will always returnPermissions.none()
.- Parameters
-
obj (
User
) – The user to check permissions for. This parameter is ignored
but kept for compatibility with otherpermissions_for
methods. - Returns
-
The resolved permissions.
- Return type
-
Permissions
- get_partial_message(message_id, /)¶
-
Creates a
PartialMessage
from the message ID.This is useful if you want to work with a message and only have its ID without
doing an unnecessary API call.- Parameters
-
message_id (
int
) – The message ID to create a partial message for. - Returns
-
The partial message.
- Return type
-
PartialMessage
TextChannel¶
Attributes
- category
- category_id
- changed_roles
- created_at
- default_auto_archive_duration
- guild
- id
- jump_url
- last_message
- last_message_id
- members
- mention
- name
- nsfw
- overwrites
- permissions_synced
- position
- slowmode_delay
- threads
- topic
- type
Methods
-
async forarchived_threads -
asyncclone -
asynccreate_invite -
asynccreate_thread -
asynccreate_webhook -
asyncdelete -
asyncdelete_messages -
asyncedit -
asyncfetch_message -
asyncfollow -
defget_partial_message -
defget_thread -
async forhistory -
asyncinvites -
defis_news -
defis_nsfw -
asyncmove -
defoverwrites_for -
defpermissions_for -
asyncpins -
asyncpurge -
asyncsend -
asyncset_permissions -
deftyping -
asyncwebhooks
- class discord.TextChannel¶
-
Represents a Discord guild text channel.
- x == y
-
Checks if two channels are equal.
- x != y
-
Checks if two channels are not equal.
- hash(x)
-
Returns the channel’s hash.
- str(x)
-
Returns the channel’s name.
- name¶
-
The channel name.
- Type
-
str
- guild¶
-
The guild the channel belongs to.
- Type
-
Guild
- id¶
-
The channel ID.
- Type
-
int
- category_id¶
-
The category channel ID this channel belongs to, if applicable.
- Type
-
Optional[
int
]
- topic¶
-
The channel’s topic.
None
if it doesn’t exist.- Type
-
Optional[
str
]
- position¶
-
The position in the channel list. This is a number that starts at 0. e.g. the
top channel is position 0.- Type
-
int
- last_message_id¶
-
The last message ID of the message sent to this channel. It may
not point to an existing or valid message.- Type
-
Optional[
int
]
- slowmode_delay¶
-
The number of seconds a member must wait between sending messages
in this channel. A value of0
denotes that it is disabled.
Bots and users withmanage_channels
or
manage_messages
bypass slowmode.- Type
-
int
- nsfw¶
-
If the channel is marked as “not safe for work” or “age restricted”.
- Type
-
bool
- default_auto_archive_duration¶
-
The default auto archive duration in minutes for threads created in this channel.
New in version 2.0.
- Type
-
int
- async with typing()¶
-
Returns an asynchronous context manager that allows you to send a typing indicator to
the destination for an indefinite period of time, or 10 seconds if the context manager
is called usingawait
.Example Usage:
async with channel.typing(): # simulate something heavy await asyncio.sleep(20) await channel.send('Done!')
Example Usage:
await channel.typing() # Do some computational magic for about 10 seconds await channel.send('Done!')
Changed in version 2.0: This no longer works with the
with
syntax,async with
must be used instead.Changed in version 2.0: Added functionality to
await
the context manager to send a typing indicator for 10 seconds.
- property type¶
-
The channel’s Discord type.
- Type
-
ChannelType
- permissions_for(obj, /)¶
-
Handles permission resolution for the
Member
orRole
.This function takes into consideration the following cases:
-
Guild owner
-
Guild roles
-
Channel overrides
-
Member overrides
-
Member timeout
If a
Role
is passed, then it checks the permissions
someone with that role would have, which is essentially:-
The default role permissions
-
The permissions of the role used as a parameter
-
The default role permission overwrites
-
The permission overwrites of the role used as a parameter
Changed in version 2.0: The object passed in can now be a role object.
Changed in version 2.0:
obj
parameter is now positional-only.- Parameters
-
obj (Union[
Member
,Role
]) – The object to resolve permissions for. This could be either
a member or a role. If it’s a role then member overwrites
are not computed. - Returns
-
The resolved permissions for the member or role.
- Return type
-
Permissions
-
- property members¶
-
Returns all members that can see this channel.
- Type
-
List[
Member
]
- property threads¶
-
Returns all the threads that you can see.
New in version 2.0.
- Type
-
List[
Thread
]
- is_nsfw()¶
-
bool
: Checks if the channel is NSFW.
- is_news()¶
-
bool
: Checks if the channel is a news channel.
- property last_message¶
-
Retrieves the last message from this channel in cache.
The message might not be valid or point to an existing message.
Reliable Fetching
For a slightly more reliable method of fetching the
last message, consider using eitherhistory()
orfetch_message()
with thelast_message_id
attribute.- Returns
-
The last message in this channel or
None
if not found. - Return type
-
Optional[
Message
]
- await edit(*, reason=None, **options)¶
-
This function is a coroutine.
Edits the channel.
You must have
manage_channels
to do this.Changed in version 1.3: The
overwrites
keyword-only parameter was added.Changed in version 1.4: The
type
keyword-only parameter was added.Changed in version 2.0: Edits are no longer in-place, the newly edited channel is returned instead.
Changed in version 2.0: This function will now raise
TypeError
or
ValueError
instead ofInvalidArgument
.- Parameters
-
-
name (
str
) – The new channel name. -
topic (
str
) – The new channel’s topic. -
position (
int
) – The new channel’s position. -
nsfw (
bool
) – To mark the channel as NSFW or not. -
sync_permissions (
bool
) – Whether to sync permissions with the channel’s new or pre-existing
category. Defaults toFalse
. -
category (Optional[
CategoryChannel
]) – The new category for this channel. Can beNone
to remove the
category. -
slowmode_delay (
int
) – Specifies the slowmode rate limit for user in this channel, in seconds.
A value of0
disables slowmode. The maximum value possible is21600
. -
type (
ChannelType
) – Change the type of this text channel. Currently, only conversion between
ChannelType.text
andChannelType.news
is supported. This
is only available to guilds that containNEWS
inGuild.features
. -
reason (Optional[
str
]) – The reason for editing this channel. Shows up on the audit log. -
overwrites (
Mapping
) – AMapping
of target (either a role or a member) to
PermissionOverwrite
to apply to the channel. -
default_auto_archive_duration (
int
) –The new default auto archive duration in minutes for threads created in this channel.
Must be one of60
,1440
,4320
, or10080
.New in version 2.0.
-
- Raises
-
-
ValueError – The new
position
is less than 0 or greater than the number of channels. -
TypeError – The permission overwrite information is not in proper form.
-
Forbidden – You do not have permissions to edit the channel.
-
HTTPException – Editing the channel failed.
-
- Returns
-
The newly edited text channel. If the edit was only positional
thenNone
is returned instead. - Return type
-
Optional[
TextChannel
]
- await clone(*, name=None, reason=None)¶
-
This function is a coroutine.
Clones this channel. This creates a channel with the same properties
as this channel.You must have
manage_channels
to do this.New in version 1.1.
- Parameters
-
-
name (Optional[
str
]) – The name of the new channel. If not provided, defaults to this
channel name. -
reason (Optional[
str
]) – The reason for cloning this channel. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have the proper permissions to create this channel.
-
HTTPException – Creating the channel failed.
-
- Returns
-
The channel that was created.
- Return type
-
abc.GuildChannel
- await delete_messages(messages, *, reason=None)¶
-
This function is a coroutine.
Deletes a list of messages. This is similar to
Message.delete()
except it bulk deletes multiple messages.As a special case, if the number of messages is 0, then nothing
is done. If the number of messages is 1 then single message
delete is done. If it’s more than two, then bulk delete is used.You cannot bulk delete more than 100 messages or messages that
are older than 14 days old.You must have
manage_messages
to do this.Changed in version 2.0:
messages
parameter is now positional-only.The
reason
keyword-only parameter was added.- Parameters
-
-
messages (Iterable[
abc.Snowflake
]) – An iterable of messages denoting which ones to bulk delete. -
reason (Optional[
str
]) – The reason for deleting the messages. Shows up on the audit log.
-
- Raises
-
-
ClientException – The number of messages to delete was more than 100.
-
Forbidden – You do not have proper permissions to delete the messages.
-
NotFound – If single delete, then the message was already deleted.
-
HTTPException – Deleting the messages failed.
-
- await purge(*, limit=100, check=…, before=None, after=None, around=None, oldest_first=None, bulk=True, reason=None)¶
-
This function is a coroutine.
Purges a list of messages that meet the criteria given by the predicate
check
. If acheck
is not provided then all messages are deleted
without discrimination.You must have
manage_messages
to
delete messages even if they are your own.
Havingread_message_history
is
also needed to retrieve message history.Changed in version 2.0: The
reason
keyword-only parameter was added.Examples
Deleting bot’s messages
def is_me(m): return m.author == client.user deleted = await channel.purge(limit=100, check=is_me) await channel.send(f'Deleted {len(deleted)} message(s)')
- Parameters
-
-
limit (Optional[
int
]) – The number of messages to search through. This is not the number
of messages that will be deleted, though it can be. -
check (Callable[[
Message
],bool
]) – The function used to check if a message should be deleted.
It must take aMessage
as its sole parameter. -
before (Optional[Union[
abc.Snowflake
,datetime.datetime
]]) – Same asbefore
inhistory()
. -
after (Optional[Union[
abc.Snowflake
,datetime.datetime
]]) – Same asafter
inhistory()
. -
around (Optional[Union[
abc.Snowflake
,datetime.datetime
]]) – Same asaround
inhistory()
. -
oldest_first (Optional[
bool
]) – Same asoldest_first
inhistory()
. -
bulk (
bool
) – IfTrue
, use bulk delete. Setting this toFalse
is useful for mass-deleting
a bot’s own messages withoutPermissions.manage_messages
. WhenTrue
, will
fall back to single delete if messages are older than two weeks. -
reason (Optional[
str
]) – The reason for purging the messages. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have proper permissions to do the actions required.
-
HTTPException – Purging the messages failed.
-
- Returns
-
The list of messages that were deleted.
- Return type
-
List[
Message
]
- await webhooks()¶
-
This function is a coroutine.
Gets the list of webhooks from this channel.
You must have
manage_webhooks
to do this.- Raises
-
Forbidden – You don’t have permissions to get the webhooks.
- Returns
-
The webhooks for this channel.
- Return type
-
List[
Webhook
]
- await create_webhook(*, name, avatar=None, reason=None)¶
-
This function is a coroutine.
Creates a webhook for this channel.
You must have
manage_webhooks
to do this.Changed in version 1.1: Added the
reason
keyword-only parameter.- Parameters
-
-
name (
str
) – The webhook’s name. -
avatar (Optional[
bytes
]) – A bytes-like object representing the webhook’s default avatar.
This operates similarly toedit()
. -
reason (Optional[
str
]) – The reason for creating this webhook. Shows up in the audit logs.
-
- Raises
-
-
HTTPException – Creating the webhook failed.
-
Forbidden – You do not have permissions to create a webhook.
-
- Returns
-
The created webhook.
- Return type
-
Webhook
- await follow(*, destination, reason=None)¶
-
This function is a coroutine.
Follows a channel using a webhook.
Only news channels can be followed.
Note
The webhook returned will not provide a token to do webhook
actions, as Discord does not provide it.New in version 1.3.
Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
-
destination (
TextChannel
) – The channel you would like to follow from. -
reason (Optional[
str
]) –The reason for following the channel. Shows up on the destination guild’s audit log.
New in version 1.4.
-
- Raises
-
-
HTTPException – Following the channel failed.
-
Forbidden – You do not have the permissions to create a webhook.
-
ClientException – The channel is not a news channel.
-
TypeError – The destination channel is not a text channel.
-
- Returns
-
The created webhook.
- Return type
-
Webhook
- get_partial_message(message_id, /)¶
-
Creates a
PartialMessage
from the message ID.This is useful if you want to work with a message and only have its ID without
doing an unnecessary API call.New in version 1.6.
Changed in version 2.0:
message_id
parameter is now positional-only.- Parameters
-
message_id (
int
) – The message ID to create a partial message for. - Returns
-
The partial message.
- Return type
-
PartialMessage
- get_thread(thread_id, /)¶
-
Returns a thread with the given ID.
Note
This does not always retrieve archived threads, as they are not retained in the internal
cache. UseGuild.fetch_channel()
instead.New in version 2.0.
- Parameters
-
thread_id (
int
) – The ID to search for. - Returns
-
The returned thread or
None
if not found. - Return type
-
Optional[
Thread
]
- await create_thread(*, name, message=None, auto_archive_duration=…, type=None, reason=None, invitable=True, slowmode_delay=None)¶
-
This function is a coroutine.
Creates a thread in this text channel.
To create a public thread, you must have
create_public_threads
.
For a private thread,create_private_threads
is needed instead.New in version 2.0.
- Parameters
-
-
name (
str
) – The name of the thread. -
message (Optional[
abc.Snowflake
]) – A snowflake representing the message to create the thread with.
IfNone
is passed then a private thread is created.
Defaults toNone
. -
auto_archive_duration (
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. -
type (Optional[
ChannelType
]) – The type of thread to create. If amessage
is passed then this parameter
is ignored, as a thread created with a message is always a public thread.
By default this creates a private thread if this isNone
. -
reason (
str
) – The reason for creating a new thread. Shows up on the audit log. -
invitable (
bool
) – Whether non-moderators can add users to the thread. Only applicable to private threads.
Defaults toTrue
. -
slowmode_delay (Optional[
int
]) – Specifies the slowmode rate limit for user in this channel, in seconds.
The maximum value possible is21600
. By default no slowmode rate limit
if this isNone
.
-
- Raises
-
-
Forbidden – You do not have permissions to create a thread.
-
HTTPException – Starting the thread failed.
-
- Returns
-
The created thread
- Return type
-
Thread
- async for … in archived_threads(*, private=False, joined=False, limit=100, before=None)¶
-
Returns an asynchronous iterator that iterates over all archived threads in this text channel,
in order of decreasing ID for joined threads, and decreasingThread.archive_timestamp
otherwise.You must have
read_message_history
to do this. If iterating over private threads
thenmanage_threads
is also required.New in version 2.0.
- Parameters
-
-
limit (Optional[
bool
]) – The number of threads to retrieve.
IfNone
, retrieves every archived thread in the channel. Note, however,
that this would make it a slow operation. -
before (Optional[Union[
abc.Snowflake
,datetime.datetime
]]) – Retrieve archived channels before the given date or ID. -
private (
bool
) – Whether to retrieve private archived threads. -
joined (
bool
) – Whether to retrieve private archived threads that you’ve joined.
You cannot setjoined
toTrue
andprivate
toFalse
.
-
- Raises
-
-
Forbidden – You do not have permissions to get archived threads.
-
HTTPException – The request to get the archived threads failed.
-
ValueError –
joined
was set toTrue
andprivate
was set toFalse
. You cannot retrieve public archived
threads that you have joined.
-
- Yields
-
Thread
– The archived threads.
- property category¶
-
The category this channel belongs to.
If there is no category then this is
None
.- Type
-
Optional[
CategoryChannel
]
- property changed_roles¶
-
Returns a list of roles that have been overridden from
their default values in theroles
attribute.- Type
-
List[
Role
]
- await create_invite(*, reason=None, max_age=0, max_uses=0, temporary=False, unique=True, target_type=None, target_user=None, target_application_id=None)¶
-
This function is a coroutine.
Creates an instant invite from a text or voice channel.
You must have
create_instant_invite
to do this.- Parameters
-
-
max_age (
int
) – How long the invite should last in seconds. If it’s 0 then the invite
doesn’t expire. Defaults to0
. -
max_uses (
int
) – How many uses the invite could be used for. If it’s 0 then there
are unlimited uses. Defaults to0
. -
temporary (
bool
) – Denotes that the invite grants temporary membership
(i.e. they get kicked after they disconnect). Defaults toFalse
. -
unique (
bool
) – Indicates if a unique invite URL should be created. Defaults to True.
If this is set toFalse
then it will return a previously created
invite. -
reason (Optional[
str
]) – The reason for creating this invite. Shows up on the audit log. -
target_type (Optional[
InviteTarget
]) –The type of target for the voice channel invite, if any.
New in version 2.0.
-
target_user (Optional[
User
]) –The user whose stream to display for this invite, required if
target_type
isInviteTarget.stream
. The user must be streaming in the channel.New in version 2.0.
-
target_application_id: –
Optional[
int
]: The id of the embedded application for the invite, required iftarget_type
isInviteTarget.embedded_application
.New in version 2.0.
-
- Raises
-
-
HTTPException – Invite creation failed.
-
NotFound – The channel that was passed is a category or an invalid channel.
-
- Returns
-
The invite that was created.
- Return type
-
Invite
- property created_at¶
-
Returns the channel’s creation time in UTC.
- Type
-
datetime.datetime
- await delete(*, reason=None)¶
-
This function is a coroutine.
Deletes the channel.
You must have
manage_channels
to do this.- Parameters
-
reason (Optional[
str
]) – The reason for deleting this channel.
Shows up on the audit log. - Raises
-
-
Forbidden – You do not have proper permissions to delete the channel.
-
NotFound – The channel was not found or was already deleted.
-
HTTPException – Deleting the channel failed.
-
- await fetch_message(id, /)¶
-
This function is a coroutine.
Retrieves a single
Message
from the destination.- Parameters
-
id (
int
) – The message ID to look for. - Raises
-
-
NotFound – The specified message was not found.
-
Forbidden – You do not have the permissions required to get a message.
-
HTTPException – Retrieving the message failed.
-
- Returns
-
The message asked for.
- Return type
-
Message
- async for … in history(*, limit=100, before=None, after=None, around=None, oldest_first=None)¶
-
Returns an asynchronous iterator that enables receiving the destination’s message history.
You must have
read_message_history
to do this.Examples
Usage
counter = 0 async for message in channel.history(limit=200): if message.author == client.user: counter += 1
Flattening into a list:
messages = [message async for message in channel.history(limit=123)] # messages is now a list of Message...
All parameters are optional.
- Parameters
-
-
limit (Optional[
int
]) – The number of messages to retrieve.
IfNone
, retrieves every message in the channel. Note, however,
that this would make it a slow operation. -
before (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages before this date or message.
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. -
after (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages after this date or message.
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. -
around (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages around this date or message.
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.
When using this argument, the maximum limit is 101. Note that if the limit is an
even number then this will return at most limit + 1 messages. -
oldest_first (Optional[
bool
]) – If set toTrue
, return messages in oldest->newest order. Defaults toTrue
if
after
is specified, otherwiseFalse
.
-
- Raises
-
-
Forbidden – You do not have permissions to get channel message history.
-
HTTPException – The request to get message history failed.
-
- Yields
-
Message
– The message with the message data parsed.
- await invites()¶
-
This function is a coroutine.
Returns a list of all active instant invites from this channel.
You must have
manage_channels
to get this information.- Raises
-
-
Forbidden – You do not have proper permissions to get the information.
-
HTTPException – An error occurred while fetching the information.
-
- Returns
-
The list of invites that are currently active.
- Return type
-
List[
Invite
]
- property jump_url¶
-
Returns a URL that allows the client to jump to the channel.
New in version 2.0.
- Type
-
str
- property mention¶
-
The string that allows you to mention the channel.
- Type
-
str
- await move(**kwargs)¶
-
This function is a coroutine.
A rich interface to help move a channel relative to other channels.
If exact position movement is required,
edit
should be used instead.You must have
manage_channels
to do this.Note
Voice channels will always be sorted below text channels.
This is a Discord limitation.New in version 1.7.
Changed in version 2.0: This function will now raise
TypeError
or
ValueError
instead ofInvalidArgument
.- Parameters
-
-
beginning (
bool
) – Whether to move the channel to the beginning of the
channel list (or category if given).
This is mutually exclusive withend
,before
, andafter
. -
end (
bool
) – Whether to move the channel to the end of the
channel list (or category if given).
This is mutually exclusive withbeginning
,before
, andafter
. -
before (
Snowflake
) – The channel that should be before our current channel.
This is mutually exclusive withbeginning
,end
, andafter
. -
after (
Snowflake
) – The channel that should be after our current channel.
This is mutually exclusive withbeginning
,end
, andbefore
. -
offset (
int
) – The number of channels to offset the move by. For example,
an offset of2
withbeginning=True
would move
it 2 after the beginning. A positive number moves it below
while a negative number moves it above. Note that this
number is relative and computed after thebeginning
,
end
,before
, andafter
parameters. -
category (Optional[
Snowflake
]) – The category to move this channel under.
IfNone
is given then it moves it out of the category.
This parameter is ignored if moving a category channel. -
sync_permissions (
bool
) – Whether to sync the permissions with the category (if given). -
reason (
str
) – The reason for the move.
-
- Raises
-
-
ValueError – An invalid position was given.
-
TypeError – A bad mix of arguments were passed.
-
Forbidden – You do not have permissions to move the channel.
-
HTTPException – Moving the channel failed.
-
- property overwrites¶
-
Returns all of the channel’s overwrites.
This is returned as a dictionary where the key contains the target which
can be either aRole
or aMember
and the value is the
overwrite as aPermissionOverwrite
.Changed in version 2.0: Overwrites can now be type-aware
Object
in case of cache lookup failure- Returns
-
The channel’s permission overwrites.
- Return type
-
Dict[Union[
Role
,Member
,Object
],PermissionOverwrite
]
- overwrites_for(obj)¶
-
Returns the channel-specific overwrites for a member or a role.
- Parameters
-
obj (Union[
Role
,User
,Object
]) – The role or user denoting whose overwrite to get. - Returns
-
The permission overwrites for this object.
- Return type
-
PermissionOverwrite
- property permissions_synced¶
-
Whether or not the permissions for this channel are synced with the
category it belongs to.If there is no category then this is
False
.New in version 1.3.
- Type
-
bool
- await pins()¶
-
This function is a coroutine.
Retrieves all messages that are currently pinned in the channel.
Note
Due to a limitation with the Discord API, the
Message
objects returned by this method do not contain complete
Message.reactions
data.- Raises
-
-
Forbidden – You do not have the permission to retrieve pinned messages.
-
HTTPException – Retrieving the pinned messages failed.
-
- Returns
-
The messages that are currently pinned.
- Return type
-
List[
Message
]
- await send(content=None, *, tts=False, embed=None, embeds=None, file=None, files=None, stickers=None, delete_after=None, nonce=None, allowed_mentions=None, reference=None, mention_author=None, view=None, suppress_embeds=False)¶
-
This function is a coroutine.
Sends a message to the destination with the content given.
The content must be a type that can convert to a string through
str(content)
.
If the content is set toNone
(the default), then theembed
parameter must
be provided.To upload a single file, the
file
parameter should be used with a
singleFile
object. To upload multiple files, thefiles
parameter should be used with alist
ofFile
objects.
Specifying both parameters will lead to an exception.To upload a single embed, the
embed
parameter should be used with a
singleEmbed
object. To upload multiple embeds, theembeds
parameter should be used with alist
ofEmbed
objects.
Specifying both parameters will lead to an exception.Changed in version 2.0: This function will now raise
TypeError
or
ValueError
instead ofInvalidArgument
.- Parameters
-
-
content (Optional[
str
]) – The content of the message to send. -
tts (
bool
) – Indicates if the message should be sent using text-to-speech. -
embed (
Embed
) – The rich embed for the content. -
embeds (List[
Embed
]) –A list of embeds to upload. Must be a maximum of 10.
New in version 2.0.
-
file (
File
) – The file to upload. -
files (List[
File
]) – A list of files to upload. Must be a maximum of 10. -
nonce (
int
) – The nonce to use for sending this message. If the message was successfully sent,
then the message will have a nonce with this value. -
delete_after (
float
) – 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. -
allowed_mentions (
AllowedMentions
) –Controls the mentions being processed in this message. If this is
passed, then the object is merged withallowed_mentions
.
The merging behaviour only overrides attributes that have been explicitly passed
to the object, otherwise it uses the attributes set inallowed_mentions
.
If no object is passed at all then the defaults given byallowed_mentions
are used instead.New in version 1.4.
-
reference (Union[
Message
,MessageReference
,PartialMessage
]) –A reference to the
Message
to which you are replying, this can be created using
to_reference()
or passed directly as aMessage
. You can control
whether this mentions the author of the referenced message using thereplied_user
attribute ofallowed_mentions
or by settingmention_author
.New in version 1.6.
-
mention_author (Optional[
bool
]) –If set, overrides the
replied_user
attribute ofallowed_mentions
.New in version 1.6.
-
view (
discord.ui.View
) –A Discord UI View to add to the message.
New in version 2.0.
-
stickers (Sequence[Union[
GuildSticker
,StickerItem
]]) –A list of stickers to upload. Must be a maximum of 3.
New in version 2.0.
-
suppress_embeds (
bool
) –Whether to suppress embeds for the message. This sends the message without any embeds if set to
True
.New in version 2.0.
-
- Raises
-
-
HTTPException – Sending the message failed.
-
Forbidden – You do not have the proper permissions to send the message.
-
ValueError – The
files
orembeds
list is not of the appropriate size. -
TypeError – You specified both
file
andfiles
,
or you specified bothembed
andembeds
,
or thereference
object is not aMessage
,
MessageReference
orPartialMessage
.
-
- Returns
-
The message that was sent.
- Return type
-
Message
- await set_permissions(target, *, overwrite=see — below, reason=None, **permissions)¶
-
This function is a coroutine.
Sets the channel specific permission overwrites for a target in the
channel.The
target
parameter should either be aMember
or a
Role
that belongs to guild.The
overwrite
parameter, if given, must either beNone
or
PermissionOverwrite
. For convenience, you can pass in
keyword arguments denotingPermissions
attributes. If this is
done, then you cannot mix the keyword arguments with theoverwrite
parameter.If the
overwrite
parameter isNone
, then the permission
overwrites are deleted.You must have
manage_roles
to do this.Note
This method replaces the old overwrites with the ones given.
Examples
Setting allow and deny:
await message.channel.set_permissions(message.author, read_messages=True, send_messages=False)
Deleting overwrites
await channel.set_permissions(member, overwrite=None)
Using
PermissionOverwrite
overwrite = discord.PermissionOverwrite() overwrite.send_messages = False overwrite.read_messages = True await channel.set_permissions(member, overwrite=overwrite)
Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
-
target (Union[
Member
,Role
]) – The member or role to overwrite permissions for. -
overwrite (Optional[
PermissionOverwrite
]) – The permissions to allow and deny to the target, orNone
to
delete the overwrite. -
**permissions – A keyword argument list of permissions to set for ease of use.
Cannot be mixed withoverwrite
. -
reason (Optional[
str
]) – The reason for doing this action. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have permissions to edit channel specific permissions.
-
HTTPException – Editing channel specific permissions failed.
-
NotFound – The role or member being edited is not part of the guild.
-
TypeError – The
overwrite
parameter was invalid or the target type was not
Role
orMember
. -
ValueError – The
overwrite
parameter andpositions
parameters were both
unset.
-
ForumChannel¶
Attributes
- available_tags
- category
- category_id
- changed_roles
- created_at
- default_auto_archive_duration
- default_reaction_emoji
- default_thread_slowmode_delay
- flags
- guild
- id
- jump_url
- last_message_id
- mention
- name
- nsfw
- overwrites
- permissions_synced
- position
- slowmode_delay
- threads
- topic
- type
Methods
-
async forarchived_threads -
asyncclone -
asynccreate_invite -
asynccreate_tag -
asynccreate_thread -
asynccreate_webhook -
asyncdelete -
asyncedit -
defget_tag -
asyncinvites -
defis_nsfw -
asyncmove -
defoverwrites_for -
defpermissions_for -
asyncset_permissions -
asyncwebhooks
- class discord.ForumChannel¶
-
Represents a Discord guild forum channel.
New in version 2.0.
- x == y
-
Checks if two forums are equal.
- x != y
-
Checks if two forums are not equal.
- hash(x)
-
Returns the forum’s hash.
- str(x)
-
Returns the forum’s name.
- name¶
-
The forum name.
- Type
-
str
- guild¶
-
The guild the forum belongs to.
- Type
-
Guild
- id¶
-
The forum ID.
- Type
-
int
- category_id¶
-
The category channel ID this forum belongs to, if applicable.
- Type
-
Optional[
int
]
- topic¶
-
The forum’s topic.
None
if it doesn’t exist. Called “Guidelines” in the UI.
Can be up to 4096 characters long.- Type
-
Optional[
str
]
- position¶
-
The position in the channel list. This is a number that starts at 0. e.g. the
top channel is position 0.- Type
-
int
- last_message_id¶
-
The last thread ID that was created on this forum. This technically also
coincides with the message ID that started the thread that was created.
It may not point to an existing or valid thread or message.- Type
-
Optional[
int
]
- slowmode_delay¶
-
The number of seconds a member must wait between creating threads
in this forum. A value of0
denotes that it is disabled.
Bots and users withmanage_channels
or
manage_messages
bypass slowmode.- Type
-
int
- nsfw¶
-
If the forum is marked as “not safe for work” or “age restricted”.
- Type
-
bool
- default_auto_archive_duration¶
-
The default auto archive duration in minutes for threads created in this forum.
- Type
-
int
- default_thread_slowmode_delay¶
-
The default slowmode delay in seconds for threads created in this forum.
New in version 2.1.
- Type
-
int
- default_reaction_emoji¶
-
The default reaction emoji for threads created in this forum to show in the
add reaction button.New in version 2.1.
- Type
-
Optional[
PartialEmoji
]
- property type¶
-
The channel’s Discord type.
- Type
-
ChannelType
- permissions_for(obj, /)¶
-
Handles permission resolution for the
Member
orRole
.This function takes into consideration the following cases:
-
Guild owner
-
Guild roles
-
Channel overrides
-
Member overrides
-
Member timeout
If a
Role
is passed, then it checks the permissions
someone with that role would have, which is essentially:-
The default role permissions
-
The permissions of the role used as a parameter
-
The default role permission overwrites
-
The permission overwrites of the role used as a parameter
Changed in version 2.0: The object passed in can now be a role object.
Changed in version 2.0:
obj
parameter is now positional-only.- Parameters
-
obj (Union[
Member
,Role
]) – The object to resolve permissions for. This could be either
a member or a role. If it’s a role then member overwrites
are not computed. - Returns
-
The resolved permissions for the member or role.
- Return type
-
Permissions
-
- property threads¶
-
Returns all the threads that you can see.
- Type
-
List[
Thread
]
- property flags¶
-
The flags associated with this thread.
New in version 2.1.
- Type
-
ChannelFlags
- property available_tags¶
-
Returns all the available tags for this forum.
New in version 2.1.
- Type
-
Sequence[
ForumTag
]
- get_tag(tag_id, /)¶
-
Returns the tag with the given ID.
New in version 2.1.
- Parameters
-
tag_id (
int
) – The ID to search for. - Returns
-
The tag with the given ID, or
None
if not found. - Return type
-
Optional[
ForumTag
]
- is_nsfw()¶
-
bool
: Checks if the forum is NSFW.
- await clone(*, name=None, reason=None)¶
-
This function is a coroutine.
Clones this channel. This creates a channel with the same properties
as this channel.You must have
manage_channels
to do this.New in version 1.1.
- Parameters
-
-
name (Optional[
str
]) – The name of the new channel. If not provided, defaults to this
channel name. -
reason (Optional[
str
]) – The reason for cloning this channel. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have the proper permissions to create this channel.
-
HTTPException – Creating the channel failed.
-
- Returns
-
The channel that was created.
- Return type
-
abc.GuildChannel
- await edit(*, reason=None, **options)¶
-
This function is a coroutine.
Edits the forum.
You must have
manage_channels
to do this.- Parameters
-
-
name (
str
) – The new forum name. -
topic (
str
) – The new forum’s topic. -
position (
int
) – The new forum’s position. -
nsfw (
bool
) – To mark the forum as NSFW or not. -
sync_permissions (
bool
) – Whether to sync permissions with the forum’s new or pre-existing
category. Defaults toFalse
. -
category (Optional[
CategoryChannel
]) – The new category for this forum. Can beNone
to remove the
category. -
slowmode_delay (
int
) – Specifies the slowmode rate limit for user in this forum, in seconds.
A value of0
disables slowmode. The maximum value possible is21600
. -
type (
ChannelType
) – Change the type of this text forum. Currently, only conversion between
ChannelType.text
andChannelType.news
is supported. This
is only available to guilds that containNEWS
inGuild.features
. -
reason (Optional[
str
]) – The reason for editing this forum. Shows up on the audit log. -
overwrites (
Mapping
) – AMapping
of target (either a role or a member) to
PermissionOverwrite
to apply to the forum. -
default_auto_archive_duration (
int
) – The new default auto archive duration in minutes for threads created in this channel.
Must be one of60
,1440
,4320
, or10080
. -
available_tags (Sequence[
ForumTag
]) –The new available tags for this forum.
New in version 2.1.
-
default_thread_slowmode_delay (
int
) –The new default slowmode delay for threads in this channel.
New in version 2.1.
-
default_reaction_emoji (Optional[Union[
Emoji
,PartialEmoji
,str
]]) –The new default reaction emoji for threads in this channel.
New in version 2.1.
-
require_tag (
bool
) –Whether to require a tag for threads in this channel or not.
New in version 2.1.
-
- Raises
-
-
ValueError – The new
position
is less than 0 or greater than the number of channels. -
TypeError – The permission overwrite information is not in proper form.
-
Forbidden – You do not have permissions to edit the forum.
-
HTTPException – Editing the forum failed.
-
- Returns
-
The newly edited forum channel. If the edit was only positional
thenNone
is returned instead. - Return type
-
Optional[
ForumChannel
]
- await create_tag(*, name, emoji=None, moderated=False, reason=None)¶
-
This function is a coroutine.
Creates a new tag in this forum.
You must have
manage_channels
to do this.- Parameters
-
-
name (
str
) – The name of the tag. Can only be up to 20 characters. -
emoji (Optional[Union[
str
,PartialEmoji
]]) – The emoji to use for the tag. -
moderated (
bool
) – Whether the tag can only be applied by moderators. -
reason (Optional[
str
]) – The reason for creating this tag. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have permissions to create a tag in this forum.
-
HTTPException – Creating the tag failed.
-
- Returns
-
The newly created tag.
- Return type
-
ForumTag
- await create_thread(*, name, auto_archive_duration=…, slowmode_delay=None, content=None, tts=False, embed=…, embeds=…, file=…, files=…, stickers=…, allowed_mentions=…, mention_author=…, applied_tags=…, view=…, suppress_embeds=False, reason=None)¶
-
This function is a coroutine.
Creates a thread in this forum.
This thread is a public thread with the initial message given. Currently in order
to start a thread in this forum, the user needssend_messages
.- Parameters
-
-
name (
str
) – The name of the thread. -
auto_archive_duration (
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[
int
]) – Specifies the slowmode rate limit for user in this channel, in seconds.
The maximum value possible is21600
. By default no slowmode rate limit
if this isNone
. -
content (Optional[
str
]) – The content of the message to send with the thread. -
tts (
bool
) – Indicates if the message should be sent using text-to-speech. -
embed (
Embed
) – The rich embed for the content. -
embeds (List[
Embed
]) – A list of embeds to upload. Must be a maximum of 10. -
file (
File
) – The file to upload. -
files (List[
File
]) – A list of files to upload. Must be a maximum of 10. -
allowed_mentions (
AllowedMentions
) – Controls the mentions being processed in this message. If this is
passed, then the object is merged withallowed_mentions
.
The merging behaviour only overrides attributes that have been explicitly passed
to the object, otherwise it uses the attributes set inallowed_mentions
.
If no object is passed at all then the defaults given byallowed_mentions
are used instead. -
mention_author (
bool
) – If set, overrides thereplied_user
attribute ofallowed_mentions
. -
applied_tags (List[
discord.ForumTag
]) – A list of tags to apply to the thread. -
view (
discord.ui.View
) – A Discord UI View to add to the message. -
stickers (Sequence[Union[
GuildSticker
,StickerItem
]]) – A list of stickers to upload. Must be a maximum of 3. -
suppress_embeds (
bool
) – Whether to suppress embeds for the message. This sends the message without any embeds if set toTrue
. -
reason (
str
) – The reason for creating a new thread. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have permissions to create a thread.
-
HTTPException – Starting the thread failed.
-
ValueError – The
files
orembeds
list is not of the appropriate size. -
TypeError – You specified both
file
andfiles
,
or you specified bothembed
andembeds
.
-
- Returns
-
The created thread with the created message.
This is also accessible as a namedtuple withthread
andmessage
fields. - Return type
-
Tuple[
Thread
,Message
]
- await webhooks()¶
-
This function is a coroutine.
Gets the list of webhooks from this channel.
You must have
manage_webhooks
to do this.- Raises
-
Forbidden – You don’t have permissions to get the webhooks.
- Returns
-
The webhooks for this channel.
- Return type
-
List[
Webhook
]
- await create_webhook(*, name, avatar=None, reason=None)¶
-
This function is a coroutine.
Creates a webhook for this channel.
You must have
manage_webhooks
to do this.- Parameters
-
-
name (
str
) – The webhook’s name. -
avatar (Optional[
bytes
]) – A bytes-like object representing the webhook’s default avatar.
This operates similarly toedit()
. -
reason (Optional[
str
]) – The reason for creating this webhook. Shows up in the audit logs.
-
- Raises
-
-
HTTPException – Creating the webhook failed.
-
Forbidden – You do not have permissions to create a webhook.
-
- Returns
-
The created webhook.
- Return type
-
Webhook
- async for … in archived_threads(*, limit=100, before=None)¶
-
Returns an asynchronous iterator that iterates over all archived threads in this forum
in order of decreasingThread.archive_timestamp
.You must have
read_message_history
to do this.New in version 2.0.
- Parameters
-
-
limit (Optional[
bool
]) – The number of threads to retrieve.
IfNone
, retrieves every archived thread in the channel. Note, however,
that this would make it a slow operation. -
before (Optional[Union[
abc.Snowflake
,datetime.datetime
]]) – Retrieve archived channels before the given date or ID.
-
- Raises
-
-
Forbidden – You do not have permissions to get archived threads.
-
HTTPException – The request to get the archived threads failed.
-
- Yields
-
Thread
– The archived threads.
- property category¶
-
The category this channel belongs to.
If there is no category then this is
None
.- Type
-
Optional[
CategoryChannel
]
- property changed_roles¶
-
Returns a list of roles that have been overridden from
their default values in theroles
attribute.- Type
-
List[
Role
]
- await create_invite(*, reason=None, max_age=0, max_uses=0, temporary=False, unique=True, target_type=None, target_user=None, target_application_id=None)¶
-
This function is a coroutine.
Creates an instant invite from a text or voice channel.
You must have
create_instant_invite
to do this.- Parameters
-
-
max_age (
int
) – How long the invite should last in seconds. If it’s 0 then the invite
doesn’t expire. Defaults to0
. -
max_uses (
int
) – How many uses the invite could be used for. If it’s 0 then there
are unlimited uses. Defaults to0
. -
temporary (
bool
) – Denotes that the invite grants temporary membership
(i.e. they get kicked after they disconnect). Defaults toFalse
. -
unique (
bool
) – Indicates if a unique invite URL should be created. Defaults to True.
If this is set toFalse
then it will return a previously created
invite. -
reason (Optional[
str
]) – The reason for creating this invite. Shows up on the audit log. -
target_type (Optional[
InviteTarget
]) –The type of target for the voice channel invite, if any.
New in version 2.0.
-
target_user (Optional[
User
]) –The user whose stream to display for this invite, required if
target_type
isInviteTarget.stream
. The user must be streaming in the channel.New in version 2.0.
-
target_application_id: –
Optional[
int
]: The id of the embedded application for the invite, required iftarget_type
isInviteTarget.embedded_application
.New in version 2.0.
-
- Raises
-
-
HTTPException – Invite creation failed.
-
NotFound – The channel that was passed is a category or an invalid channel.
-
- Returns
-
The invite that was created.
- Return type
-
Invite
- property created_at¶
-
Returns the channel’s creation time in UTC.
- Type
-
datetime.datetime
- await delete(*, reason=None)¶
-
This function is a coroutine.
Deletes the channel.
You must have
manage_channels
to do this.- Parameters
-
reason (Optional[
str
]) – The reason for deleting this channel.
Shows up on the audit log. - Raises
-
-
Forbidden – You do not have proper permissions to delete the channel.
-
NotFound – The channel was not found or was already deleted.
-
HTTPException – Deleting the channel failed.
-
- await invites()¶
-
This function is a coroutine.
Returns a list of all active instant invites from this channel.
You must have
manage_channels
to get this information.- Raises
-
-
Forbidden – You do not have proper permissions to get the information.
-
HTTPException – An error occurred while fetching the information.
-
- Returns
-
The list of invites that are currently active.
- Return type
-
List[
Invite
]
- property jump_url¶
-
Returns a URL that allows the client to jump to the channel.
New in version 2.0.
- Type
-
str
- property mention¶
-
The string that allows you to mention the channel.
- Type
-
str
- await move(**kwargs)¶
-
This function is a coroutine.
A rich interface to help move a channel relative to other channels.
If exact position movement is required,
edit
should be used instead.You must have
manage_channels
to do this.Note
Voice channels will always be sorted below text channels.
This is a Discord limitation.New in version 1.7.
Changed in version 2.0: This function will now raise
TypeError
or
ValueError
instead ofInvalidArgument
.- Parameters
-
-
beginning (
bool
) – Whether to move the channel to the beginning of the
channel list (or category if given).
This is mutually exclusive withend
,before
, andafter
. -
end (
bool
) – Whether to move the channel to the end of the
channel list (or category if given).
This is mutually exclusive withbeginning
,before
, andafter
. -
before (
Snowflake
) – The channel that should be before our current channel.
This is mutually exclusive withbeginning
,end
, andafter
. -
after (
Snowflake
) – The channel that should be after our current channel.
This is mutually exclusive withbeginning
,end
, andbefore
. -
offset (
int
) – The number of channels to offset the move by. For example,
an offset of2
withbeginning=True
would move
it 2 after the beginning. A positive number moves it below
while a negative number moves it above. Note that this
number is relative and computed after thebeginning
,
end
,before
, andafter
parameters. -
category (Optional[
Snowflake
]) – The category to move this channel under.
IfNone
is given then it moves it out of the category.
This parameter is ignored if moving a category channel. -
sync_permissions (
bool
) – Whether to sync the permissions with the category (if given). -
reason (
str
) – The reason for the move.
-
- Raises
-
-
ValueError – An invalid position was given.
-
TypeError – A bad mix of arguments were passed.
-
Forbidden – You do not have permissions to move the channel.
-
HTTPException – Moving the channel failed.
-
- property overwrites¶
-
Returns all of the channel’s overwrites.
This is returned as a dictionary where the key contains the target which
can be either aRole
or aMember
and the value is the
overwrite as aPermissionOverwrite
.Changed in version 2.0: Overwrites can now be type-aware
Object
in case of cache lookup failure- Returns
-
The channel’s permission overwrites.
- Return type
-
Dict[Union[
Role
,Member
,Object
],PermissionOverwrite
]
- overwrites_for(obj)¶
-
Returns the channel-specific overwrites for a member or a role.
- Parameters
-
obj (Union[
Role
,User
,Object
]) – The role or user denoting whose overwrite to get. - Returns
-
The permission overwrites for this object.
- Return type
-
PermissionOverwrite
- property permissions_synced¶
-
Whether or not the permissions for this channel are synced with the
category it belongs to.If there is no category then this is
False
.New in version 1.3.
- Type
-
bool
- await set_permissions(target, *, overwrite=see — below, reason=None, **permissions)¶
-
This function is a coroutine.
Sets the channel specific permission overwrites for a target in the
channel.The
target
parameter should either be aMember
or a
Role
that belongs to guild.The
overwrite
parameter, if given, must either beNone
or
PermissionOverwrite
. For convenience, you can pass in
keyword arguments denotingPermissions
attributes. If this is
done, then you cannot mix the keyword arguments with theoverwrite
parameter.If the
overwrite
parameter isNone
, then the permission
overwrites are deleted.You must have
manage_roles
to do this.Note
This method replaces the old overwrites with the ones given.
Examples
Setting allow and deny:
await message.channel.set_permissions(message.author, read_messages=True, send_messages=False)
Deleting overwrites
await channel.set_permissions(member, overwrite=None)
Using
PermissionOverwrite
overwrite = discord.PermissionOverwrite() overwrite.send_messages = False overwrite.read_messages = True await channel.set_permissions(member, overwrite=overwrite)
Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
-
target (Union[
Member
,Role
]) – The member or role to overwrite permissions for. -
overwrite (Optional[
PermissionOverwrite
]) – The permissions to allow and deny to the target, orNone
to
delete the overwrite. -
**permissions – A keyword argument list of permissions to set for ease of use.
Cannot be mixed withoverwrite
. -
reason (Optional[
str
]) – The reason for doing this action. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have permissions to edit channel specific permissions.
-
HTTPException – Editing channel specific permissions failed.
-
NotFound – The role or member being edited is not part of the guild.
-
TypeError – The
overwrite
parameter was invalid or the target type was not
Role
orMember
. -
ValueError – The
overwrite
parameter andpositions
parameters were both
unset.
-
Thread¶
Attributes
- applied_tags
- archive_timestamp
- archived
- archiver_id
- auto_archive_duration
- category
- category_id
- created_at
- flags
- guild
- id
- invitable
- jump_url
- last_message
- last_message_id
- locked
- me
- member_count
- members
- mention
- message_count
- name
- owner
- owner_id
- parent
- parent_id
- slowmode_delay
- starter_message
- type
Methods
-
asyncadd_tags -
asyncadd_user -
asyncdelete -
asyncdelete_messages -
asyncedit -
asyncfetch_member -
asyncfetch_members -
asyncfetch_message -
defget_partial_message -
async forhistory -
defis_news -
defis_nsfw -
defis_private -
asyncjoin -
asyncleave -
defpermissions_for -
asyncpins -
asyncpurge -
asyncremove_tags -
asyncremove_user -
asyncsend -
deftyping
- class discord.Thread¶
-
Represents a Discord thread.
- x == y
-
Checks if two threads are equal.
- x != y
-
Checks if two threads are not equal.
- hash(x)
-
Returns the thread’s hash.
- str(x)
-
Returns the thread’s name.
New in version 2.0.
- name¶
-
The thread name.
- Type
-
str
- guild¶
-
The guild the thread belongs to.
- Type
-
Guild
- id¶
-
The thread ID. This is the same as the thread starter message ID.
- Type
-
int
- parent_id¶
-
The parent
TextChannel
orForumChannel
ID this thread belongs to.- Type
-
int
- owner_id¶
-
The user’s ID that created this thread.
- Type
-
int
- last_message_id¶
-
The last message ID of the message sent to this thread. It may
not point to an existing or valid message.- Type
-
Optional[
int
]
- slowmode_delay¶
-
The number of seconds a member must wait between sending messages
in this thread. A value of0
denotes that it is disabled.
Bots and users withmanage_channels
or
manage_messages
bypass slowmode.- Type
-
int
- message_count¶
-
An approximate number of messages in this thread.
- Type
-
int
- member_count¶
-
An approximate number of members in this thread. This caps at 50.
- Type
-
int
- me¶
-
A thread member representing yourself, if you’ve joined the thread.
This could not be available.- Type
-
Optional[
ThreadMember
]
- archived¶
-
Whether the thread is archived.
- Type
-
bool
- locked¶
-
Whether the thread is locked.
- Type
-
bool
- invitable¶
-
Whether non-moderators can add other non-moderators to this thread.
This is alwaysTrue
for public threads.- Type
-
bool
- archiver_id¶
-
The user’s ID that archived this thread.
- Type
-
Optional[
int
]
- auto_archive_duration¶
-
The duration in minutes until the thread is automatically archived due to inactivity.
Usually a value of 60, 1440, 4320 and 10080.- Type
-
int
- archive_timestamp¶
-
An aware timestamp of when the thread’s archived status was last updated in UTC.
- Type
-
datetime.datetime
- async with typing()¶
-
Returns an asynchronous context manager that allows you to send a typing indicator to
the destination for an indefinite period of time, or 10 seconds if the context manager
is called usingawait
.Example Usage:
async with channel.typing(): # simulate something heavy await asyncio.sleep(20) await channel.send('Done!')
Example Usage:
await channel.typing() # Do some computational magic for about 10 seconds await channel.send('Done!')
Changed in version 2.0: This no longer works with the
with
syntax,async with
must be used instead.Changed in version 2.0: Added functionality to
await
the context manager to send a typing indicator for 10 seconds.
- property type¶
-
The channel’s Discord type.
- Type
-
ChannelType
- property parent¶
-
The parent channel this thread belongs to.
- Type
-
Optional[Union[
ForumChannel
,TextChannel
]]
- property flags¶
-
The flags associated with this thread.
- Type
-
ChannelFlags
- property owner¶
-
The member this thread belongs to.
- Type
-
Optional[
Member
]
- property mention¶
-
The string that allows you to mention the thread.
- Type
-
str
- property jump_url¶
-
Returns a URL that allows the client to jump to the thread.
New in version 2.0.
- Type
-
str
- property members¶
-
A list of thread members in this thread.
This requires
Intents.members
to be properly filled. Most of the time however,
this data is not provided by the gateway and a call tofetch_members()
is
needed.- Type
-
List[
ThreadMember
]
- property applied_tags¶
-
A list of tags applied to this thread.
New in version 2.1.
- Type
-
List[
ForumTag
]
- property starter_message¶
-
Returns the thread starter message from the cache.
The message might not be cached, valid, or point to an existing message.
Note that the thread starter message ID is the same ID as the thread.
- Returns
-
The thread starter message or
None
if not found. - Return type
-
Optional[
Message
]
- property last_message¶
-
Returns the last message from this thread from the cache.
The message might not be valid or point to an existing message.
Reliable Fetching
For a slightly more reliable method of fetching the
last message, consider using eitherhistory()
orfetch_message()
with thelast_message_id
attribute.- Returns
-
The last message in this channel or
None
if not found. - Return type
-
Optional[
Message
]
- property category¶
-
The category channel the parent channel belongs to, if applicable.
- Raises
-
ClientException – The parent channel was not cached and returned
None
. - Returns
-
The parent channel’s category.
- Return type
-
Optional[
CategoryChannel
]
- property category_id¶
-
The category channel ID the parent channel belongs to, if applicable.
- Raises
-
ClientException – The parent channel was not cached and returned
None
. - Returns
-
The parent channel’s category ID.
- Return type
-
Optional[
int
]
- property created_at¶
-
An aware timestamp of when the thread was created in UTC.
Note
This timestamp only exists for threads created after 9 January 2022, otherwise returns
None
.
- is_private()¶
-
bool
: Whether the thread is a private thread.A private thread is only viewable by those that have been explicitly
invited or havemanage_threads
.
- is_news()¶
-
bool
: Whether the thread is a news thread.A news thread is a thread that has a parent that is a news channel,
i.e.TextChannel.is_news()
isTrue
.
- is_nsfw()¶
-
bool
: Whether the thread is NSFW or not.An NSFW thread is a thread that has a parent that is an NSFW channel,
i.e.TextChannel.is_nsfw()
isTrue
.
- permissions_for(obj, /)¶
-
Handles permission resolution for the
Member
orRole
.Since threads do not have their own permissions, they inherit them
from the parent channel. This is a convenience method for
callingpermissions_for()
on the
parent channel.- Parameters
-
obj (Union[
Member
,Role
]) – The object to resolve permissions for. This could be either
a member or a role. If it’s a role then member overwrites
are not computed. - Raises
-
ClientException – The parent channel was not cached and returned
None
- Returns
-
The resolved permissions for the member or role.
- Return type
-
Permissions
- await delete_messages(messages, /, *, reason=None)¶
-
This function is a coroutine.
Deletes a list of messages. This is similar to
Message.delete()
except it bulk deletes multiple messages.As a special case, if the number of messages is 0, then nothing
is done. If the number of messages is 1 then single message
delete is done. If it’s more than two, then bulk delete is used.You cannot bulk delete more than 100 messages or messages that
are older than 14 days old.You must have
manage_messages
to do this.- Parameters
-
-
messages (Iterable[
abc.Snowflake
]) – An iterable of messages denoting which ones to bulk delete. -
reason (Optional[
str
]) – The reason for deleting the messages. Shows up on the audit log.
-
- Raises
-
-
ClientException – The number of messages to delete was more than 100.
-
Forbidden – You do not have proper permissions to delete the messages or
you’re not using a bot account. -
NotFound – If single delete, then the message was already deleted.
-
HTTPException – Deleting the messages failed.
-
- await purge(*, limit=100, check=…, before=None, after=None, around=None, oldest_first=None, bulk=True, reason=None)¶
-
This function is a coroutine.
Purges a list of messages that meet the criteria given by the predicate
check
. If acheck
is not provided then all messages are deleted
without discrimination.You must have
manage_messages
to
delete messages even if they are your own.
Havingread_message_history
is
also needed to retrieve message history.Examples
Deleting bot’s messages
def is_me(m): return m.author == client.user deleted = await thread.purge(limit=100, check=is_me) await thread.send(f'Deleted {len(deleted)} message(s)')
- Parameters
-
-
limit (Optional[
int
]) – The number of messages to search through. This is not the number
of messages that will be deleted, though it can be. -
check (Callable[[
Message
],bool
]) – The function used to check if a message should be deleted.
It must take aMessage
as its sole parameter. -
before (Optional[Union[
abc.Snowflake
,datetime.datetime
]]) – Same asbefore
inhistory()
. -
after (Optional[Union[
abc.Snowflake
,datetime.datetime
]]) – Same asafter
inhistory()
. -
around (Optional[Union[
abc.Snowflake
,datetime.datetime
]]) – Same asaround
inhistory()
. -
oldest_first (Optional[
bool
]) – Same asoldest_first
inhistory()
. -
bulk (
bool
) – IfTrue
, use bulk delete. Setting this toFalse
is useful for mass-deleting
a bot’s own messages withoutPermissions.manage_messages
. WhenTrue
, will
fall back to single delete if messages are older than two weeks. -
reason (Optional[
str
]) – The reason for purging the messages. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have proper permissions to do the actions required.
-
HTTPException – Purging the messages failed.
-
- Returns
-
The list of messages that were deleted.
- Return type
-
List[
Message
]
- await edit(*, name=…, archived=…, locked=…, invitable=…, pinned=…, slowmode_delay=…, auto_archive_duration=…, applied_tags=…, reason=None)¶
-
This function is a coroutine.
Edits the thread.
Editing the thread requires
Permissions.manage_threads
. The thread
creator can also editname
,archived
orauto_archive_duration
.
Note that if the thread is locked then only those withPermissions.manage_threads
can unarchive a thread.The thread must be unarchived to be edited.
- Parameters
-
-
name (
str
) – The new name of the thread. -
archived (
bool
) – Whether to archive the thread or not. -
locked (
bool
) – Whether to lock the thread or not. -
pinned (
bool
) – Whether to pin the thread or not. This only works if the thread is part of a forum. -
invitable (
bool
) – Whether non-moderators can add other non-moderators to this thread.
Only available for private threads. -
auto_archive_duration (
int
) – The new duration in minutes before a thread is automatically archived for inactivity.
Must be one of60
,1440
,4320
, or10080
. -
slowmode_delay (
int
) – Specifies the slowmode rate limit for user in this thread, in seconds.
A value of0
disables slowmode. The maximum value possible is21600
. -
applied_tags (Sequence[
ForumTag
]) –The new tags to apply to the thread. There can only be up to 5 tags applied to a thread.
New in version 2.1.
-
reason (Optional[
str
]) – The reason for editing this thread. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have permissions to edit the thread.
-
HTTPException – Editing the thread failed.
-
- Returns
-
The newly edited thread.
- Return type
-
Thread
- await add_tags(*tags, reason=None)¶
-
This function is a coroutine.
Adds the given forum tags to a thread.
You must have
manage_threads
to
use this or the thread must be owned by you.Tags that have
ForumTag.moderated
set toTrue
require
manage_threads
to be added.The maximum number of tags that can be added to a thread is 5.
The parent channel must be a
ForumChannel
.New in version 2.1.
- Parameters
-
-
*tags (
abc.Snowflake
) – An argument list ofabc.Snowflake
representing aForumTag
to add to the thread. -
reason (Optional[
str
]) – The reason for adding these tags.
-
- Raises
-
-
Forbidden – You do not have permissions to add these tags.
-
HTTPException – Adding tags failed.
-
- await remove_tags(*tags, reason=None)¶
-
This function is a coroutine.
Remove the given forum tags to a thread.
You must have
manage_threads
to
use this or the thread must be owned by you.The parent channel must be a
ForumChannel
.New in version 2.1.
- Parameters
-
-
*tags (
abc.Snowflake
) – An argument list ofabc.Snowflake
representing aForumTag
to remove to the thread. -
reason (Optional[
str
]) – The reason for removing these tags.
-
- Raises
-
-
Forbidden – You do not have permissions to remove these tags.
-
HTTPException – Removing tags failed.
-
- await join()¶
-
This function is a coroutine.
Joins this thread.
You must have
send_messages_in_threads
to join a thread.
If the thread is private,manage_threads
is also needed.- Raises
-
-
Forbidden – You do not have permissions to join the thread.
-
HTTPException – Joining the thread failed.
-
- await leave()¶
-
This function is a coroutine.
Leaves this thread.
- Raises
-
HTTPException – Leaving the thread failed.
- await add_user(user, /)¶
-
This function is a coroutine.
Adds a user to this thread.
You must have
send_messages_in_threads
to add a user to a thread.
If the thread is private andinvitable
isFalse
thenmanage_messages
is required to add a user to the thread.- Parameters
-
user (
abc.Snowflake
) – The user to add to the thread. - Raises
-
-
Forbidden – You do not have permissions to add the user to the thread.
-
HTTPException – Adding the user to the thread failed.
-
- await remove_user(user, /)¶
-
This function is a coroutine.
Removes a user from this thread.
You must have
manage_threads
or be the creator of the thread to remove a user.- Parameters
-
user (
abc.Snowflake
) – The user to remove from the thread. - Raises
-
-
Forbidden – You do not have permissions to remove the user from the thread.
-
HTTPException – Removing the user from the thread failed.
-
- await fetch_member(user_id, /)¶
-
This function is a coroutine.
Retrieves a
ThreadMember
for the given user ID.- Raises
-
-
NotFound – The specified user is not a member of this thread.
-
HTTPException – Retrieving the member failed.
-
- Returns
-
The thread member from the user ID.
- Return type
-
ThreadMember
- await fetch_members()¶
-
This function is a coroutine.
Retrieves all
ThreadMember
that are in this thread.This requires
Intents.members
to get information about members
other than yourself.- Raises
-
HTTPException – Retrieving the members failed.
- Returns
-
All thread members in the thread.
- Return type
-
List[
ThreadMember
]
- await delete()¶
-
This function is a coroutine.
Deletes this thread.
You must have
manage_threads
to delete threads.- Raises
-
-
Forbidden – You do not have permissions to delete this thread.
-
HTTPException – Deleting the thread failed.
-
- get_partial_message(message_id, /)¶
-
Creates a
PartialMessage
from the message ID.This is useful if you want to work with a message and only have its ID without
doing an unnecessary API call.New in version 2.0.
- Parameters
-
message_id (
int
) – The message ID to create a partial message for. - Returns
-
The partial message.
- Return type
-
PartialMessage
- await fetch_message(id, /)¶
-
This function is a coroutine.
Retrieves a single
Message
from the destination.- Parameters
-
id (
int
) – The message ID to look for. - Raises
-
-
NotFound – The specified message was not found.
-
Forbidden – You do not have the permissions required to get a message.
-
HTTPException – Retrieving the message failed.
-
- Returns
-
The message asked for.
- Return type
-
Message
- async for … in history(*, limit=100, before=None, after=None, around=None, oldest_first=None)¶
-
Returns an asynchronous iterator that enables receiving the destination’s message history.
You must have
read_message_history
to do this.Examples
Usage
counter = 0 async for message in channel.history(limit=200): if message.author == client.user: counter += 1
Flattening into a list:
messages = [message async for message in channel.history(limit=123)] # messages is now a list of Message...
All parameters are optional.
- Parameters
-
-
limit (Optional[
int
]) – The number of messages to retrieve.
IfNone
, retrieves every message in the channel. Note, however,
that this would make it a slow operation. -
before (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages before this date or message.
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. -
after (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages after this date or message.
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. -
around (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages around this date or message.
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.
When using this argument, the maximum limit is 101. Note that if the limit is an
even number then this will return at most limit + 1 messages. -
oldest_first (Optional[
bool
]) – If set toTrue
, return messages in oldest->newest order. Defaults toTrue
if
after
is specified, otherwiseFalse
.
-
- Raises
-
-
Forbidden – You do not have permissions to get channel message history.
-
HTTPException – The request to get message history failed.
-
- Yields
-
Message
– The message with the message data parsed.
- await pins()¶
-
This function is a coroutine.
Retrieves all messages that are currently pinned in the channel.
Note
Due to a limitation with the Discord API, the
Message
objects returned by this method do not contain complete
Message.reactions
data.- Raises
-
-
Forbidden – You do not have the permission to retrieve pinned messages.
-
HTTPException – Retrieving the pinned messages failed.
-
- Returns
-
The messages that are currently pinned.
- Return type
-
List[
Message
]
- await send(content=None, *, tts=False, embed=None, embeds=None, file=None, files=None, stickers=None, delete_after=None, nonce=None, allowed_mentions=None, reference=None, mention_author=None, view=None, suppress_embeds=False)¶
-
This function is a coroutine.
Sends a message to the destination with the content given.
The content must be a type that can convert to a string through
str(content)
.
If the content is set toNone
(the default), then theembed
parameter must
be provided.To upload a single file, the
file
parameter should be used with a
singleFile
object. To upload multiple files, thefiles
parameter should be used with alist
ofFile
objects.
Specifying both parameters will lead to an exception.To upload a single embed, the
embed
parameter should be used with a
singleEmbed
object. To upload multiple embeds, theembeds
parameter should be used with alist
ofEmbed
objects.
Specifying both parameters will lead to an exception.Changed in version 2.0: This function will now raise
TypeError
or
ValueError
instead ofInvalidArgument
.- Parameters
-
-
content (Optional[
str
]) – The content of the message to send. -
tts (
bool
) – Indicates if the message should be sent using text-to-speech. -
embed (
Embed
) – The rich embed for the content. -
embeds (List[
Embed
]) –A list of embeds to upload. Must be a maximum of 10.
New in version 2.0.
-
file (
File
) – The file to upload. -
files (List[
File
]) – A list of files to upload. Must be a maximum of 10. -
nonce (
int
) – The nonce to use for sending this message. If the message was successfully sent,
then the message will have a nonce with this value. -
delete_after (
float
) – 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. -
allowed_mentions (
AllowedMentions
) –Controls the mentions being processed in this message. If this is
passed, then the object is merged withallowed_mentions
.
The merging behaviour only overrides attributes that have been explicitly passed
to the object, otherwise it uses the attributes set inallowed_mentions
.
If no object is passed at all then the defaults given byallowed_mentions
are used instead.New in version 1.4.
-
reference (Union[
Message
,MessageReference
,PartialMessage
]) –A reference to the
Message
to which you are replying, this can be created using
to_reference()
or passed directly as aMessage
. You can control
whether this mentions the author of the referenced message using thereplied_user
attribute ofallowed_mentions
or by settingmention_author
.New in version 1.6.
-
mention_author (Optional[
bool
]) –If set, overrides the
replied_user
attribute ofallowed_mentions
.New in version 1.6.
-
view (
discord.ui.View
) –A Discord UI View to add to the message.
New in version 2.0.
-
stickers (Sequence[Union[
GuildSticker
,StickerItem
]]) –A list of stickers to upload. Must be a maximum of 3.
New in version 2.0.
-
suppress_embeds (
bool
) –Whether to suppress embeds for the message. This sends the message without any embeds if set to
True
.New in version 2.0.
-
- Raises
-
-
HTTPException – Sending the message failed.
-
Forbidden – You do not have the proper permissions to send the message.
-
ValueError – The
files
orembeds
list is not of the appropriate size. -
TypeError – You specified both
file
andfiles
,
or you specified bothembed
andembeds
,
or thereference
object is not aMessage
,
MessageReference
orPartialMessage
.
-
- Returns
-
The message that was sent.
- Return type
-
Message
ThreadMember¶
Attributes
- id
- joined_at
- thread
- thread_id
- class discord.ThreadMember¶
-
Represents a Discord thread member.
- x == y
-
Checks if two thread members are equal.
- x != y
-
Checks if two thread members are not equal.
- hash(x)
-
Returns the thread member’s hash.
- str(x)
-
Returns the thread member’s name.
New in version 2.0.
- id¶
-
The thread member’s ID.
- Type
-
int
- thread_id¶
-
The thread’s ID.
- Type
-
int
- joined_at¶
-
The time the member joined the thread in UTC.
- Type
-
datetime.datetime
- property thread¶
-
The thread this member belongs to.
- Type
-
Thread
VoiceChannel¶
Attributes
- bitrate
- category
- category_id
- changed_roles
- created_at
- guild
- id
- jump_url
- last_message
- last_message_id
- members
- mention
- name
- nsfw
- overwrites
- permissions_synced
- position
- rtc_region
- scheduled_events
- type
- user_limit
- video_quality_mode
- voice_states
Methods
-
asyncclone -
asyncconnect -
asynccreate_invite -
asynccreate_webhook -
asyncdelete -
asyncdelete_messages -
asyncedit -
asyncfetch_message -
defget_partial_message -
async forhistory -
asyncinvites -
defis_nsfw -
asyncmove -
defoverwrites_for -
defpermissions_for -
asyncpins -
asyncpurge -
asyncsend -
asyncset_permissions -
deftyping -
asyncwebhooks
- class discord.VoiceChannel¶
-
Represents a Discord guild voice channel.
- x == y
-
Checks if two channels are equal.
- x != y
-
Checks if two channels are not equal.
- hash(x)
-
Returns the channel’s hash.
- str(x)
-
Returns the channel’s name.
- name¶
-
The channel name.
- Type
-
str
- guild¶
-
The guild the channel belongs to.
- Type
-
Guild
- id¶
-
The channel ID.
- Type
-
int
- nsfw¶
-
If the channel is marked as “not safe for work” or “age restricted”.
New in version 2.0.
- Type
-
bool
- category_id¶
-
The category channel ID this channel belongs to, if applicable.
- Type
-
Optional[
int
]
- position¶
-
The position in the channel list. This is a number that starts at 0. e.g. the
top channel is position 0.- Type
-
int
- bitrate¶
-
The channel’s preferred audio bitrate in bits per second.
- Type
-
int
- user_limit¶
-
The channel’s limit for number of members that can be in a voice channel.
- Type
-
int
- rtc_region¶
-
The region for the voice channel’s voice communication.
A value ofNone
indicates automatic voice region detection.New in version 1.7.
Changed in version 2.0: The type of this attribute has changed to
str
.- Type
-
Optional[
str
]
- video_quality_mode¶
-
The camera video quality for the voice channel’s participants.
New in version 2.0.
- Type
-
VideoQualityMode
- last_message_id¶
-
The last message ID of the message sent to this channel. It may
not point to an existing or valid message.New in version 2.0.
- Type
-
Optional[
int
]
- property type¶
-
The channel’s Discord type.
- Type
-
ChannelType
- property last_message¶
-
Retrieves the last message from this channel in cache.
The message might not be valid or point to an existing message.
New in version 2.0.
Reliable Fetching
For a slightly more reliable method of fetching the
last message, consider using eitherhistory()
orfetch_message()
with thelast_message_id
attribute.- Returns
-
The last message in this channel or
None
if not found. - Return type
-
Optional[
Message
]
- get_partial_message(message_id, /)¶
-
Creates a
PartialMessage
from the message ID.This is useful if you want to work with a message and only have its ID without
doing an unnecessary API call.New in version 2.0.
- Parameters
-
message_id (
int
) – The message ID to create a partial message for. - Returns
-
The partial message.
- Return type
-
PartialMessage
- await delete_messages(messages, *, reason=None)¶
-
This function is a coroutine.
Deletes a list of messages. This is similar to
Message.delete()
except it bulk deletes multiple messages.As a special case, if the number of messages is 0, then nothing
is done. If the number of messages is 1 then single message
delete is done. If it’s more than two, then bulk delete is used.You cannot bulk delete more than 100 messages or messages that
are older than 14 days old.You must have
manage_messages
to do this.New in version 2.0.
- Parameters
-
-
messages (Iterable[
abc.Snowflake
]) – An iterable of messages denoting which ones to bulk delete. -
reason (Optional[
str
]) – The reason for deleting the messages. Shows up on the audit log.
-
- Raises
-
-
ClientException – The number of messages to delete was more than 100.
-
Forbidden – You do not have proper permissions to delete the messages.
-
NotFound – If single delete, then the message was already deleted.
-
HTTPException – Deleting the messages failed.
-
- await purge(*, limit=100, check=…, before=None, after=None, around=None, oldest_first=None, bulk=True, reason=None)¶
-
This function is a coroutine.
Purges a list of messages that meet the criteria given by the predicate
check
. If acheck
is not provided then all messages are deleted
without discrimination.You must have
manage_messages
to
delete messages even if they are your own.
Havingread_message_history
is
also needed to retrieve message history.New in version 2.0.
Examples
Deleting bot’s messages
def is_me(m): return m.author == client.user deleted = await channel.purge(limit=100, check=is_me) await channel.send(f'Deleted {len(deleted)} message(s)')
- Parameters
-
-
limit (Optional[
int
]) – The number of messages to search through. This is not the number
of messages that will be deleted, though it can be. -
check (Callable[[
Message
],bool
]) – The function used to check if a message should be deleted.
It must take aMessage
as its sole parameter. -
before (Optional[Union[
abc.Snowflake
,datetime.datetime
]]) – Same asbefore
inhistory()
. -
after (Optional[Union[
abc.Snowflake
,datetime.datetime
]]) – Same asafter
inhistory()
. -
around (Optional[Union[
abc.Snowflake
,datetime.datetime
]]) – Same asaround
inhistory()
. -
oldest_first (Optional[
bool
]) – Same asoldest_first
inhistory()
. -
bulk (
bool
) – IfTrue
, use bulk delete. Setting this toFalse
is useful for mass-deleting
a bot’s own messages withoutPermissions.manage_messages
. WhenTrue
, will
fall back to single delete if messages are older than two weeks. -
reason (Optional[
str
]) – The reason for purging the messages. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have proper permissions to do the actions required.
-
HTTPException – Purging the messages failed.
-
- Returns
-
The list of messages that were deleted.
- Return type
-
List[
Message
]
- await webhooks()¶
-
This function is a coroutine.
Gets the list of webhooks from this channel.
You must have
manage_webhooks
to do this.New in version 2.0.
- Raises
-
Forbidden – You don’t have permissions to get the webhooks.
- Returns
-
The webhooks for this channel.
- Return type
-
List[
Webhook
]
- await create_webhook(*, name, avatar=None, reason=None)¶
-
This function is a coroutine.
Creates a webhook for this channel.
You must have
manage_webhooks
to do this.New in version 2.0.
- Parameters
-
-
name (
str
) – The webhook’s name. -
avatar (Optional[
bytes
]) – A bytes-like object representing the webhook’s default avatar.
This operates similarly toedit()
. -
reason (Optional[
str
]) – The reason for creating this webhook. Shows up in the audit logs.
-
- Raises
-
-
HTTPException – Creating the webhook failed.
-
Forbidden – You do not have permissions to create a webhook.
-
- Returns
-
The created webhook.
- Return type
-
Webhook
- await clone(*, name=None, reason=None)¶
-
This function is a coroutine.
Clones this channel. This creates a channel with the same properties
as this channel.You must have
manage_channels
to do this.New in version 1.1.
- Parameters
-
-
name (Optional[
str
]) – The name of the new channel. If not provided, defaults to this
channel name. -
reason (Optional[
str
]) – The reason for cloning this channel. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have the proper permissions to create this channel.
-
HTTPException – Creating the channel failed.
-
- Returns
-
The channel that was created.
- Return type
-
abc.GuildChannel
- await edit(*, reason=None, **options)¶
-
This function is a coroutine.
Edits the channel.
You must have
manage_channels
to do this.Changed in version 1.3: The
overwrites
keyword-only parameter was added.Changed in version 2.0: Edits are no longer in-place, the newly edited channel is returned instead.
Changed in version 2.0: The
region
parameter now acceptsstr
instead of an enum.Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
-
name (
str
) – The new channel’s name. -
bitrate (
int
) – The new channel’s bitrate. -
nsfw (
bool
) – To mark the channel as NSFW or not. -
user_limit (
int
) – The new channel’s user limit. -
position (
int
) – The new channel’s position. -
sync_permissions (
bool
) – Whether to sync permissions with the channel’s new or pre-existing
category. Defaults toFalse
. -
category (Optional[
CategoryChannel
]) – The new category for this channel. Can beNone
to remove the
category. -
reason (Optional[
str
]) – The reason for editing this channel. Shows up on the audit log. -
overwrites (
Mapping
) – AMapping
of target (either a role or a member) to
PermissionOverwrite
to apply to the channel. -
rtc_region (Optional[
str
]) –The new region for the voice channel’s voice communication.
A value ofNone
indicates automatic voice region detection.New in version 1.7.
-
video_quality_mode (
VideoQualityMode
) –The camera video quality for the voice channel’s participants.
New in version 2.0.
-
- Raises
-
-
TypeError – If the permission overwrite information is not in proper form.
-
Forbidden – You do not have permissions to edit the channel.
-
HTTPException – Editing the channel failed.
-
- Returns
-
The newly edited voice channel. If the edit was only positional
thenNone
is returned instead. - Return type
-
Optional[
VoiceChannel
]
- property category¶
-
The category this channel belongs to.
If there is no category then this is
None
.- Type
-
Optional[
CategoryChannel
]
- property changed_roles¶
-
Returns a list of roles that have been overridden from
their default values in theroles
attribute.- Type
-
List[
Role
]
- await connect(*, timeout=60.0, reconnect=True, cls=<class ‘discord.voice_client.VoiceClient’>, self_deaf=False, self_mute=False)¶
-
This function is a coroutine.
Connects to voice and creates a
VoiceClient
to establish
your connection to the voice server.This requires
voice_states
.- Parameters
-
-
timeout (
float
) – The timeout in seconds to wait for the voice endpoint. -
reconnect (
bool
) – Whether the bot should automatically attempt
a reconnect if a part of the handshake fails
or the gateway goes down. -
cls (Type[
VoiceProtocol
]) – A type that subclassesVoiceProtocol
to connect with.
Defaults toVoiceClient
. -
self_mute (
bool
) –Indicates if the client should be self-muted.
New in version 2.0.
-
self_deaf (
bool
) –Indicates if the client should be self-deafened.
New in version 2.0.
-
- Raises
-
-
asyncio.TimeoutError – Could not connect to the voice channel in time.
-
ClientException – You are already connected to a voice channel.
-
OpusNotLoaded – The opus library has not been loaded.
-
- Returns
-
A voice client that is fully connected to the voice server.
- Return type
-
VoiceProtocol
- await create_invite(*, reason=None, max_age=0, max_uses=0, temporary=False, unique=True, target_type=None, target_user=None, target_application_id=None)¶
-
This function is a coroutine.
Creates an instant invite from a text or voice channel.
You must have
create_instant_invite
to do this.- Parameters
-
-
max_age (
int
) – How long the invite should last in seconds. If it’s 0 then the invite
doesn’t expire. Defaults to0
. -
max_uses (
int
) – How many uses the invite could be used for. If it’s 0 then there
are unlimited uses. Defaults to0
. -
temporary (
bool
) – Denotes that the invite grants temporary membership
(i.e. they get kicked after they disconnect). Defaults toFalse
. -
unique (
bool
) – Indicates if a unique invite URL should be created. Defaults to True.
If this is set toFalse
then it will return a previously created
invite. -
reason (Optional[
str
]) – The reason for creating this invite. Shows up on the audit log. -
target_type (Optional[
InviteTarget
]) –The type of target for the voice channel invite, if any.
New in version 2.0.
-
target_user (Optional[
User
]) –The user whose stream to display for this invite, required if
target_type
isInviteTarget.stream
. The user must be streaming in the channel.New in version 2.0.
-
target_application_id: –
Optional[
int
]: The id of the embedded application for the invite, required iftarget_type
isInviteTarget.embedded_application
.New in version 2.0.
-
- Raises
-
-
HTTPException – Invite creation failed.
-
NotFound – The channel that was passed is a category or an invalid channel.
-
- Returns
-
The invite that was created.
- Return type
-
Invite
- property created_at¶
-
Returns the channel’s creation time in UTC.
- Type
-
datetime.datetime
- await delete(*, reason=None)¶
-
This function is a coroutine.
Deletes the channel.
You must have
manage_channels
to do this.- Parameters
-
reason (Optional[
str
]) – The reason for deleting this channel.
Shows up on the audit log. - Raises
-
-
Forbidden – You do not have proper permissions to delete the channel.
-
NotFound – The channel was not found or was already deleted.
-
HTTPException – Deleting the channel failed.
-
- await fetch_message(id, /)¶
-
This function is a coroutine.
Retrieves a single
Message
from the destination.- Parameters
-
id (
int
) – The message ID to look for. - Raises
-
-
NotFound – The specified message was not found.
-
Forbidden – You do not have the permissions required to get a message.
-
HTTPException – Retrieving the message failed.
-
- Returns
-
The message asked for.
- Return type
-
Message
- async for … in history(*, limit=100, before=None, after=None, around=None, oldest_first=None)¶
-
Returns an asynchronous iterator that enables receiving the destination’s message history.
You must have
read_message_history
to do this.Examples
Usage
counter = 0 async for message in channel.history(limit=200): if message.author == client.user: counter += 1
Flattening into a list:
messages = [message async for message in channel.history(limit=123)] # messages is now a list of Message...
All parameters are optional.
- Parameters
-
-
limit (Optional[
int
]) – The number of messages to retrieve.
IfNone
, retrieves every message in the channel. Note, however,
that this would make it a slow operation. -
before (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages before this date or message.
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. -
after (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages after this date or message.
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. -
around (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages around this date or message.
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.
When using this argument, the maximum limit is 101. Note that if the limit is an
even number then this will return at most limit + 1 messages. -
oldest_first (Optional[
bool
]) – If set toTrue
, return messages in oldest->newest order. Defaults toTrue
if
after
is specified, otherwiseFalse
.
-
- Raises
-
-
Forbidden – You do not have permissions to get channel message history.
-
HTTPException – The request to get message history failed.
-
- Yields
-
Message
– The message with the message data parsed.
- await invites()¶
-
This function is a coroutine.
Returns a list of all active instant invites from this channel.
You must have
manage_channels
to get this information.- Raises
-
-
Forbidden – You do not have proper permissions to get the information.
-
HTTPException – An error occurred while fetching the information.
-
- Returns
-
The list of invites that are currently active.
- Return type
-
List[
Invite
]
- is_nsfw()¶
-
bool
: Checks if the channel is NSFW.New in version 2.0.
- property jump_url¶
-
Returns a URL that allows the client to jump to the channel.
New in version 2.0.
- Type
-
str
- property members¶
-
Returns all members that are currently inside this voice channel.
- Type
-
List[
Member
]
- property mention¶
-
The string that allows you to mention the channel.
- Type
-
str
- await move(**kwargs)¶
-
This function is a coroutine.
A rich interface to help move a channel relative to other channels.
If exact position movement is required,
edit
should be used instead.You must have
manage_channels
to do this.Note
Voice channels will always be sorted below text channels.
This is a Discord limitation.New in version 1.7.
Changed in version 2.0: This function will now raise
TypeError
or
ValueError
instead ofInvalidArgument
.- Parameters
-
-
beginning (
bool
) – Whether to move the channel to the beginning of the
channel list (or category if given).
This is mutually exclusive withend
,before
, andafter
. -
end (
bool
) – Whether to move the channel to the end of the
channel list (or category if given).
This is mutually exclusive withbeginning
,before
, andafter
. -
before (
Snowflake
) – The channel that should be before our current channel.
This is mutually exclusive withbeginning
,end
, andafter
. -
after (
Snowflake
) – The channel that should be after our current channel.
This is mutually exclusive withbeginning
,end
, andbefore
. -
offset (
int
) – The number of channels to offset the move by. For example,
an offset of2
withbeginning=True
would move
it 2 after the beginning. A positive number moves it below
while a negative number moves it above. Note that this
number is relative and computed after thebeginning
,
end
,before
, andafter
parameters. -
category (Optional[
Snowflake
]) – The category to move this channel under.
IfNone
is given then it moves it out of the category.
This parameter is ignored if moving a category channel. -
sync_permissions (
bool
) – Whether to sync the permissions with the category (if given). -
reason (
str
) – The reason for the move.
-
- Raises
-
-
ValueError – An invalid position was given.
-
TypeError – A bad mix of arguments were passed.
-
Forbidden – You do not have permissions to move the channel.
-
HTTPException – Moving the channel failed.
-
- property overwrites¶
-
Returns all of the channel’s overwrites.
This is returned as a dictionary where the key contains the target which
can be either aRole
or aMember
and the value is the
overwrite as aPermissionOverwrite
.Changed in version 2.0: Overwrites can now be type-aware
Object
in case of cache lookup failure- Returns
-
The channel’s permission overwrites.
- Return type
-
Dict[Union[
Role
,Member
,Object
],PermissionOverwrite
]
- overwrites_for(obj)¶
-
Returns the channel-specific overwrites for a member or a role.
- Parameters
-
obj (Union[
Role
,User
,Object
]) – The role or user denoting whose overwrite to get. - Returns
-
The permission overwrites for this object.
- Return type
-
PermissionOverwrite
- permissions_for(obj, /)¶
-
Handles permission resolution for the
Member
orRole
.This function takes into consideration the following cases:
-
Guild owner
-
Guild roles
-
Channel overrides
-
Member overrides
-
Member timeout
If a
Role
is passed, then it checks the permissions
someone with that role would have, which is essentially:-
The default role permissions
-
The permissions of the role used as a parameter
-
The default role permission overwrites
-
The permission overwrites of the role used as a parameter
Changed in version 2.0: The object passed in can now be a role object.
Changed in version 2.0:
obj
parameter is now positional-only.- Parameters
-
obj (Union[
Member
,Role
]) – The object to resolve permissions for. This could be either
a member or a role. If it’s a role then member overwrites
are not computed. - Returns
-
The resolved permissions for the member or role.
- Return type
-
Permissions
-
- property permissions_synced¶
-
Whether or not the permissions for this channel are synced with the
category it belongs to.If there is no category then this is
False
.New in version 1.3.
- Type
-
bool
- await pins()¶
-
This function is a coroutine.
Retrieves all messages that are currently pinned in the channel.
Note
Due to a limitation with the Discord API, the
Message
objects returned by this method do not contain complete
Message.reactions
data.- Raises
-
-
Forbidden – You do not have the permission to retrieve pinned messages.
-
HTTPException – Retrieving the pinned messages failed.
-
- Returns
-
The messages that are currently pinned.
- Return type
-
List[
Message
]
- property scheduled_events¶
-
Returns all scheduled events for this channel.
New in version 2.0.
- Type
-
List[
ScheduledEvent
]
- await send(content=None, *, tts=False, embed=None, embeds=None, file=None, files=None, stickers=None, delete_after=None, nonce=None, allowed_mentions=None, reference=None, mention_author=None, view=None, suppress_embeds=False)¶
-
This function is a coroutine.
Sends a message to the destination with the content given.
The content must be a type that can convert to a string through
str(content)
.
If the content is set toNone
(the default), then theembed
parameter must
be provided.To upload a single file, the
file
parameter should be used with a
singleFile
object. To upload multiple files, thefiles
parameter should be used with alist
ofFile
objects.
Specifying both parameters will lead to an exception.To upload a single embed, the
embed
parameter should be used with a
singleEmbed
object. To upload multiple embeds, theembeds
parameter should be used with alist
ofEmbed
objects.
Specifying both parameters will lead to an exception.Changed in version 2.0: This function will now raise
TypeError
or
ValueError
instead ofInvalidArgument
.- Parameters
-
-
content (Optional[
str
]) – The content of the message to send. -
tts (
bool
) – Indicates if the message should be sent using text-to-speech. -
embed (
Embed
) – The rich embed for the content. -
embeds (List[
Embed
]) –A list of embeds to upload. Must be a maximum of 10.
New in version 2.0.
-
file (
File
) – The file to upload. -
files (List[
File
]) – A list of files to upload. Must be a maximum of 10. -
nonce (
int
) – The nonce to use for sending this message. If the message was successfully sent,
then the message will have a nonce with this value. -
delete_after (
float
) – 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. -
allowed_mentions (
AllowedMentions
) –Controls the mentions being processed in this message. If this is
passed, then the object is merged withallowed_mentions
.
The merging behaviour only overrides attributes that have been explicitly passed
to the object, otherwise it uses the attributes set inallowed_mentions
.
If no object is passed at all then the defaults given byallowed_mentions
are used instead.New in version 1.4.
-
reference (Union[
Message
,MessageReference
,PartialMessage
]) –A reference to the
Message
to which you are replying, this can be created using
to_reference()
or passed directly as aMessage
. You can control
whether this mentions the author of the referenced message using thereplied_user
attribute ofallowed_mentions
or by settingmention_author
.New in version 1.6.
-
mention_author (Optional[
bool
]) –If set, overrides the
replied_user
attribute ofallowed_mentions
.New in version 1.6.
-
view (
discord.ui.View
) –A Discord UI View to add to the message.
New in version 2.0.
-
stickers (Sequence[Union[
GuildSticker
,StickerItem
]]) –A list of stickers to upload. Must be a maximum of 3.
New in version 2.0.
-
suppress_embeds (
bool
) –Whether to suppress embeds for the message. This sends the message without any embeds if set to
True
.New in version 2.0.
-
- Raises
-
-
HTTPException – Sending the message failed.
-
Forbidden – You do not have the proper permissions to send the message.
-
ValueError – The
files
orembeds
list is not of the appropriate size. -
TypeError – You specified both
file
andfiles
,
or you specified bothembed
andembeds
,
or thereference
object is not aMessage
,
MessageReference
orPartialMessage
.
-
- Returns
-
The message that was sent.
- Return type
-
Message
- await set_permissions(target, *, overwrite=see — below, reason=None, **permissions)¶
-
This function is a coroutine.
Sets the channel specific permission overwrites for a target in the
channel.The
target
parameter should either be aMember
or a
Role
that belongs to guild.The
overwrite
parameter, if given, must either beNone
or
PermissionOverwrite
. For convenience, you can pass in
keyword arguments denotingPermissions
attributes. If this is
done, then you cannot mix the keyword arguments with theoverwrite
parameter.If the
overwrite
parameter isNone
, then the permission
overwrites are deleted.You must have
manage_roles
to do this.Note
This method replaces the old overwrites with the ones given.
Examples
Setting allow and deny:
await message.channel.set_permissions(message.author, read_messages=True, send_messages=False)
Deleting overwrites
await channel.set_permissions(member, overwrite=None)
Using
PermissionOverwrite
overwrite = discord.PermissionOverwrite() overwrite.send_messages = False overwrite.read_messages = True await channel.set_permissions(member, overwrite=overwrite)
Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
-
target (Union[
Member
,Role
]) – The member or role to overwrite permissions for. -
overwrite (Optional[
PermissionOverwrite
]) – The permissions to allow and deny to the target, orNone
to
delete the overwrite. -
**permissions – A keyword argument list of permissions to set for ease of use.
Cannot be mixed withoverwrite
. -
reason (Optional[
str
]) – The reason for doing this action. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have permissions to edit channel specific permissions.
-
HTTPException – Editing channel specific permissions failed.
-
NotFound – The role or member being edited is not part of the guild.
-
TypeError – The
overwrite
parameter was invalid or the target type was not
Role
orMember
. -
ValueError – The
overwrite
parameter andpositions
parameters were both
unset.
-
- typing()¶
-
Returns an asynchronous context manager that allows you to send a typing indicator to
the destination for an indefinite period of time, or 10 seconds if the context manager
is called usingawait
.Example Usage:
async with channel.typing(): # simulate something heavy await asyncio.sleep(20) await channel.send('Done!')
Example Usage:
await channel.typing() # Do some computational magic for about 10 seconds await channel.send('Done!')
Changed in version 2.0: This no longer works with the
with
syntax,async with
must be used instead.Changed in version 2.0: Added functionality to
await
the context manager to send a typing indicator for 10 seconds.
- property voice_states¶
-
Returns a mapping of member IDs who have voice states in this channel.
New in version 1.3.
Note
This function is intentionally low level to replace
members
when the member cache is unavailable.- Returns
-
The mapping of member ID to a voice state.
- Return type
-
Mapping[
int
,VoiceState
]
StageChannel¶
Attributes
- bitrate
- category
- category_id
- changed_roles
- created_at
- guild
- id
- instance
- jump_url
- listeners
- members
- mention
- moderators
- name
- nsfw
- overwrites
- permissions_synced
- position
- requesting_to_speak
- rtc_region
- scheduled_events
- speakers
- topic
- type
- user_limit
- video_quality_mode
- voice_states
Methods
-
asyncclone -
asyncconnect -
asynccreate_instance -
asynccreate_invite -
asyncdelete -
asyncedit -
asyncfetch_instance -
asyncinvites -
defis_nsfw -
asyncmove -
defoverwrites_for -
defpermissions_for -
asyncset_permissions
- class discord.StageChannel¶
-
Represents a Discord guild stage channel.
New in version 1.7.
- x == y
-
Checks if two channels are equal.
- x != y
-
Checks if two channels are not equal.
- hash(x)
-
Returns the channel’s hash.
- str(x)
-
Returns the channel’s name.
- name¶
-
The channel name.
- Type
-
str
- guild¶
-
The guild the channel belongs to.
- Type
-
Guild
- id¶
-
The channel ID.
- Type
-
int
- nsfw¶
-
If the channel is marked as “not safe for work” or “age restricted”.
New in version 2.0.
- Type
-
bool
- topic¶
-
The channel’s topic.
None
if it isn’t set.- Type
-
Optional[
str
]
- category_id¶
-
The category channel ID this channel belongs to, if applicable.
- Type
-
Optional[
int
]
- position¶
-
The position in the channel list. This is a number that starts at 0. e.g. the
top channel is position 0.- Type
-
int
- bitrate¶
-
The channel’s preferred audio bitrate in bits per second.
- Type
-
int
- user_limit¶
-
The channel’s limit for number of members that can be in a stage channel.
- Type
-
int
- rtc_region¶
-
The region for the stage channel’s voice communication.
A value ofNone
indicates automatic voice region detection.- Type
-
Optional[
str
]
- video_quality_mode¶
-
The camera video quality for the stage channel’s participants.
New in version 2.0.
- Type
-
VideoQualityMode
- property requesting_to_speak¶
-
A list of members who are requesting to speak in the stage channel.
- Type
-
List[
Member
]
- property speakers¶
-
A list of members who have been permitted to speak in the stage channel.
New in version 2.0.
- Type
-
List[
Member
]
- property listeners¶
-
A list of members who are listening in the stage channel.
New in version 2.0.
- Type
-
List[
Member
]
- property moderators¶
-
A list of members who are moderating the stage channel.
New in version 2.0.
- Type
-
List[
Member
]
- property type¶
-
The channel’s Discord type.
- Type
-
ChannelType
- await clone(*, name=None, reason=None)¶
-
This function is a coroutine.
Clones this channel. This creates a channel with the same properties
as this channel.You must have
manage_channels
to do this.New in version 1.1.
- Parameters
-
-
name (Optional[
str
]) – The name of the new channel. If not provided, defaults to this
channel name. -
reason (Optional[
str
]) – The reason for cloning this channel. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have the proper permissions to create this channel.
-
HTTPException – Creating the channel failed.
-
- Returns
-
The channel that was created.
- Return type
-
abc.GuildChannel
- property instance¶
-
The running stage instance of the stage channel.
New in version 2.0.
- Type
-
Optional[
StageInstance
]
- await create_instance(*, topic, privacy_level=…, reason=None)¶
-
This function is a coroutine.
Create a stage instance.
You must have
manage_channels
to do this.New in version 2.0.
- Parameters
-
-
topic (
str
) – The stage instance’s topic. -
privacy_level (
PrivacyLevel
) – The stage instance’s privacy level. Defaults toPrivacyLevel.guild_only
. -
reason (
str
) – The reason the stage instance was created. Shows up on the audit log.
-
- Raises
-
-
TypeError – If the
privacy_level
parameter is not the proper type. -
Forbidden – You do not have permissions to create a stage instance.
-
HTTPException – Creating a stage instance failed.
-
- Returns
-
The newly created stage instance.
- Return type
-
StageInstance
- await fetch_instance()¶
-
This function is a coroutine.
Gets the running
StageInstance
.New in version 2.0.
- Raises
-
-
NotFound – The stage instance or channel could not be found.
-
HTTPException – Getting the stage instance failed.
-
- Returns
-
The stage instance.
- Return type
-
StageInstance
- await edit(*, reason=None, **options)¶
-
This function is a coroutine.
Edits the channel.
You must have
manage_channels
to do this.Changed in version 2.0: The
topic
parameter must now be set viacreate_instance
.Changed in version 2.0: Edits are no longer in-place, the newly edited channel is returned instead.
Changed in version 2.0: The
region
parameter now acceptsstr
instead of an enum.Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
-
name (
str
) – The new channel’s name. -
position (
int
) – The new channel’s position. -
nsfw (
bool
) – To mark the channel as NSFW or not. -
sync_permissions (
bool
) – Whether to sync permissions with the channel’s new or pre-existing
category. Defaults toFalse
. -
category (Optional[
CategoryChannel
]) – The new category for this channel. Can beNone
to remove the
category. -
reason (Optional[
str
]) – The reason for editing this channel. Shows up on the audit log. -
overwrites (
Mapping
) – AMapping
of target (either a role or a member) to
PermissionOverwrite
to apply to the channel. -
rtc_region (Optional[
str
]) – The new region for the stage channel’s voice communication.
A value ofNone
indicates automatic voice region detection. -
video_quality_mode (
VideoQualityMode
) –The camera video quality for the stage channel’s participants.
New in version 2.0.
-
- Raises
-
-
ValueError – If the permission overwrite information is not in proper form.
-
Forbidden – You do not have permissions to edit the channel.
-
HTTPException – Editing the channel failed.
-
- Returns
-
The newly edited stage channel. If the edit was only positional
thenNone
is returned instead. - Return type
-
Optional[
StageChannel
]
- property category¶
-
The category this channel belongs to.
If there is no category then this is
None
.- Type
-
Optional[
CategoryChannel
]
- property changed_roles¶
-
Returns a list of roles that have been overridden from
their default values in theroles
attribute.- Type
-
List[
Role
]
- await connect(*, timeout=60.0, reconnect=True, cls=<class ‘discord.voice_client.VoiceClient’>, self_deaf=False, self_mute=False)¶
-
This function is a coroutine.
Connects to voice and creates a
VoiceClient
to establish
your connection to the voice server.This requires
voice_states
.- Parameters
-
-
timeout (
float
) – The timeout in seconds to wait for the voice endpoint. -
reconnect (
bool
) – Whether the bot should automatically attempt
a reconnect if a part of the handshake fails
or the gateway goes down. -
cls (Type[
VoiceProtocol
]) – A type that subclassesVoiceProtocol
to connect with.
Defaults toVoiceClient
. -
self_mute (
bool
) –Indicates if the client should be self-muted.
New in version 2.0.
-
self_deaf (
bool
) –Indicates if the client should be self-deafened.
New in version 2.0.
-
- Raises
-
-
asyncio.TimeoutError – Could not connect to the voice channel in time.
-
ClientException – You are already connected to a voice channel.
-
OpusNotLoaded – The opus library has not been loaded.
-
- Returns
-
A voice client that is fully connected to the voice server.
- Return type
-
VoiceProtocol
- await create_invite(*, reason=None, max_age=0, max_uses=0, temporary=False, unique=True, target_type=None, target_user=None, target_application_id=None)¶
-
This function is a coroutine.
Creates an instant invite from a text or voice channel.
You must have
create_instant_invite
to do this.- Parameters
-
-
max_age (
int
) – How long the invite should last in seconds. If it’s 0 then the invite
doesn’t expire. Defaults to0
. -
max_uses (
int
) – How many uses the invite could be used for. If it’s 0 then there
are unlimited uses. Defaults to0
. -
temporary (
bool
) – Denotes that the invite grants temporary membership
(i.e. they get kicked after they disconnect). Defaults toFalse
. -
unique (
bool
) – Indicates if a unique invite URL should be created. Defaults to True.
If this is set toFalse
then it will return a previously created
invite. -
reason (Optional[
str
]) – The reason for creating this invite. Shows up on the audit log. -
target_type (Optional[
InviteTarget
]) –The type of target for the voice channel invite, if any.
New in version 2.0.
-
target_user (Optional[
User
]) –The user whose stream to display for this invite, required if
target_type
isInviteTarget.stream
. The user must be streaming in the channel.New in version 2.0.
-
target_application_id: –
Optional[
int
]: The id of the embedded application for the invite, required iftarget_type
isInviteTarget.embedded_application
.New in version 2.0.
-
- Raises
-
-
HTTPException – Invite creation failed.
-
NotFound – The channel that was passed is a category or an invalid channel.
-
- Returns
-
The invite that was created.
- Return type
-
Invite
- property created_at¶
-
Returns the channel’s creation time in UTC.
- Type
-
datetime.datetime
- await delete(*, reason=None)¶
-
This function is a coroutine.
Deletes the channel.
You must have
manage_channels
to do this.- Parameters
-
reason (Optional[
str
]) – The reason for deleting this channel.
Shows up on the audit log. - Raises
-
-
Forbidden – You do not have proper permissions to delete the channel.
-
NotFound – The channel was not found or was already deleted.
-
HTTPException – Deleting the channel failed.
-
- await invites()¶
-
This function is a coroutine.
Returns a list of all active instant invites from this channel.
You must have
manage_channels
to get this information.- Raises
-
-
Forbidden – You do not have proper permissions to get the information.
-
HTTPException – An error occurred while fetching the information.
-
- Returns
-
The list of invites that are currently active.
- Return type
-
List[
Invite
]
- is_nsfw()¶
-
bool
: Checks if the channel is NSFW.New in version 2.0.
- property jump_url¶
-
Returns a URL that allows the client to jump to the channel.
New in version 2.0.
- Type
-
str
- property members¶
-
Returns all members that are currently inside this voice channel.
- Type
-
List[
Member
]
- property mention¶
-
The string that allows you to mention the channel.
- Type
-
str
- await move(**kwargs)¶
-
This function is a coroutine.
A rich interface to help move a channel relative to other channels.
If exact position movement is required,
edit
should be used instead.You must have
manage_channels
to do this.Note
Voice channels will always be sorted below text channels.
This is a Discord limitation.New in version 1.7.
Changed in version 2.0: This function will now raise
TypeError
or
ValueError
instead ofInvalidArgument
.- Parameters
-
-
beginning (
bool
) – Whether to move the channel to the beginning of the
channel list (or category if given).
This is mutually exclusive withend
,before
, andafter
. -
end (
bool
) – Whether to move the channel to the end of the
channel list (or category if given).
This is mutually exclusive withbeginning
,before
, andafter
. -
before (
Snowflake
) – The channel that should be before our current channel.
This is mutually exclusive withbeginning
,end
, andafter
. -
after (
Snowflake
) – The channel that should be after our current channel.
This is mutually exclusive withbeginning
,end
, andbefore
. -
offset (
int
) – The number of channels to offset the move by. For example,
an offset of2
withbeginning=True
would move
it 2 after the beginning. A positive number moves it below
while a negative number moves it above. Note that this
number is relative and computed after thebeginning
,
end
,before
, andafter
parameters. -
category (Optional[
Snowflake
]) – The category to move this channel under.
IfNone
is given then it moves it out of the category.
This parameter is ignored if moving a category channel. -
sync_permissions (
bool
) – Whether to sync the permissions with the category (if given). -
reason (
str
) – The reason for the move.
-
- Raises
-
-
ValueError – An invalid position was given.
-
TypeError – A bad mix of arguments were passed.
-
Forbidden – You do not have permissions to move the channel.
-
HTTPException – Moving the channel failed.
-
- property overwrites¶
-
Returns all of the channel’s overwrites.
This is returned as a dictionary where the key contains the target which
can be either aRole
or aMember
and the value is the
overwrite as aPermissionOverwrite
.Changed in version 2.0: Overwrites can now be type-aware
Object
in case of cache lookup failure- Returns
-
The channel’s permission overwrites.
- Return type
-
Dict[Union[
Role
,Member
,Object
],PermissionOverwrite
]
- overwrites_for(obj)¶
-
Returns the channel-specific overwrites for a member or a role.
- Parameters
-
obj (Union[
Role
,User
,Object
]) – The role or user denoting whose overwrite to get. - Returns
-
The permission overwrites for this object.
- Return type
-
PermissionOverwrite
- permissions_for(obj, /)¶
-
Handles permission resolution for the
Member
orRole
.This function takes into consideration the following cases:
-
Guild owner
-
Guild roles
-
Channel overrides
-
Member overrides
-
Member timeout
If a
Role
is passed, then it checks the permissions
someone with that role would have, which is essentially:-
The default role permissions
-
The permissions of the role used as a parameter
-
The default role permission overwrites
-
The permission overwrites of the role used as a parameter
Changed in version 2.0: The object passed in can now be a role object.
Changed in version 2.0:
obj
parameter is now positional-only.- Parameters
-
obj (Union[
Member
,Role
]) – The object to resolve permissions for. This could be either
a member or a role. If it’s a role then member overwrites
are not computed. - Returns
-
The resolved permissions for the member or role.
- Return type
-
Permissions
-
- property permissions_synced¶
-
Whether or not the permissions for this channel are synced with the
category it belongs to.If there is no category then this is
False
.New in version 1.3.
- Type
-
bool
- property scheduled_events¶
-
Returns all scheduled events for this channel.
New in version 2.0.
- Type
-
List[
ScheduledEvent
]
- await set_permissions(target, *, overwrite=see — below, reason=None, **permissions)¶
-
This function is a coroutine.
Sets the channel specific permission overwrites for a target in the
channel.The
target
parameter should either be aMember
or a
Role
that belongs to guild.The
overwrite
parameter, if given, must either beNone
or
PermissionOverwrite
. For convenience, you can pass in
keyword arguments denotingPermissions
attributes. If this is
done, then you cannot mix the keyword arguments with theoverwrite
parameter.If the
overwrite
parameter isNone
, then the permission
overwrites are deleted.You must have
manage_roles
to do this.Note
This method replaces the old overwrites with the ones given.
Examples
Setting allow and deny:
await message.channel.set_permissions(message.author, read_messages=True, send_messages=False)
Deleting overwrites
await channel.set_permissions(member, overwrite=None)
Using
PermissionOverwrite
overwrite = discord.PermissionOverwrite() overwrite.send_messages = False overwrite.read_messages = True await channel.set_permissions(member, overwrite=overwrite)
Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
-
target (Union[
Member
,Role
]) – The member or role to overwrite permissions for. -
overwrite (Optional[
PermissionOverwrite
]) – The permissions to allow and deny to the target, orNone
to
delete the overwrite. -
**permissions – A keyword argument list of permissions to set for ease of use.
Cannot be mixed withoverwrite
. -
reason (Optional[
str
]) – The reason for doing this action. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have permissions to edit channel specific permissions.
-
HTTPException – Editing channel specific permissions failed.
-
NotFound – The role or member being edited is not part of the guild.
-
TypeError – The
overwrite
parameter was invalid or the target type was not
Role
orMember
. -
ValueError – The
overwrite
parameter andpositions
parameters were both
unset.
-
- property voice_states¶
-
Returns a mapping of member IDs who have voice states in this channel.
New in version 1.3.
Note
This function is intentionally low level to replace
members
when the member cache is unavailable.- Returns
-
The mapping of member ID to a voice state.
- Return type
-
Mapping[
int
,VoiceState
]
StageInstance¶
- class discord.StageInstance¶
-
Represents a stage instance of a stage channel in a guild.
New in version 2.0.
- x == y
-
Checks if two stage instances are equal.
- x != y
-
Checks if two stage instances are not equal.
- hash(x)
-
Returns the stage instance’s hash.
- id¶
-
The stage instance’s ID.
- Type
-
int
- guild¶
-
The guild that the stage instance is running in.
- Type
-
Guild
- channel_id¶
-
The ID of the channel that the stage instance is running in.
- Type
-
int
- topic¶
-
The topic of the stage instance.
- Type
-
str
- privacy_level¶
-
The privacy level of the stage instance.
- Type
-
PrivacyLevel
- discoverable_disabled¶
-
Whether discoverability for the stage instance is disabled.
- Type
-
bool
- scheduled_event_id¶
-
The ID of scheduled event that belongs to the stage instance if any.
New in version 2.0.
- Type
-
Optional[
int
]
- channel¶
-
The channel that stage instance is running in.
- Type
-
Optional[
StageChannel
]
- scheduled_event¶
-
The scheduled event that belongs to the stage instance.
- Type
-
Optional[
ScheduledEvent
]
- await edit(*, topic=…, privacy_level=…, reason=None)¶
-
This function is a coroutine.
Edits the stage instance.
You must have
manage_channels
to do this.- Parameters
-
-
topic (
str
) – The stage instance’s new topic. -
privacy_level (
PrivacyLevel
) – The stage instance’s new privacy level. -
reason (
str
) – The reason the stage instance was edited. Shows up on the audit log.
-
- Raises
-
-
TypeError – If the
privacy_level
parameter is not the proper type. -
Forbidden – You do not have permissions to edit the stage instance.
-
HTTPException – Editing a stage instance failed.
-
- await delete(*, reason=None)¶
-
This function is a coroutine.
Deletes the stage instance.
You must have
manage_channels
to do this.- Parameters
-
reason (
str
) – The reason the stage instance was deleted. Shows up on the audit log. - Raises
-
-
Forbidden – You do not have permissions to delete the stage instance.
-
HTTPException – Deleting the stage instance failed.
-
CategoryChannel¶
Attributes
- category
- changed_roles
- channels
- created_at
- guild
- id
- jump_url
- mention
- name
- nsfw
- overwrites
- permissions_synced
- position
- stage_channels
- text_channels
- type
- voice_channels
Methods
-
asyncclone -
asynccreate_forum -
asynccreate_invite -
asynccreate_stage_channel -
asynccreate_text_channel -
asynccreate_voice_channel -
asyncdelete -
asyncedit -
asyncinvites -
defis_nsfw -
asyncmove -
defoverwrites_for -
defpermissions_for -
asyncset_permissions
- class discord.CategoryChannel¶
-
Represents a Discord channel category.
These are useful to group channels to logical compartments.
- x == y
-
Checks if two channels are equal.
- x != y
-
Checks if two channels are not equal.
- hash(x)
-
Returns the category’s hash.
- str(x)
-
Returns the category’s name.
- name¶
-
The category name.
- Type
-
str
- guild¶
-
The guild the category belongs to.
- Type
-
Guild
- id¶
-
The category channel ID.
- Type
-
int
- position¶
-
The position in the category list. This is a number that starts at 0. e.g. the
top category is position 0.- Type
-
int
- nsfw¶
-
If the channel is marked as “not safe for work”.
Note
To check if the channel or the guild of that channel are marked as NSFW, consider
is_nsfw()
instead.- Type
-
bool
- property type¶
-
The channel’s Discord type.
- Type
-
ChannelType
- is_nsfw()¶
-
bool
: Checks if the category is NSFW.
- await clone(*, name=None, reason=None)¶
-
This function is a coroutine.
Clones this channel. This creates a channel with the same properties
as this channel.You must have
manage_channels
to do this.New in version 1.1.
- Parameters
-
-
name (Optional[
str
]) – The name of the new channel. If not provided, defaults to this
channel name. -
reason (Optional[
str
]) – The reason for cloning this channel. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have the proper permissions to create this channel.
-
HTTPException – Creating the channel failed.
-
- Returns
-
The channel that was created.
- Return type
-
abc.GuildChannel
- await edit(*, reason=None, **options)¶
-
This function is a coroutine.
Edits the channel.
You must have
manage_channels
to do this.Changed in version 1.3: The
overwrites
keyword-only parameter was added.Changed in version 2.0: Edits are no longer in-place, the newly edited channel is returned instead.
Changed in version 2.0: This function will now raise
TypeError
or
ValueError
instead ofInvalidArgument
.- Parameters
-
-
name (
str
) – The new category’s name. -
position (
int
) – The new category’s position. -
nsfw (
bool
) – To mark the category as NSFW or not. -
reason (Optional[
str
]) – The reason for editing this category. Shows up on the audit log. -
overwrites (
Mapping
) – AMapping
of target (either a role or a member) to
PermissionOverwrite
to apply to the channel.
-
- Raises
-
-
ValueError – If position is less than 0 or greater than the number of categories.
-
TypeError – The overwrite information is not in proper form.
-
Forbidden – You do not have permissions to edit the category.
-
HTTPException – Editing the category failed.
-
- Returns
-
The newly edited category channel. If the edit was only positional
thenNone
is returned instead. - Return type
-
Optional[
CategoryChannel
]
- await move(**kwargs)¶
-
This function is a coroutine.
A rich interface to help move a channel relative to other channels.
If exact position movement is required,
edit
should be used instead.You must have
manage_channels
to do this.Note
Voice channels will always be sorted below text channels.
This is a Discord limitation.New in version 1.7.
Changed in version 2.0: This function will now raise
TypeError
or
ValueError
instead ofInvalidArgument
.- Parameters
-
-
beginning (
bool
) – Whether to move the channel to the beginning of the
channel list (or category if given).
This is mutually exclusive withend
,before
, andafter
. -
end (
bool
) – Whether to move the channel to the end of the
channel list (or category if given).
This is mutually exclusive withbeginning
,before
, andafter
. -
before (
Snowflake
) – The channel that should be before our current channel.
This is mutually exclusive withbeginning
,end
, andafter
. -
after (
Snowflake
) – The channel that should be after our current channel.
This is mutually exclusive withbeginning
,end
, andbefore
. -
offset (
int
) – The number of channels to offset the move by. For example,
an offset of2
withbeginning=True
would move
it 2 after the beginning. A positive number moves it below
while a negative number moves it above. Note that this
number is relative and computed after thebeginning
,
end
,before
, andafter
parameters. -
category (Optional[
Snowflake
]) – The category to move this channel under.
IfNone
is given then it moves it out of the category.
This parameter is ignored if moving a category channel. -
sync_permissions (
bool
) – Whether to sync the permissions with the category (if given). -
reason (
str
) – The reason for the move.
-
- Raises
-
-
ValueError – An invalid position was given.
-
TypeError – A bad mix of arguments were passed.
-
Forbidden – You do not have permissions to move the channel.
-
HTTPException – Moving the channel failed.
-
- property channels¶
-
Returns the channels that are under this category.
These are sorted by the official Discord UI, which places voice channels below the text channels.
- Type
-
List[
abc.GuildChannel
]
- property text_channels¶
-
Returns the text channels that are under this category.
- Type
-
List[
TextChannel
]
- property voice_channels¶
-
Returns the voice channels that are under this category.
- Type
-
List[
VoiceChannel
]
- property stage_channels¶
-
Returns the stage channels that are under this category.
New in version 1.7.
- Type
-
List[
StageChannel
]
- await create_text_channel(name, **options)¶
-
This function is a coroutine.
A shortcut method to
Guild.create_text_channel()
to create aTextChannel
in the category.- Returns
-
The channel that was just created.
- Return type
-
TextChannel
- await create_voice_channel(name, **options)¶
-
This function is a coroutine.
A shortcut method to
Guild.create_voice_channel()
to create aVoiceChannel
in the category.- Returns
-
The channel that was just created.
- Return type
-
VoiceChannel
- await create_stage_channel(name, **options)¶
-
This function is a coroutine.
A shortcut method to
Guild.create_stage_channel()
to create aStageChannel
in the category.New in version 1.7.
- Returns
-
The channel that was just created.
- Return type
-
StageChannel
- await create_forum(name, **options)¶
-
This function is a coroutine.
A shortcut method to
Guild.create_forum()
to create aForumChannel
in the category.New in version 2.0.
- Returns
-
The channel that was just created.
- Return type
-
ForumChannel
- property category¶
-
The category this channel belongs to.
If there is no category then this is
None
.- Type
-
Optional[
CategoryChannel
]
- property changed_roles¶
-
Returns a list of roles that have been overridden from
their default values in theroles
attribute.- Type
-
List[
Role
]
- await create_invite(*, reason=None, max_age=0, max_uses=0, temporary=False, unique=True, target_type=None, target_user=None, target_application_id=None)¶
-
This function is a coroutine.
Creates an instant invite from a text or voice channel.
You must have
create_instant_invite
to do this.- Parameters
-
-
max_age (
int
) – How long the invite should last in seconds. If it’s 0 then the invite
doesn’t expire. Defaults to0
. -
max_uses (
int
) – How many uses the invite could be used for. If it’s 0 then there
are unlimited uses. Defaults to0
. -
temporary (
bool
) – Denotes that the invite grants temporary membership
(i.e. they get kicked after they disconnect). Defaults toFalse
. -
unique (
bool
) – Indicates if a unique invite URL should be created. Defaults to True.
If this is set toFalse
then it will return a previously created
invite. -
reason (Optional[
str
]) – The reason for creating this invite. Shows up on the audit log. -
target_type (Optional[
InviteTarget
]) –The type of target for the voice channel invite, if any.
New in version 2.0.
-
target_user (Optional[
User
]) –The user whose stream to display for this invite, required if
target_type
isInviteTarget.stream
. The user must be streaming in the channel.New in version 2.0.
-
target_application_id: –
Optional[
int
]: The id of the embedded application for the invite, required iftarget_type
isInviteTarget.embedded_application
.New in version 2.0.
-
- Raises
-
-
HTTPException – Invite creation failed.
-
NotFound – The channel that was passed is a category or an invalid channel.
-
- Returns
-
The invite that was created.
- Return type
-
Invite
- property created_at¶
-
Returns the channel’s creation time in UTC.
- Type
-
datetime.datetime
- await delete(*, reason=None)¶
-
This function is a coroutine.
Deletes the channel.
You must have
manage_channels
to do this.- Parameters
-
reason (Optional[
str
]) – The reason for deleting this channel.
Shows up on the audit log. - Raises
-
-
Forbidden – You do not have proper permissions to delete the channel.
-
NotFound – The channel was not found or was already deleted.
-
HTTPException – Deleting the channel failed.
-
- await invites()¶
-
This function is a coroutine.
Returns a list of all active instant invites from this channel.
You must have
manage_channels
to get this information.- Raises
-
-
Forbidden – You do not have proper permissions to get the information.
-
HTTPException – An error occurred while fetching the information.
-
- Returns
-
The list of invites that are currently active.
- Return type
-
List[
Invite
]
- property jump_url¶
-
Returns a URL that allows the client to jump to the channel.
New in version 2.0.
- Type
-
str
- property mention¶
-
The string that allows you to mention the channel.
- Type
-
str
- property overwrites¶
-
Returns all of the channel’s overwrites.
This is returned as a dictionary where the key contains the target which
can be either aRole
or aMember
and the value is the
overwrite as aPermissionOverwrite
.Changed in version 2.0: Overwrites can now be type-aware
Object
in case of cache lookup failure- Returns
-
The channel’s permission overwrites.
- Return type
-
Dict[Union[
Role
,Member
,Object
],PermissionOverwrite
]
- overwrites_for(obj)¶
-
Returns the channel-specific overwrites for a member or a role.
- Parameters
-
obj (Union[
Role
,User
,Object
]) – The role or user denoting whose overwrite to get. - Returns
-
The permission overwrites for this object.
- Return type
-
PermissionOverwrite
- permissions_for(obj, /)¶
-
Handles permission resolution for the
Member
orRole
.This function takes into consideration the following cases:
-
Guild owner
-
Guild roles
-
Channel overrides
-
Member overrides
-
Member timeout
If a
Role
is passed, then it checks the permissions
someone with that role would have, which is essentially:-
The default role permissions
-
The permissions of the role used as a parameter
-
The default role permission overwrites
-
The permission overwrites of the role used as a parameter
Changed in version 2.0: The object passed in can now be a role object.
Changed in version 2.0:
obj
parameter is now positional-only.- Parameters
-
obj (Union[
Member
,Role
]) – The object to resolve permissions for. This could be either
a member or a role. If it’s a role then member overwrites
are not computed. - Returns
-
The resolved permissions for the member or role.
- Return type
-
Permissions
-
- property permissions_synced¶
-
Whether or not the permissions for this channel are synced with the
category it belongs to.If there is no category then this is
False
.New in version 1.3.
- Type
-
bool
- await set_permissions(target, *, overwrite=see — below, reason=None, **permissions)¶
-
This function is a coroutine.
Sets the channel specific permission overwrites for a target in the
channel.The
target
parameter should either be aMember
or a
Role
that belongs to guild.The
overwrite
parameter, if given, must either beNone
or
PermissionOverwrite
. For convenience, you can pass in
keyword arguments denotingPermissions
attributes. If this is
done, then you cannot mix the keyword arguments with theoverwrite
parameter.If the
overwrite
parameter isNone
, then the permission
overwrites are deleted.You must have
manage_roles
to do this.Note
This method replaces the old overwrites with the ones given.
Examples
Setting allow and deny:
await message.channel.set_permissions(message.author, read_messages=True, send_messages=False)
Deleting overwrites
await channel.set_permissions(member, overwrite=None)
Using
PermissionOverwrite
overwrite = discord.PermissionOverwrite() overwrite.send_messages = False overwrite.read_messages = True await channel.set_permissions(member, overwrite=overwrite)
Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
-
target (Union[
Member
,Role
]) – The member or role to overwrite permissions for. -
overwrite (Optional[
PermissionOverwrite
]) – The permissions to allow and deny to the target, orNone
to
delete the overwrite. -
**permissions – A keyword argument list of permissions to set for ease of use.
Cannot be mixed withoverwrite
. -
reason (Optional[
str
]) – The reason for doing this action. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You do not have permissions to edit channel specific permissions.
-
HTTPException – Editing channel specific permissions failed.
-
NotFound – The role or member being edited is not part of the guild.
-
TypeError – The
overwrite
parameter was invalid or the target type was not
Role
orMember
. -
ValueError – The
overwrite
parameter andpositions
parameters were both
unset.
-
DMChannel¶
Methods
-
asyncfetch_message -
defget_partial_message -
async forhistory -
defpermissions_for -
asyncpins -
asyncsend -
deftyping
- class discord.DMChannel¶
-
Represents a Discord direct message channel.
- x == y
-
Checks if two channels are equal.
- x != y
-
Checks if two channels are not equal.
- hash(x)
-
Returns the channel’s hash.
- str(x)
-
Returns a string representation of the channel
- recipient¶
-
The user you are participating with in the direct message channel.
If this channel is received through the gateway, the recipient information
may not be always available.- Type
-
Optional[
User
]
- me¶
-
The user presenting yourself.
- Type
-
ClientUser
- id¶
-
The direct message channel ID.
- Type
-
int
- async with typing()¶
-
Returns an asynchronous context manager that allows you to send a typing indicator to
the destination for an indefinite period of time, or 10 seconds if the context manager
is called usingawait
.Example Usage:
async with channel.typing(): # simulate something heavy await asyncio.sleep(20) await channel.send('Done!')
Example Usage:
await channel.typing() # Do some computational magic for about 10 seconds await channel.send('Done!')
Changed in version 2.0: This no longer works with the
with
syntax,async with
must be used instead.Changed in version 2.0: Added functionality to
await
the context manager to send a typing indicator for 10 seconds.
- property type¶
-
The channel’s Discord type.
- Type
-
ChannelType
- property guild¶
-
The guild this DM channel belongs to. Always
None
.This is mainly provided for compatibility purposes in duck typing.
New in version 2.0.
- Type
-
Optional[
Guild
]
- property jump_url¶
-
Returns a URL that allows the client to jump to the channel.
New in version 2.0.
- Type
-
str
- property created_at¶
-
Returns the direct message channel’s creation time in UTC.
- Type
-
datetime.datetime
- permissions_for(obj=None, /)¶
-
Handles permission resolution for a
User
.This function is there for compatibility with other channel types.
Actual direct messages do not really have the concept of permissions.
This returns all the Text related permissions set to
True
except:-
send_tts_messages
: You cannot send TTS messages in a DM. -
manage_messages
: You cannot delete others messages in a DM. -
create_private_threads
: There are no threads in a DM. -
create_public_threads
: There are no threads in a DM. -
manage_threads
: There are no threads in a DM. -
send_messages_in_threads
: There are no threads in a DM.
Changed in version 2.0:
obj
parameter is now positional-only.Changed in version 2.1: Thread related permissions are now set to
False
.- Parameters
-
obj (
User
) – The user to check permissions for. This parameter is ignored
but kept for compatibility with otherpermissions_for
methods. - Returns
-
The resolved permissions.
- Return type
-
Permissions
-
- get_partial_message(message_id, /)¶
-
Creates a
PartialMessage
from the message ID.This is useful if you want to work with a message and only have its ID without
doing an unnecessary API call.New in version 1.6.
Changed in version 2.0:
message_id
parameter is now positional-only.- Parameters
-
message_id (
int
) – The message ID to create a partial message for. - Returns
-
The partial message.
- Return type
-
PartialMessage
- await fetch_message(id, /)¶
-
This function is a coroutine.
Retrieves a single
Message
from the destination.- Parameters
-
id (
int
) – The message ID to look for. - Raises
-
-
NotFound – The specified message was not found.
-
Forbidden – You do not have the permissions required to get a message.
-
HTTPException – Retrieving the message failed.
-
- Returns
-
The message asked for.
- Return type
-
Message
- async for … in history(*, limit=100, before=None, after=None, around=None, oldest_first=None)¶
-
Returns an asynchronous iterator that enables receiving the destination’s message history.
You must have
read_message_history
to do this.Examples
Usage
counter = 0 async for message in channel.history(limit=200): if message.author == client.user: counter += 1
Flattening into a list:
messages = [message async for message in channel.history(limit=123)] # messages is now a list of Message...
All parameters are optional.
- Parameters
-
-
limit (Optional[
int
]) – The number of messages to retrieve.
IfNone
, retrieves every message in the channel. Note, however,
that this would make it a slow operation. -
before (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages before this date or message.
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. -
after (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages after this date or message.
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. -
around (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages around this date or message.
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.
When using this argument, the maximum limit is 101. Note that if the limit is an
even number then this will return at most limit + 1 messages. -
oldest_first (Optional[
bool
]) – If set toTrue
, return messages in oldest->newest order. Defaults toTrue
if
after
is specified, otherwiseFalse
.
-
- Raises
-
-
Forbidden – You do not have permissions to get channel message history.
-
HTTPException – The request to get message history failed.
-
- Yields
-
Message
– The message with the message data parsed.
- await pins()¶
-
This function is a coroutine.
Retrieves all messages that are currently pinned in the channel.
Note
Due to a limitation with the Discord API, the
Message
objects returned by this method do not contain complete
Message.reactions
data.- Raises
-
-
Forbidden – You do not have the permission to retrieve pinned messages.
-
HTTPException – Retrieving the pinned messages failed.
-
- Returns
-
The messages that are currently pinned.
- Return type
-
List[
Message
]
- await send(content=None, *, tts=False, embed=None, embeds=None, file=None, files=None, stickers=None, delete_after=None, nonce=None, allowed_mentions=None, reference=None, mention_author=None, view=None, suppress_embeds=False)¶
-
This function is a coroutine.
Sends a message to the destination with the content given.
The content must be a type that can convert to a string through
str(content)
.
If the content is set toNone
(the default), then theembed
parameter must
be provided.To upload a single file, the
file
parameter should be used with a
singleFile
object. To upload multiple files, thefiles
parameter should be used with alist
ofFile
objects.
Specifying both parameters will lead to an exception.To upload a single embed, the
embed
parameter should be used with a
singleEmbed
object. To upload multiple embeds, theembeds
parameter should be used with alist
ofEmbed
objects.
Specifying both parameters will lead to an exception.Changed in version 2.0: This function will now raise
TypeError
or
ValueError
instead ofInvalidArgument
.- Parameters
-
-
content (Optional[
str
]) – The content of the message to send. -
tts (
bool
) – Indicates if the message should be sent using text-to-speech. -
embed (
Embed
) – The rich embed for the content. -
embeds (List[
Embed
]) –A list of embeds to upload. Must be a maximum of 10.
New in version 2.0.
-
file (
File
) – The file to upload. -
files (List[
File
]) – A list of files to upload. Must be a maximum of 10. -
nonce (
int
) – The nonce to use for sending this message. If the message was successfully sent,
then the message will have a nonce with this value. -
delete_after (
float
) – 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. -
allowed_mentions (
AllowedMentions
) –Controls the mentions being processed in this message. If this is
passed, then the object is merged withallowed_mentions
.
The merging behaviour only overrides attributes that have been explicitly passed
to the object, otherwise it uses the attributes set inallowed_mentions
.
If no object is passed at all then the defaults given byallowed_mentions
are used instead.New in version 1.4.
-
reference (Union[
Message
,MessageReference
,PartialMessage
]) –A reference to the
Message
to which you are replying, this can be created using
to_reference()
or passed directly as aMessage
. You can control
whether this mentions the author of the referenced message using thereplied_user
attribute ofallowed_mentions
or by settingmention_author
.New in version 1.6.
-
mention_author (Optional[
bool
]) –If set, overrides the
replied_user
attribute ofallowed_mentions
.New in version 1.6.
-
view (
discord.ui.View
) –A Discord UI View to add to the message.
New in version 2.0.
-
stickers (Sequence[Union[
GuildSticker
,StickerItem
]]) –A list of stickers to upload. Must be a maximum of 3.
New in version 2.0.
-
suppress_embeds (
bool
) –Whether to suppress embeds for the message. This sends the message without any embeds if set to
True
.New in version 2.0.
-
- Raises
-
-
HTTPException – Sending the message failed.
-
Forbidden – You do not have the proper permissions to send the message.
-
ValueError – The
files
orembeds
list is not of the appropriate size. -
TypeError – You specified both
file
andfiles
,
or you specified bothembed
andembeds
,
or thereference
object is not aMessage
,
MessageReference
orPartialMessage
.
-
- Returns
-
The message that was sent.
- Return type
-
Message
GroupChannel¶
Methods
-
asyncfetch_message -
async forhistory -
asyncleave -
defpermissions_for -
asyncpins -
asyncsend -
deftyping
- class discord.GroupChannel¶
-
Represents a Discord group channel.
- x == y
-
Checks if two channels are equal.
- x != y
-
Checks if two channels are not equal.
- hash(x)
-
Returns the channel’s hash.
- str(x)
-
Returns a string representation of the channel
- recipients¶
-
The users you are participating with in the group channel.
- Type
-
List[
User
]
- me¶
-
The user presenting yourself.
- Type
-
ClientUser
- id¶
-
The group channel ID.
- Type
-
int
- owner¶
-
The user that owns the group channel.
- Type
-
Optional[
User
]
- owner_id¶
-
The owner ID that owns the group channel.
New in version 2.0.
- Type
-
int
- name¶
-
The group channel’s name if provided.
- Type
-
Optional[
str
]
- async with typing()¶
-
Returns an asynchronous context manager that allows you to send a typing indicator to
the destination for an indefinite period of time, or 10 seconds if the context manager
is called usingawait
.Example Usage:
async with channel.typing(): # simulate something heavy await asyncio.sleep(20) await channel.send('Done!')
Example Usage:
await channel.typing() # Do some computational magic for about 10 seconds await channel.send('Done!')
Changed in version 2.0: This no longer works with the
with
syntax,async with
must be used instead.Changed in version 2.0: Added functionality to
await
the context manager to send a typing indicator for 10 seconds.
- property type¶
-
The channel’s Discord type.
- Type
-
ChannelType
- property guild¶
-
The guild this group channel belongs to. Always
None
.This is mainly provided for compatibility purposes in duck typing.
New in version 2.0.
- Type
-
Optional[
Guild
]
- property icon¶
-
Returns the channel’s icon asset if available.
- Type
-
Optional[
Asset
]
- property created_at¶
-
Returns the channel’s creation time in UTC.
- Type
-
datetime.datetime
- property jump_url¶
-
Returns a URL that allows the client to jump to the channel.
New in version 2.0.
- Type
-
str
- permissions_for(obj, /)¶
-
Handles permission resolution for a
User
.This function is there for compatibility with other channel types.
Actual direct messages do not really have the concept of permissions.
This returns all the Text related permissions set to
True
except:-
send_tts_messages
: You cannot send TTS messages in a DM. -
manage_messages
: You cannot delete others messages in a DM. -
create_private_threads
: There are no threads in a DM. -
create_public_threads
: There are no threads in a DM. -
manage_threads
: There are no threads in a DM. -
send_messages_in_threads
: There are no threads in a DM.
This also checks the kick_members permission if the user is the owner.
Changed in version 2.0:
obj
parameter is now positional-only.Changed in version 2.1: Thread related permissions are now set to
False
.- Parameters
-
obj (
Snowflake
) – The user to check permissions for. - Returns
-
The resolved permissions for the user.
- Return type
-
Permissions
-
- await leave()¶
-
This function is a coroutine.
Leave the group.
If you are the only one in the group, this deletes it as well.
- Raises
-
HTTPException – Leaving the group failed.
- await fetch_message(id, /)¶
-
This function is a coroutine.
Retrieves a single
Message
from the destination.- Parameters
-
id (
int
) – The message ID to look for. - Raises
-
-
NotFound – The specified message was not found.
-
Forbidden – You do not have the permissions required to get a message.
-
HTTPException – Retrieving the message failed.
-
- Returns
-
The message asked for.
- Return type
-
Message
- async for … in history(*, limit=100, before=None, after=None, around=None, oldest_first=None)¶
-
Returns an asynchronous iterator that enables receiving the destination’s message history.
You must have
read_message_history
to do this.Examples
Usage
counter = 0 async for message in channel.history(limit=200): if message.author == client.user: counter += 1
Flattening into a list:
messages = [message async for message in channel.history(limit=123)] # messages is now a list of Message...
All parameters are optional.
- Parameters
-
-
limit (Optional[
int
]) – The number of messages to retrieve.
IfNone
, retrieves every message in the channel. Note, however,
that this would make it a slow operation. -
before (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages before this date or message.
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. -
after (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages after this date or message.
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. -
around (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages around this date or message.
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.
When using this argument, the maximum limit is 101. Note that if the limit is an
even number then this will return at most limit + 1 messages. -
oldest_first (Optional[
bool
]) – If set toTrue
, return messages in oldest->newest order. Defaults toTrue
if
after
is specified, otherwiseFalse
.
-
- Raises
-
-
Forbidden – You do not have permissions to get channel message history.
-
HTTPException – The request to get message history failed.
-
- Yields
-
Message
– The message with the message data parsed.
- await pins()¶
-
This function is a coroutine.
Retrieves all messages that are currently pinned in the channel.
Note
Due to a limitation with the Discord API, the
Message
objects returned by this method do not contain complete
Message.reactions
data.- Raises
-
-
Forbidden – You do not have the permission to retrieve pinned messages.
-
HTTPException – Retrieving the pinned messages failed.
-
- Returns
-
The messages that are currently pinned.
- Return type
-
List[
Message
]
- await send(content=None, *, tts=False, embed=None, embeds=None, file=None, files=None, stickers=None, delete_after=None, nonce=None, allowed_mentions=None, reference=None, mention_author=None, view=None, suppress_embeds=False)¶
-
This function is a coroutine.
Sends a message to the destination with the content given.
The content must be a type that can convert to a string through
str(content)
.
If the content is set toNone
(the default), then theembed
parameter must
be provided.To upload a single file, the
file
parameter should be used with a
singleFile
object. To upload multiple files, thefiles
parameter should be used with alist
ofFile
objects.
Specifying both parameters will lead to an exception.To upload a single embed, the
embed
parameter should be used with a
singleEmbed
object. To upload multiple embeds, theembeds
parameter should be used with alist
ofEmbed
objects.
Specifying both parameters will lead to an exception.Changed in version 2.0: This function will now raise
TypeError
or
ValueError
instead ofInvalidArgument
.- Parameters
-
-
content (Optional[
str
]) – The content of the message to send. -
tts (
bool
) – Indicates if the message should be sent using text-to-speech. -
embed (
Embed
) – The rich embed for the content. -
embeds (List[
Embed
]) –A list of embeds to upload. Must be a maximum of 10.
New in version 2.0.
-
file (
File
) – The file to upload. -
files (List[
File
]) – A list of files to upload. Must be a maximum of 10. -
nonce (
int
) – The nonce to use for sending this message. If the message was successfully sent,
then the message will have a nonce with this value. -
delete_after (
float
) – 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. -
allowed_mentions (
AllowedMentions
) –Controls the mentions being processed in this message. If this is
passed, then the object is merged withallowed_mentions
.
The merging behaviour only overrides attributes that have been explicitly passed
to the object, otherwise it uses the attributes set inallowed_mentions
.
If no object is passed at all then the defaults given byallowed_mentions
are used instead.New in version 1.4.
-
reference (Union[
Message
,MessageReference
,PartialMessage
]) –A reference to the
Message
to which you are replying, this can be created using
to_reference()
or passed directly as aMessage
. You can control
whether this mentions the author of the referenced message using thereplied_user
attribute ofallowed_mentions
or by settingmention_author
.New in version 1.6.
-
mention_author (Optional[
bool
]) –If set, overrides the
replied_user
attribute ofallowed_mentions
.New in version 1.6.
-
view (
discord.ui.View
) –A Discord UI View to add to the message.
New in version 2.0.
-
stickers (Sequence[Union[
GuildSticker
,StickerItem
]]) –A list of stickers to upload. Must be a maximum of 3.
New in version 2.0.
-
suppress_embeds (
bool
) –Whether to suppress embeds for the message. This sends the message without any embeds if set to
True
.New in version 2.0.
-
- Raises
-
-
HTTPException – Sending the message failed.
-
Forbidden – You do not have the proper permissions to send the message.
-
ValueError – The
files
orembeds
list is not of the appropriate size. -
TypeError – You specified both
file
andfiles
,
or you specified bothembed
andembeds
,
or thereference
object is not aMessage
,
MessageReference
orPartialMessage
.
-
- Returns
-
The message that was sent.
- Return type
-
Message
PartialInviteGuild¶
Attributes
- banner
- created_at
- description
- features
- icon
- id
- name
- nsfw_level
- premium_subscription_count
- splash
- vanity_url
- vanity_url_code
- verification_level
- class discord.PartialInviteGuild¶
-
Represents a “partial” invite guild.
This model will be given when the user is not part of the
guild theInvite
resolves to.- x == y
-
Checks if two partial guilds are the same.
- x != y
-
Checks if two partial guilds are not the same.
- hash(x)
-
Return the partial guild’s hash.
- str(x)
-
Returns the partial guild’s name.
- name¶
-
The partial guild’s name.
- Type
-
str
- id¶
-
The partial guild’s ID.
- Type
-
int
- verification_level¶
-
The partial guild’s verification level.
- Type
-
VerificationLevel
- features¶
-
A list of features the guild has. See
Guild.features
for more information.- Type
-
List[
str
]
- description¶
-
The partial guild’s description.
- Type
-
Optional[
str
]
- nsfw_level¶
-
The partial guild’s NSFW level.
New in version 2.0.
- Type
-
NSFWLevel
- vanity_url_code¶
-
The partial guild’s vanity URL code, if available.
New in version 2.0.
- Type
-
Optional[
str
]
- premium_subscription_count¶
-
The number of “boosts” the partial guild currently has.
New in version 2.0.
- Type
-
int
- property created_at¶
-
Returns the guild’s creation time in UTC.
- Type
-
datetime.datetime
- property vanity_url¶
-
The Discord vanity invite URL for this partial guild, if available.
New in version 2.0.
- Type
-
Optional[
str
]
- property icon¶
-
Returns the guild’s icon asset, if available.
- Type
-
Optional[
Asset
]
-
Returns the guild’s banner asset, if available.
- Type
-
Optional[
Asset
]
- property splash¶
-
Returns the guild’s invite splash asset, if available.
- Type
-
Optional[
Asset
]
PartialInviteChannel¶
Attributes
- created_at
- id
- mention
- name
- type
- class discord.PartialInviteChannel¶
-
Represents a “partial” invite channel.
This model will be given when the user is not part of the
guild theInvite
resolves to.- x == y
-
Checks if two partial channels are the same.
- x != y
-
Checks if two partial channels are not the same.
- hash(x)
-
Return the partial channel’s hash.
- str(x)
-
Returns the partial channel’s name.
- name¶
-
The partial channel’s name.
- Type
-
str
- id¶
-
The partial channel’s ID.
- Type
-
int
- type¶
-
The partial channel’s type.
- Type
-
ChannelType
- property mention¶
-
The string that allows you to mention the channel.
- Type
-
str
- property created_at¶
-
Returns the channel’s creation time in UTC.
- Type
-
datetime.datetime
Invite¶
Attributes
- approximate_member_count
- approximate_presence_count
- channel
- code
- created_at
- expires_at
- guild
- id
- inviter
- max_age
- max_uses
- revoked
- scheduled_event
- scheduled_event_id
- target_application
- target_type
- target_user
- temporary
- url
- uses
Methods
-
asyncdelete -
defset_scheduled_event
- class discord.Invite¶
-
Represents a Discord
Guild
orabc.GuildChannel
invite.Depending on the way this object was created, some of the attributes can
have a value ofNone
.- x == y
-
Checks if two invites are equal.
- x != y
-
Checks if two invites are not equal.
- hash(x)
-
Returns the invite hash.
- str(x)
-
Returns the invite URL.
The following table illustrates what methods will obtain the attributes:
If it’s not in the table above then it is available by all methods.
- max_age¶
-
How long before the invite expires in seconds.
A value of0
indicates that it doesn’t expire.- Type
-
Optional[
int
]
- code¶
-
The URL fragment used for the invite.
- Type
-
str
- guild¶
-
The guild the invite is for. Can be
None
if it’s from a group direct message.- Type
-
Optional[Union[
Guild
,Object
,PartialInviteGuild
]]
- revoked¶
-
Indicates if the invite has been revoked.
- Type
-
Optional[
bool
]
- created_at¶
-
An aware UTC datetime object denoting the time the invite was created.
- Type
-
Optional[
datetime.datetime
]
- temporary¶
-
Indicates that the invite grants temporary membership.
IfTrue
, members who joined via this invite will be kicked upon disconnect.- Type
-
Optional[
bool
]
- uses¶
-
How many times the invite has been used.
- Type
-
Optional[
int
]
- max_uses¶
-
How many times the invite can be used.
A value of0
indicates that it has unlimited uses.- Type
-
Optional[
int
]
- inviter¶
-
The user who created the invite.
- Type
-
Optional[
User
]
- approximate_member_count¶
-
The approximate number of members in the guild.
- Type
-
Optional[
int
]
- approximate_presence_count¶
-
The approximate number of members currently active in the guild.
This includes idle, dnd, online, and invisible members. Offline members are excluded.- Type
-
Optional[
int
]
- expires_at¶
-
The expiration date of the invite. If the value is
None
when received through
Client.fetch_invite()
withwith_expiration
enabled, the invite will never expire.New in version 2.0.
- Type
-
Optional[
datetime.datetime
]
- channel¶
-
The channel the invite is for.
- Type
-
Optional[Union[
abc.GuildChannel
,Object
,PartialInviteChannel
]]
- target_type¶
-
The type of target for the voice channel invite.
New in version 2.0.
- Type
-
InviteTarget
- target_user¶
-
The user whose stream to display for this invite, if any.
New in version 2.0.
- Type
-
Optional[
User
]
- target_application¶
-
The embedded application the invite targets, if any.
New in version 2.0.
- Type
-
Optional[
PartialAppInfo
]
- scheduled_event¶
-
The scheduled event associated with this invite, if any.
New in version 2.0.
- Type
-
Optional[
ScheduledEvent
]
- scheduled_event_id¶
-
The ID of the scheduled event associated with this invite, if any.
New in version 2.0.
- Type
-
Optional[
int
]
- property id¶
-
Returns the proper code portion of the invite.
- Type
-
str
- property url¶
-
A property that retrieves the invite URL.
- Type
-
str
- set_scheduled_event(scheduled_event, /)¶
-
Sets the scheduled event for this invite.
New in version 2.0.
- Parameters
-
scheduled_event (
Snowflake
) – The ID of the scheduled event. - Returns
-
The invite with the new scheduled event.
- Return type
-
Invite
- await delete(*, reason=None)¶
-
This function is a coroutine.
Revokes the instant invite.
You must have
manage_channels
to do this.- Parameters
-
reason (Optional[
str
]) – The reason for deleting this invite. Shows up on the audit log. - Raises
-
-
Forbidden – You do not have permissions to revoke invites.
-
NotFound – The invite is invalid or expired.
-
HTTPException – Revoking the invite failed.
-
Template¶
Methods
-
asynccreate_guild -
asyncdelete -
asyncedit -
asyncsync
- class discord.Template¶
-
Represents a Discord template.
New in version 1.4.
- code¶
-
The template code.
- Type
-
str
- uses¶
-
How many times the template has been used.
- Type
-
int
- name¶
-
The name of the template.
- Type
-
str
- description¶
-
The description of the template.
- Type
-
str
- creator¶
-
The creator of the template.
- Type
-
User
- created_at¶
-
An aware datetime in UTC representing when the template was created.
- Type
-
datetime.datetime
- updated_at¶
-
An aware datetime in UTC representing when the template was last updated.
This is referred to as “last synced” in the official Discord client.- Type
-
datetime.datetime
- source_guild¶
-
The source guild.
- Type
-
Guild
- is_dirty¶
-
Whether the template has unsynced changes.
New in version 2.0.
- Type
-
Optional[
bool
]
- await create_guild(name, icon=…)¶
-
This function is a coroutine.
Creates a
Guild
using the template.Bot accounts in more than 10 guilds are not allowed to create guilds.
Changed in version 2.0: The
region
parameter has been removed.Changed in version 2.0: This function will now raise
ValueError
instead of
InvalidArgument
.- Parameters
-
-
name (
str
) – The name of the guild. -
icon (
bytes
) – The bytes-like object representing the icon. SeeClientUser.edit()
for more details on what is expected.
-
- Raises
-
-
HTTPException – Guild creation failed.
-
ValueError – Invalid icon image format given. Must be PNG or JPG.
-
- Returns
-
The guild created. This is not the same guild that is
added to cache. - Return type
-
Guild
- await sync()¶
-
This function is a coroutine.
Sync the template to the guild’s current state.
You must have
manage_guild
in the source guild to do this.New in version 1.7.
Changed in version 2.0: The template is no longer edited in-place, instead it is returned.
- Raises
-
-
HTTPException – Editing the template failed.
-
Forbidden – You don’t have permissions to edit the template.
-
NotFound – This template does not exist.
-
- Returns
-
The newly edited template.
- Return type
-
Template
- await edit(*, name=…, description=…)¶
-
This function is a coroutine.
Edit the template metadata.
You must have
manage_guild
in the source guild to do this.New in version 1.7.
Changed in version 2.0: The template is no longer edited in-place, instead it is returned.
- Parameters
-
-
name (
str
) – The template’s new name. -
description (Optional[
str
]) – The template’s new description.
-
- Raises
-
-
HTTPException – Editing the template failed.
-
Forbidden – You don’t have permissions to edit the template.
-
NotFound – This template does not exist.
-
- Returns
-
The newly edited template.
- Return type
-
Template
- await delete()¶
-
This function is a coroutine.
Delete the template.
You must have
manage_guild
in the source guild to do this.New in version 1.7.
- Raises
-
-
HTTPException – Editing the template failed.
-
Forbidden – You don’t have permissions to edit the template.
-
NotFound – This template does not exist.
-
- property url¶
-
The template url.
New in version 2.0.
- Type
-
str
WelcomeScreen¶
- class discord.WelcomeScreen¶
-
Represents a
Guild
welcome screen.New in version 2.0.
- description¶
-
The description shown on the welcome screen.
- Type
-
str
- welcome_channels¶
-
The channels shown on the welcome screen.
- Type
-
List[
WelcomeChannel
]
- property enabled¶
-
Whether the welcome screen is displayed.
This is equivalent to checking if
WELCOME_SCREEN_ENABLED
is present inGuild.features
.- Type
-
bool
- await edit(*, description=…, welcome_channels=…, enabled=…, reason=None)¶
-
This function is a coroutine.
Edit the welcome screen.
Welcome channels can only accept custom emojis if
Guild.premium_tier
is level 2 or above.You must have
manage_guild
in the guild to do this.Usage:
rules_channel = guild.get_channel(12345678) announcements_channel = guild.get_channel(87654321) custom_emoji = utils.get(guild.emojis, name='loudspeaker') await welcome_screen.edit( description='This is a very cool community server!', welcome_channels=[ WelcomeChannel(channel=rules_channel, description='Read the rules!', emoji='👨🏫'), WelcomeChannel(channel=announcements_channel, description='Watch out for announcements!', emoji=custom_emoji), ] )
- Parameters
-
-
description (Optional[
str
]) – The welcome screen’s description. -
welcome_channels (Optional[List[
WelcomeChannel
]]) – The welcome channels, in their respective order. -
enabled (Optional[
bool
]) – Whether the welcome screen should be displayed. -
reason (Optional[
str
]) – The reason for editing the welcome screen. Shows up on the audit log.
-
- Raises
-
-
HTTPException – Editing the welcome screen failed.
-
Forbidden – You don’t have permissions to edit the welcome screen.
-
NotFound – This welcome screen does not exist.
-
WelcomeChannel¶
Attributes
- channel
- description
- emoji
- class discord.WelcomeChannel¶
-
Represents a
WelcomeScreen
welcome channel.New in version 2.0.
- channel¶
-
The guild channel that is being referenced.
- Type
-
abc.Snowflake
- description¶
-
The description shown of the channel.
- Type
-
str
- emoji¶
-
The emoji used beside the channel description.
- Type
-
Optional[
PartialEmoji
,Emoji
,str
]
WidgetChannel¶
- class discord.WidgetChannel¶
-
Represents a “partial” widget channel.
- x == y
-
Checks if two partial channels are the same.
- x != y
-
Checks if two partial channels are not the same.
- hash(x)
-
Return the partial channel’s hash.
- str(x)
-
Returns the partial channel’s name.
- id¶
-
The channel’s ID.
- Type
-
int
- name¶
-
The channel’s name.
- Type
-
str
- position¶
-
The channel’s position
- Type
-
int
- property mention¶
-
The string that allows you to mention the channel.
- Type
-
str
- property created_at¶
-
Returns the channel’s creation time in UTC.
- Type
-
datetime.datetime
WidgetMember¶
Attributes
- accent_color
- accent_colour
- activity
- avatar
- banner
- bot
- color
- colour
- connected_channel
- created_at
- deafened
- default_avatar
- discriminator
- display_avatar
- display_name
- id
- mention
- muted
- name
- nick
- public_flags
- status
- suppress
- class discord.WidgetMember¶
-
Represents a “partial” member of the widget’s guild.
- x == y
-
Checks if two widget members are the same.
- x != y
-
Checks if two widget members are not the same.
- hash(x)
-
Return the widget member’s hash.
- str(x)
-
Returns the widget member’s
name#discriminator
.
- id¶
-
The member’s ID.
- Type
-
int
- name¶
-
The member’s username.
- Type
-
str
- discriminator¶
-
The member’s discriminator.
- Type
-
str
- bot¶
-
Whether the member is a bot.
- Type
-
bool
- status¶
-
The member’s status.
- Type
-
Status
- nick¶
-
The member’s nickname.
- Type
-
Optional[
str
]
- avatar¶
-
The member’s avatar hash.
- Type
-
Optional[
str
]
- activity¶
-
The member’s activity.
- Type
-
Optional[Union[
BaseActivity
,Spotify
]]
- deafened¶
-
Whether the member is currently deafened.
- Type
-
Optional[
bool
]
- muted¶
-
Whether the member is currently muted.
- Type
-
Optional[
bool
]
- suppress¶
-
Whether the member is currently being suppressed.
- Type
-
Optional[
bool
]
- connected_channel¶
-
Which channel the member is connected to.
- Type
-
Optional[
WidgetChannel
]
- property display_name¶
-
Returns the member’s display name.
- Type
-
str
- property accent_color¶
-
Returns the user’s accent color, if applicable.
A user’s accent color is only shown if they do not have a banner.
This will only be available if the user explicitly sets a color.There is an alias for this named
accent_colour
.New in version 2.0.
Note
This information is only available via
Client.fetch_user()
.- Type
-
Optional[
Colour
]
- property accent_colour¶
-
Returns the user’s accent colour, if applicable.
A user’s accent colour is only shown if they do not have a banner.
This will only be available if the user explicitly sets a colour.There is an alias for this named
accent_color
.New in version 2.0.
Note
This information is only available via
Client.fetch_user()
.- Type
-
Optional[
Colour
]
-
Returns the user’s banner asset, if available.
New in version 2.0.
Note
This information is only available via
Client.fetch_user()
.- Type
-
Optional[
Asset
]
- property color¶
-
A property that returns a color denoting the rendered color
for the user. This always returnsColour.default()
.There is an alias for this named
colour
.- Type
-
Colour
- property colour¶
-
A property that returns a colour denoting the rendered colour
for the user. This always returnsColour.default()
.There is an alias for this named
color
.- Type
-
Colour
- property created_at¶
-
Returns the user’s creation time in UTC.
This is when the user’s Discord account was created.
- Type
-
datetime.datetime
- property default_avatar¶
-
Returns the default avatar for a given user. This is calculated by the user’s discriminator.
- Type
-
Asset
- property display_avatar¶
-
Returns the user’s display avatar.
For regular users this is just their default avatar or uploaded avatar.
New in version 2.0.
- Type
-
Asset
- property mention¶
-
Returns a string that allows you to mention the given user.
- Type
-
str
- mentioned_in(message)¶
-
Checks if the user is mentioned in the specified message.
- Parameters
-
message (
Message
) – The message to check if you’re mentioned in. - Returns
-
Indicates if the user is mentioned in the message.
- Return type
-
bool
- property public_flags¶
-
The publicly available flags the user has.
- Type
-
PublicUserFlags
Widget¶
Methods
-
asyncfetch_invite
- class discord.Widget¶
-
Represents a
Guild
widget.- x == y
-
Checks if two widgets are the same.
- x != y
-
Checks if two widgets are not the same.
- str(x)
-
Returns the widget’s JSON URL.
- id¶
-
The guild’s ID.
- Type
-
int
- name¶
-
The guild’s name.
- Type
-
str
- channels¶
-
The accessible voice channels in the guild.
- Type
-
List[
WidgetChannel
]
- members¶
-
The online members in the guild. Offline members
do not appear in the widget.Note
Due to a Discord limitation, if this data is available
the users will be “anonymized” with linear IDs and discriminator
information being incorrect. Likewise, the number of members
retrieved is capped.- Type
-
List[
Member
]
- presence_count¶
-
The approximate number of online members in the guild.
Offline members are not included in this count.New in version 2.0.
- Type
-
int
- property created_at¶
-
Returns the member’s creation time in UTC.
- Type
-
datetime.datetime
- property json_url¶
-
The JSON URL of the widget.
- Type
-
str
- property invite_url¶
-
The invite URL for the guild, if available.
- Type
-
Optional[
str
]
- await fetch_invite(*, with_counts=True)¶
-
This function is a coroutine.
Retrieves an
Invite
from the widget’s invite URL.
This is the same asClient.fetch_invite()
; the invite
code is abstracted away.- Parameters
-
with_counts (
bool
) – Whether to include count information in the invite. This fills the
Invite.approximate_member_count
andInvite.approximate_presence_count
fields. - Returns
-
The invite from the widget’s invite URL, if available.
- Return type
-
Optional[
Invite
]
StickerPack¶
- class discord.StickerPack¶
-
Represents a sticker pack.
New in version 2.0.
- str(x)
-
Returns the name of the sticker pack.
- x == y
-
Checks if the sticker pack is equal to another sticker pack.
- x != y
-
Checks if the sticker pack is not equal to another sticker pack.
- name¶
-
The name of the sticker pack.
- Type
-
str
- description¶
-
The description of the sticker pack.
- Type
-
str
- id¶
-
The id of the sticker pack.
- Type
-
int
- stickers¶
-
The stickers of this sticker pack.
- Type
-
List[
StandardSticker
]
- sku_id¶
-
The SKU ID of the sticker pack.
- Type
-
int
- cover_sticker_id¶
-
The ID of the sticker used for the cover of the sticker pack.
- Type
-
Optional[
int
]
- cover_sticker¶
-
The sticker used for the cover of the sticker pack.
- Type
-
Optional[
StandardSticker
]
-
The banner asset of the sticker pack.
- Type
-
Asset
StickerItem¶
Attributes
- format
- id
- name
- url
- class discord.StickerItem¶
-
Represents a sticker item.
New in version 2.0.
- str(x)
-
Returns the name of the sticker item.
- x == y
-
Checks if the sticker item is equal to another sticker item.
- x != y
-
Checks if the sticker item is not equal to another sticker item.
- name¶
-
The sticker’s name.
- Type
-
str
- id¶
-
The id of the sticker.
- Type
-
int
- format¶
-
The format for the sticker’s image.
- Type
-
StickerFormatType
- url¶
-
The URL for the sticker’s image.
- Type
-
str
- await fetch()¶
-
This function is a coroutine.
Attempts to retrieve the full sticker data of the sticker item.
- Raises
-
HTTPException – Retrieving the sticker failed.
- Returns
-
The retrieved sticker.
- Return type
-
Union[
StandardSticker
,GuildSticker
]
Sticker¶
- class discord.Sticker¶
-
Represents a sticker.
New in version 1.6.
- str(x)
-
Returns the name of the sticker.
- x == y
-
Checks if the sticker is equal to another sticker.
- x != y
-
Checks if the sticker is not equal to another sticker.
- name¶
-
The sticker’s name.
- Type
-
str
- id¶
-
The id of the sticker.
- Type
-
int
- description¶
-
The description of the sticker.
- Type
-
str
- pack_id¶
-
The id of the sticker’s pack.
- Type
-
int
- format¶
-
The format for the sticker’s image.
- Type
-
StickerFormatType
- url¶
-
The URL for the sticker’s image.
- Type
-
str
- property created_at¶
-
Returns the sticker’s creation time in UTC.
- Type
-
datetime.datetime
StandardSticker¶
- class discord.StandardSticker¶
-
Represents a sticker that is found in a standard sticker pack.
New in version 2.0.
- str(x)
-
Returns the name of the sticker.
- x == y
-
Checks if the sticker is equal to another sticker.
- x != y
-
Checks if the sticker is not equal to another sticker.
- name¶
-
The sticker’s name.
- Type
-
str
- id¶
-
The id of the sticker.
- Type
-
int
- description¶
-
The description of the sticker.
- Type
-
str
- pack_id¶
-
The id of the sticker’s pack.
- Type
-
int
- format¶
-
The format for the sticker’s image.
- Type
-
StickerFormatType
- tags¶
-
A list of tags for the sticker.
- Type
-
List[
str
]
- sort_value¶
-
The sticker’s sort order within its pack.
- Type
-
int
- await pack()¶
-
This function is a coroutine.
Retrieves the sticker pack that this sticker belongs to.
- Raises
-
-
InvalidData – The corresponding sticker pack was not found.
-
HTTPException – Retrieving the sticker pack failed.
-
- Returns
-
The retrieved sticker pack.
- Return type
-
StickerPack
GuildSticker¶
Methods
-
asyncdelete -
asyncedit
- class discord.GuildSticker¶
-
Represents a sticker that belongs to a guild.
New in version 2.0.
- str(x)
-
Returns the name of the sticker.
- x == y
-
Checks if the sticker is equal to another sticker.
- x != y
-
Checks if the sticker is not equal to another sticker.
- name¶
-
The sticker’s name.
- Type
-
str
- id¶
-
The id of the sticker.
- Type
-
int
- description¶
-
The description of the sticker.
- Type
-
str
- format¶
-
The format for the sticker’s image.
- Type
-
StickerFormatType
- available¶
-
Whether this sticker is available for use.
- Type
-
bool
- guild_id¶
-
The ID of the guild that this sticker is from.
- Type
-
int
- user¶
-
The user that created this sticker. This can only be retrieved using
Guild.fetch_sticker()
and
havingmanage_emojis_and_stickers
.- Type
-
Optional[
User
]
- emoji¶
-
The name of a unicode emoji that represents this sticker.
- Type
-
str
- guild¶
-
The guild that this sticker is from.
Could beNone
if the bot is not in the guild.New in version 2.0.
- Type
-
Optional[
Guild
]
- await edit(*, name=…, description=…, emoji=…, reason=None)¶
-
This function is a coroutine.
Edits a
GuildSticker
for the guild.- Parameters
-
-
name (
str
) – The sticker’s new name. Must be at least 2 characters. -
description (Optional[
str
]) – The sticker’s new description. Can beNone
. -
emoji (
str
) – The name of a unicode emoji that represents the sticker’s expression. -
reason (
str
) – The reason for editing this sticker. Shows up on the audit log.
-
- Raises
-
-
Forbidden – You are not allowed to edit stickers.
-
HTTPException – An error occurred editing the sticker.
-
- Returns
-
The newly modified sticker.
- Return type
-
GuildSticker
- await delete(*, reason=None)¶
-
This function is a coroutine.
Deletes the custom
Sticker
from the guild.You must have
manage_emojis_and_stickers
to do this.- Parameters
-
reason (Optional[
str
]) – The reason for deleting this sticker. Shows up on the audit log. - Raises
-
-
Forbidden – You are not allowed to delete stickers.
-
HTTPException – An error occurred deleting the sticker.
-
ShardInfo¶
Attributes
- id
- latency
- shard_count
Methods
-
asyncconnect -
asyncdisconnect -
defis_closed -
defis_ws_ratelimited -
asyncreconnect
- class discord.ShardInfo¶
-
A class that gives information and control over a specific shard.
You can retrieve this object via
AutoShardedClient.get_shard()
orAutoShardedClient.shards
.New in version 1.4.
- id¶
-
The shard ID for this shard.
- Type
-
int
- shard_count¶
-
The shard count for this cluster. If this is
None
then the bot has not started yet.- Type
-
Optional[
int
]
- is_closed()¶
-
bool
: Whether the shard connection is currently closed.
- await disconnect()¶
-
This function is a coroutine.
Disconnects a shard. When this is called, the shard connection will no
longer be open.If the shard is already disconnected this does nothing.
- await reconnect()¶
-
This function is a coroutine.
Disconnects and then connects the shard again.
- await connect()¶
-
This function is a coroutine.
Connects a shard. If the shard is already connected this does nothing.
- property latency¶
-
Measures latency between a HEARTBEAT and a HEARTBEAT_ACK in seconds for this shard.
- Type
-
float
- is_ws_ratelimited()¶
-
bool
: Whether the websocket is currently rate limited.This can be useful to know when deciding whether you should query members
using HTTP or via the gateway.New in version 1.6.
RawMessageDeleteEvent¶
- class discord.RawMessageDeleteEvent¶
-
Represents the event payload for a
on_raw_message_delete()
event.- channel_id¶
-
The channel ID where the deletion took place.
- Type
-
int
- guild_id¶
-
The guild ID where the deletion took place, if applicable.
- Type
-
Optional[
int
]
- message_id¶
-
The message ID that got deleted.
- Type
-
int
- cached_message¶
-
The cached message, if found in the internal message cache.
- Type
-
Optional[
Message
]
RawBulkMessageDeleteEvent¶
- class discord.RawBulkMessageDeleteEvent¶
-
Represents the event payload for a
on_raw_bulk_message_delete()
event.- message_ids¶
-
A
set
of the message IDs that were deleted.- Type
-
Set[
int
]
- channel_id¶
-
The channel ID where the message got deleted.
- Type
-
int
- guild_id¶
-
The guild ID where the message got deleted, if applicable.
- Type
-
Optional[
int
]
- cached_messages¶
-
The cached messages, if found in the internal message cache.
- Type
-
List[
Message
]
RawMessageUpdateEvent¶
- class discord.RawMessageUpdateEvent¶
-
Represents the payload for a
on_raw_message_edit()
event.- message_id¶
-
The message ID that got updated.
- Type
-
int
- channel_id¶
-
The channel ID where the update took place.
New in version 1.3.
- Type
-
int
- guild_id¶
-
The guild ID where the message got updated, if applicable.
New in version 1.7.
- Type
-
Optional[
int
]
- data¶
-
The raw data given by the gateway
- Type
-
dict
- cached_message¶
-
The cached message, if found in the internal message cache. Represents the message before
it is modified by the data inRawMessageUpdateEvent.data
.- Type
-
Optional[
Message
]
RawReactionActionEvent¶
- class discord.RawReactionActionEvent¶
-
Represents the payload for a
on_raw_reaction_add()
or
on_raw_reaction_remove()
event.- message_id¶
-
The message ID that got or lost a reaction.
- Type
-
int
- user_id¶
-
The user ID who added the reaction or whose reaction was removed.
- Type
-
int
- channel_id¶
-
The channel ID where the reaction got added or removed.
- Type
-
int
- guild_id¶
-
The guild ID where the reaction got added or removed, if applicable.
- Type
-
Optional[
int
]
- emoji¶
-
The custom or unicode emoji being used.
- Type
-
PartialEmoji
- member¶
-
The member who added the reaction. Only available if
event_type
isREACTION_ADD
and the reaction is inside a guild.New in version 1.3.
- Type
-
Optional[
Member
]
- event_type¶
-
The event type that triggered this action. Can be
REACTION_ADD
for reaction addition or
REACTION_REMOVE
for reaction removal.New in version 1.3.
- Type
-
str
RawReactionClearEvent¶
- class discord.RawReactionClearEvent¶
-
Represents the payload for a
on_raw_reaction_clear()
event.- message_id¶
-
The message ID that got its reactions cleared.
- Type
-
int
- channel_id¶
-
The channel ID where the reactions got cleared.
- Type
-
int
- guild_id¶
-
The guild ID where the reactions got cleared.
- Type
-
Optional[
int
]
RawReactionClearEmojiEvent¶
- class discord.RawReactionClearEmojiEvent¶
-
Represents the payload for a
on_raw_reaction_clear_emoji()
event.New in version 1.3.
- message_id¶
-
The message ID that got its reactions cleared.
- Type
-
int
- channel_id¶
-
The channel ID where the reactions got cleared.
- Type
-
int
- guild_id¶
-
The guild ID where the reactions got cleared.
- Type
-
Optional[
int
]
- emoji¶
-
The custom or unicode emoji being removed.
- Type
-
PartialEmoji
RawIntegrationDeleteEvent¶
- class discord.RawIntegrationDeleteEvent¶
-
Represents the payload for a
on_raw_integration_delete()
event.New in version 2.0.
- integration_id¶
-
The ID of the integration that got deleted.
- Type
-
int
- application_id¶
-
The ID of the bot/OAuth2 application for this deleted integration.
- Type
-
Optional[
int
]
- guild_id¶
-
The guild ID where the integration got deleted.
- Type
-
int
RawThreadUpdateEvent¶
- class discord.RawThreadUpdateEvent¶
-
Represents the payload for a
on_raw_thread_update()
event.New in version 2.0.
- thread_id¶
-
The ID of the thread that was updated.
- Type
-
int
- thread_type¶
-
The channel type of the updated thread.
- Type
-
discord.ChannelType
- guild_id¶
-
The ID of the guild the thread is in.
- Type
-
int
- parent_id¶
-
The ID of the channel the thread belongs to.
- Type
-
int
- data¶
-
The raw data given by the gateway
- Type
-
dict
- thread¶
-
The thread, if it could be found in the internal cache.
- Type
-
Optional[
discord.Thread
]
RawThreadMembersUpdate¶
- class discord.RawThreadMembersUpdate¶
-
Represents the payload for a
on_raw_thread_member_remove()
event.New in version 2.0.
- thread_id¶
-
The ID of the thread that was updated.
- Type
-
int
- guild_id¶
-
The ID of the guild the thread is in.
- Type
-
int
- member_count¶
-
The approximate number of members in the thread. This caps at 50.
- Type
-
int
- data¶
-
The raw data given by the gateway.
- Type
-
dict
RawThreadDeleteEvent¶
- class discord.RawThreadDeleteEvent¶
-
Represents the payload for a
on_raw_thread_delete()
event.New in version 2.0.
- thread_id¶
-
The ID of the thread that was deleted.
- Type
-
int
- thread_type¶
-
The channel type of the deleted thread.
- Type
-
discord.ChannelType
- guild_id¶
-
The ID of the guild the thread was deleted in.
- Type
-
int
- parent_id¶
-
The ID of the channel the thread belonged to.
- Type
-
int
- thread¶
-
The thread, if it could be found in the internal cache.
- Type
-
Optional[
discord.Thread
]
RawTypingEvent¶
- class discord.RawTypingEvent¶
-
Represents the payload for a
on_raw_typing()
event.New in version 2.0.
- channel_id¶
-
The ID of the channel the user started typing in.
- Type
-
int
- user_id¶
-
The ID of the user that started typing.
- Type
-
int
- user¶
-
The user that started typing, if they could be found in the internal cache.
- Type
-
Optional[Union[
discord.User
,discord.Member
]]
- timestamp¶
-
When the typing started as an aware datetime in UTC.
- Type
-
datetime.datetime
- guild_id¶
-
The ID of the guild the user started typing in, if applicable.
- Type
-
Optional[
int
]
RawMemberRemoveEvent¶
- class discord.RawMemberRemoveEvent¶
-
Represents the payload for a
on_raw_member_remove()
event.New in version 2.0.
- user¶
-
The user that left the guild.
- Type
-
Union[
discord.User
,discord.Member
]
- guild_id¶
-
The ID of the guild the user left.
- Type
-
int
RawAppCommandPermissionsUpdateEvent¶
- class discord.RawAppCommandPermissionsUpdateEvent¶
-
Represents the payload for a
on_raw_app_command_permissions_update()
event.New in version 2.0.
- target_id¶
-
The ID of the command or application whose permissions were updated.
When this is the application ID instead of a command ID, the permissions
apply to all commands that do not contain explicit overwrites.- Type
-
int
- application_id¶
-
The ID of the application that the command belongs to.
- Type
-
int
- guild¶
-
The guild where the permissions were updated.
- Type
-
Guild
- permissions¶
-
List of new permissions for the app command.
- Type
-
List[
AppCommandPermissions
]
PartialWebhookGuild¶
- class discord.PartialWebhookGuild¶
-
Represents a partial guild for webhooks.
These are typically given for channel follower webhooks.
New in version 2.0.
- id¶
-
The partial guild’s ID.
- Type
-
int
- name¶
-
The partial guild’s name.
- Type
-
str
- property icon¶
-
Returns the guild’s icon asset, if available.
- Type
-
Optional[
Asset
]
PartialWebhookChannel¶
- class discord.PartialWebhookChannel¶
-
Represents a partial channel for webhooks.
These are typically given for channel follower webhooks.
New in version 2.0.
- id¶
-
The partial channel’s ID.
- Type
-
int
- name¶
-
The partial channel’s name.
- Type
-
str
Data Classes¶
Some classes are just there to be data containers, this lists them.
Unlike models you are allowed to create
most of these yourself, even if they can also be used to hold attributes.
Nearly all classes here have __slots__ defined which means that it is
impossible to have dynamic attributes to the data classes.
The only exception to this rule is Object
, which is made with
dynamic attributes in mind.
Object¶
Attributes
- created_at
- id
- type
- class discord.Object(id, *, type=…)¶
-
Represents a generic Discord object.
The purpose of this class is to allow you to create ‘miniature’
versions of data classes if you want to pass in just an ID. Most functions
that take in a specific data class with an ID can also take in this class
as a substitute instead. Note that even though this is the case, not all
objects (if any) actually inherit from this class.There are also some cases where some websocket events are received
in strange order and when such events happened you would
receive this class rather than the actual data class. These cases are
extremely rare.- x == y
-
Checks if two objects are equal.
- x != y
-
Checks if two objects are not equal.
- hash(x)
-
Returns the object’s hash.
- id¶
-
The ID of the object.
- Type
-
int
- type¶
-
The discord.py model type of the object, if not specified, defaults to this class.
Note
In instances where there are multiple applicable types, use a shared base class.
for example, bothMember
andUser
are subclasses ofabc.User
.New in version 2.0.
- Type
-
Type[
abc.Snowflake
]
- property created_at¶
-
Returns the snowflake’s creation time in UTC.
- Type
-
datetime.datetime
Embed¶
Methods
-
clsEmbed.from_dict -
defadd_field -
defclear_fields -
defcopy -
definsert_field_at -
defremove_author -
defremove_field -
defremove_footer -
defset_author -
defset_field_at -
defset_footer -
defset_image -
defset_thumbnail -
defto_dict
- class discord.Embed(*, colour=None, color=None, title=None, type=‘rich’, url=None, description=None, timestamp=None)¶
-
Represents a Discord embed.
- len(x)
-
Returns the total size of the embed.
Useful for checking if it’s within the 6000 character limit.
- bool(b)
-
Returns whether the embed has any data set.
New in version 2.0.
- x == y
-
Checks if two embeds are equal.
New in version 2.0.
For ease of use, all parameters that expect a
str
are implicitly
casted tostr
for you.Changed in version 2.0:
Embed.Empty
has been removed in favour ofNone
.- title¶
-
The title of the embed.
This can be set during initialisation.
Can only be up to 256 characters.- Type
-
Optional[
str
]
- type¶
-
The type of embed. Usually “rich”.
This can be set during initialisation.
Possible strings for embed types can be found on discord’s
api docs- Type
-
str
- description¶
-
The description of the embed.
This can be set during initialisation.
Can only be up to 4096 characters.- Type
-
Optional[
str
]
- url¶
-
The URL of the embed.
This can be set during initialisation.- Type
-
Optional[
str
]
- timestamp¶
-
The timestamp of the embed content. This is an aware datetime.
If a naive datetime is passed, it is converted to an aware
datetime with the local timezone.- Type
-
Optional[
datetime.datetime
]
- colour¶
-
The colour code of the embed. Aliased to
color
as well.
This can be set during initialisation.- Type
-
Optional[Union[
Colour
,int
]]
- classmethod from_dict(data)¶
-
Converts a
dict
to aEmbed
provided it is in the
format that Discord expects it to be in.You can find out about this format in the official Discord documentation.
- Parameters
-
data (
dict
) – The dictionary to convert into an embed.
- copy()¶
-
Returns a shallow copy of the embed.
-
Returns an
EmbedProxy
denoting the footer contents.See
set_footer()
for possible values you can access.If the attribute has no value then
None
is returned.
-
Sets the footer for the embed content.
This function returns the class instance to allow for fluent-style
chaining.- Parameters
-
-
text (
str
) – The footer text. Can only be up to 2048 characters. -
icon_url (
str
) – The URL of the footer icon. Only HTTP(S) is supported.
Inline attachment URLs are also supported, see How do I use a local image file for an embed image?.
-
-
Clears embed’s footer information.
This function returns the class instance to allow for fluent-style
chaining.New in version 2.0.
- property image¶
-
Returns an
EmbedProxy
denoting the image contents.Possible attributes you can access are:
-
url
-
proxy_url
-
width
-
height
If the attribute has no value then
None
is returned. -
- set_image(*, url)¶
-
Sets the image for the embed content.
This function returns the class instance to allow for fluent-style
chaining.- Parameters
-
url (
str
) – The source URL for the image. Only HTTP(S) is supported.
Inline attachment URLs are also supported, see How do I use a local image file for an embed image?.
- property thumbnail¶
-
Returns an
EmbedProxy
denoting the thumbnail contents.Possible attributes you can access are:
-
url
-
proxy_url
-
width
-
height
If the attribute has no value then
None
is returned. -
- set_thumbnail(*, url)¶
-
Sets the thumbnail for the embed content.
This function returns the class instance to allow for fluent-style
chaining.Changed in version 1.4: Passing
None
removes the thumbnail.- Parameters
-
url (
str
) – The source URL for the thumbnail. Only HTTP(S) is supported.
Inline attachment URLs are also supported, see How do I use a local image file for an embed image?.
- property video¶
-
Returns an
EmbedProxy
denoting the video contents.Possible attributes include:
-
url
for the video URL. -
height
for the video height. -
width
for the video width.
If the attribute has no value then
None
is returned. -
- property provider¶
-
Returns an
EmbedProxy
denoting the provider contents.The only attributes that might be accessed are
name
andurl
.If the attribute has no value then
None
is returned.
- property author¶
-
Returns an
EmbedProxy
denoting the author contents.See
set_author()
for possible values you can access.If the attribute has no value then
None
is returned.
- set_author(*, name, url=None, icon_url=None)¶
-
Sets the author for the embed content.
This function returns the class instance to allow for fluent-style
chaining.- Parameters
-
-
name (
str
) – The name of the author. Can only be up to 256 characters. -
url (
str
) – The URL for the author. -
icon_url (
str
) – The URL of the author icon. Only HTTP(S) is supported.
Inline attachment URLs are also supported, see How do I use a local image file for an embed image?.
-
- remove_author()¶
-
Clears embed’s author information.
This function returns the class instance to allow for fluent-style
chaining.New in version 1.4.
- property fields¶
-
Returns a
list
ofEmbedProxy
denoting the field contents.See
add_field()
for possible values you can access.If the attribute has no value then
None
is returned.- Type
-
List[
EmbedProxy
]
- add_field(*, name, value, inline=True)¶
-
Adds a field to the embed object.
This function returns the class instance to allow for fluent-style
chaining. Can only be up to 25 fields.- Parameters
-
-
name (
str
) – The name of the field. Can only be up to 256 characters. -
value (
str
) – The value of the field. Can only be up to 1024 characters. -
inline (
bool
) – Whether the field should be displayed inline.
-
- insert_field_at(index, *, name, value, inline=True)¶
-
Inserts a field before a specified index to the embed.
This function returns the class instance to allow for fluent-style
chaining. Can only be up to 25 fields.New in version 1.2.
- Parameters
-
-
index (
int
) – The index of where to insert the field. -
name (
str
) – The name of the field. Can only be up to 256 characters. -
value (
str
) – The value of the field. Can only be up to 1024 characters. -
inline (
bool
) – Whether the field should be displayed inline.
-
- clear_fields()¶
-
Removes all fields from this embed.
This function returns the class instance to allow for fluent-style
chaining.Changed in version 2.0: This function now returns the class instance.
- remove_field(index)¶
-
Removes a field at a specified index.
If the index is invalid or out of bounds then the error is
silently swallowed.This function returns the class instance to allow for fluent-style
chaining.Note
When deleting a field by index, the index of the other fields
shift to fill the gap just like a regular list.Changed in version 2.0: This function now returns the class instance.
- Parameters
-
index (
int
) – The index of the field to remove.
- set_field_at(index, *, name, value, inline=True)¶
-
Modifies a field to the embed object.
The index must point to a valid pre-existing field. Can only be up to 25 fields.
This function returns the class instance to allow for fluent-style
chaining.- Parameters
-
-
index (
int
) – The index of the field to modify. -
name (
str
) – The name of the field. Can only be up to 256 characters. -
value (
str
) – The value of the field. Can only be up to 1024 characters. -
inline (
bool
) – Whether the field should be displayed inline.
-
- Raises
-
IndexError – An invalid index was provided.
- to_dict()¶
-
Converts this embed object into a dict.
AllowedMentions¶
- class discord.AllowedMentions(*, everyone=True, users=True, roles=True, replied_user=True)¶
-
A class that represents what mentions are allowed in a message.
This class can be set during
Client
initialisation to apply
to every message sent. It can also be applied on a per message basis
viaabc.Messageable.send()
for more fine-grained control.- everyone¶
-
Whether to allow everyone and here mentions. Defaults to
True
.- Type
-
bool
- users¶
-
Controls the users being mentioned. If
True
(the default) then
users are mentioned based on the message content. IfFalse
then
users are not mentioned at all. If a list ofabc.Snowflake
is given then only the users provided will be mentioned, provided those
users are in the message content.- Type
-
Union[
bool
, Sequence[abc.Snowflake
]]
- roles¶
-
Controls the roles being mentioned. If
True
(the default) then
roles are mentioned based on the message content. IfFalse
then
roles are not mentioned at all. If a list ofabc.Snowflake
is given then only the roles provided will be mentioned, provided those
roles are in the message content.- Type
-
Union[
bool
, Sequence[abc.Snowflake
]]
- replied_user¶
-
Whether to mention the author of the message being replied to. Defaults
toTrue
.New in version 1.6.
- Type
-
bool
- classmethod all()¶
-
A factory method that returns a
AllowedMentions
with all fields explicitly set toTrue
New in version 1.5.
- classmethod none()¶
-
A factory method that returns a
AllowedMentions
with all fields set toFalse
New in version 1.5.
MessageReference¶
- class discord.MessageReference(*, message_id, channel_id, guild_id=None, fail_if_not_exists=True)¶
-
Represents a reference to a
Message
.New in version 1.5.
Changed in version 1.6: This class can now be constructed by users.
- message_id¶
-
The id of the message referenced.
- Type
-
Optional[
int
]
- channel_id¶
-
The channel id of the message referenced.
- Type
-
int
- guild_id¶
-
The guild id of the message referenced.
- Type
-
Optional[
int
]
- fail_if_not_exists¶
-
Whether replying to the referenced message should raise
HTTPException
if the message no longer exists or Discord could not fetch the message.New in version 1.7.
- Type
-
bool
- resolved¶
-
The message that this reference resolved to. If this is
None
then the original message was not fetched either due to the Discord API
not attempting to resolve it or it not being available at the time of creation.
If the message was resolved at a prior point but has since been deleted then
this will be of typeDeletedReferencedMessage
.Currently, this is mainly the replied to message when a user replies to a message.
New in version 1.6.
- Type
-
Optional[Union[
Message
,DeletedReferencedMessage
]]
- classmethod from_message(message, *, fail_if_not_exists=True)¶
-
Creates a
MessageReference
from an existingMessage
.New in version 1.6.
- Parameters
-
-
message (
Message
) – The message to be converted into a reference. -
fail_if_not_exists (
bool
) –Whether replying to the referenced message should raise
HTTPException
if the message no longer exists or Discord could not fetch the message.New in version 1.7.
-
- Returns
-
A reference to the message.
- Return type
-
MessageReference
- property cached_message¶
-
The cached message, if found in the internal message cache.
- Type
-
Optional[
Message
]
- property jump_url¶
-
Returns a URL that allows the client to jump to the referenced message.
New in version 1.7.
- Type
-
str
PartialMessage¶
Methods
-
asyncadd_reaction -
asyncclear_reaction -
asyncclear_reactions -
asynccreate_thread -
asyncdelete -
asyncedit -
asyncfetch -
asyncpin -
asyncpublish -
asyncremove_reaction -
asyncreply -
defto_reference -
asyncunpin
- class discord.PartialMessage(*, channel, id)¶
-
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:-
TextChannel.get_partial_message()
-
VoiceChannel.get_partial_message()
-
Thread.get_partial_message()
-
DMChannel.get_partial_message()
Note that this class is trimmed down and has no rich attributes.
New in version 1.6.
- x == y
-
Checks if two partial messages are equal.
- x != y
-
Checks if two partial messages are not equal.
- hash(x)
-
Returns the partial message’s hash.
- channel¶
-
The channel associated with this partial message.
- Type
-
Union[
PartialMessageable
,TextChannel
,VoiceChannel
,Thread
,DMChannel
]
- id¶
-
The message ID.
- Type
-
int
- guild¶
-
The guild that the partial message belongs to, if applicable.
- Type
-
Optional[
Guild
]
- property created_at¶
-
The partial message’s creation time in UTC.
- Type
-
datetime.datetime
- property jump_url¶
-
Returns a URL that allows the client to jump to this message.
- Type
-
str
- await fetch()¶
-
This function is a coroutine.
Fetches the partial message to a full
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.
-
- Returns
-
The full message.
- Return type
-
Message
- await delete(*, delay=None)¶
-
This function is a coroutine.
Deletes the message.
Your own messages could be deleted without any proper permissions. However to
delete other people’s messages, you must havemanage_messages
.Changed in version 1.1: Added the new
delay
keyword-only parameter.- Parameters
-
delay (Optional[
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. - Raises
-
-
Forbidden – You do not have proper permissions to delete the message.
-
NotFound – The message was deleted already
-
HTTPException – Deleting the message failed.
-
- await edit(*, content=…, embed=…, embeds=…, attachments=…, delete_after=None, allowed_mentions=…, view=…)¶
-
This function is a coroutine.
Edits the message.
The content must be able to be transformed into a string via
str(content)
.Changed in version 2.0: Edits are no longer in-place, the newly edited message is returned instead.
Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
-
content (Optional[
str
]) – The new content to replace the message with.
Could beNone
to remove the content. -
embed (Optional[
Embed
]) – The new embed to replace the original with.
Could beNone
to remove the embed. -
embeds (List[
Embed
]) –The new embeds to replace the original with. Must be a maximum of 10.
To remove all embeds[]
should be passed.New in version 2.0.
-
attachments (List[Union[
Attachment
,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.Note
New files will always appear after current attachments.
New in version 2.0.
-
delete_after (Optional[
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[
AllowedMentions
]) –Controls the mentions being processed in this message. If this is
passed, then the object is merged withallowed_mentions
.
The merging behaviour only overrides attributes that have been explicitly passed
to the object, otherwise it uses the attributes set inallowed_mentions
.
If no object is passed at all then the defaults given byallowed_mentions
are used instead.New in version 1.4.
-
view (Optional[
View
]) – The updated view to update this message with. IfNone
is passed then
the view is removed.
-
- 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
andembeds
-
- Returns
-
The newly edited message.
- Return type
-
Message
- await publish()¶
-
This function is a coroutine.
Publishes this message to your announcement channel.
You must have
send_messages
to do this.If the message is not your own then
manage_messages
is also needed.- Raises
-
-
Forbidden – You do not have the proper permissions to publish this message.
-
HTTPException – Publishing the message failed.
-
- await pin(*, reason=None)¶
-
This function is a coroutine.
Pins the message.
You must have
manage_messages
to do
this in a non-private channel context.- Parameters
-
reason (Optional[
str
]) –The reason for pinning the message. Shows up on the audit log.
New in version 1.4.
- 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.
-
- await unpin(*, reason=None)¶
-
This function is a coroutine.
Unpins the message.
You must have
manage_messages
to do
this in a non-private channel context.- Parameters
-
reason (Optional[
str
]) –The reason for unpinning the message. Shows up on the audit log.
New in version 1.4.
- 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.
-
- await add_reaction(emoji, /)¶
-
This function is a coroutine.
Adds a reaction to the message.
The emoji may be a unicode emoji or a custom guild
Emoji
.You must have
read_message_history
to do this. If nobody else has reacted to the message using this
emoji,add_reactions
is required.Changed in version 2.0:
emoji
parameter is now positional-only.Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
emoji (Union[
Emoji
,Reaction
,PartialEmoji
,str
]) – The emoji to react with. - 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.
-
- await remove_reaction(emoji, member)¶
-
This function is a coroutine.
Remove a reaction by the member from the message.
The emoji may be a unicode emoji or a custom guild
Emoji
.If the reaction is not your own (i.e.
member
parameter is not you) then
manage_messages
is needed.The
member
parameter must represent a member and meet
theabc.Snowflake
abc.Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
-
emoji (Union[
Emoji
,Reaction
,PartialEmoji
,str
]) – The emoji to remove. -
member (
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.
-
- await clear_reaction(emoji)¶
-
This function is a coroutine.
Clears a specific reaction from the message.
The emoji may be a unicode emoji or a custom guild
Emoji
.You must have
manage_messages
to do this.New in version 1.3.
Changed in version 2.0: This function will now raise
TypeError
instead of
InvalidArgument
.- Parameters
-
emoji (Union[
Emoji
,Reaction
,PartialEmoji
,str
]) – The emoji to clear. - 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.
-
- await clear_reactions()¶
-
This function is a coroutine.
Removes all the reactions from the message.
You must have
manage_messages
to do this.- Raises
-
-
HTTPException – Removing the reactions failed.
-
Forbidden – You do not have the proper permissions to remove all the reactions.
-
- await create_thread(*, name, auto_archive_duration=…, slowmode_delay=None, reason=None)¶
-
This function is a coroutine.
Creates a public thread from this message.
You must have
create_public_threads
in order to
create a public thread from a message.The channel this message belongs in must be a
TextChannel
.New in version 2.0.
- Parameters
-
-
name (
str
) – The name of the thread. -
auto_archive_duration (
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[
int
]) – Specifies the slowmode rate limit for user in this channel, in seconds.
The maximum value possible is21600
. By default no slowmode rate limit
if this isNone
. -
reason (Optional[
str
]) – The reason for creating a new thread. Shows up on the audit log.
-
- 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.
-
- Returns
-
The created thread.
- Return type
-
Thread
- await reply(content=None, **kwargs)¶
-
This function is a coroutine.
A shortcut method to
abc.Messageable.send()
to reply to the
Message
.New in version 1.6.
Changed in version 2.0: This function will now raise
TypeError
or
ValueError
instead ofInvalidArgument
.- Raises
-
-
HTTPException – Sending the message failed.
-
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
andfiles
.
-
- Returns
-
The message that was sent.
- Return type
-
Message
- to_reference(*, fail_if_not_exists=True)¶
-
Creates a
MessageReference
from the current message.New in version 1.6.
- Parameters
-
fail_if_not_exists (
bool
) –Whether replying using the message reference should raise
HTTPException
if the message no longer exists or Discord could not fetch the message.New in version 1.7.
- Returns
-
The reference to this message.
- Return type
-
MessageReference
-
MessageApplication¶
Attributes
- cover
- description
- icon
- id
- name
- class discord.MessageApplication(*, state, data)¶
-
Represents a message’s application data from a
Message
.New in version 2.0.
- id¶
-
The application ID.
- Type
-
int
- description¶
-
The application description.
- Type
-
str
- name¶
-
The application’s name.
- Type
-
str
- property icon¶
-
The application’s icon, if any.
- Type
-
Optional[
Asset
]
- property cover¶
-
The application’s cover image, if any.
- Type
-
Optional[
Asset
]
Intents¶
Attributes
- auto_moderation
- auto_moderation_configuration
- auto_moderation_execution
- bans
- dm_messages
- dm_reactions
- dm_typing
- emojis
- emojis_and_stickers
- guild_messages
- guild_reactions
- guild_scheduled_events
- guild_typing
- guilds
- integrations
- invites
- members
- message_content
- messages
- presences
- reactions
- typing
- value
- voice_states
- webhooks
Methods
-
clsIntents.all -
clsIntents.default -
clsIntents.none
- class discord.Intents(value=0, **kwargs)¶
-
Wraps up a Discord gateway intent flag.
Similar to
Permissions
, the properties provided are two way.
You can set and retrieve individual bits using the properties as if they
were regular bools.To construct an object you can pass keyword arguments denoting the flags
to enable or disable.This is used to disable certain gateway features that are unnecessary to
run your bot. To make use of this, it is passed to theintents
keyword
argument ofClient
.New in version 1.5.
- x == y
-
Checks if two flags are equal.
- x != y
-
Checks if two flags are not equal.
- x | y, x |= y
-
Returns an Intents instance with all enabled flags from
both x and y.New in version 2.0.
- x & y, x &= y
-
Returns an Intents instance with only flags enabled on
both x and y.New in version 2.0.
- x ^ y, x ^= y
-
Returns an Intents instance with only flags enabled on
only one of x or y, not on both.New in version 2.0.
- ~x
-
Returns an Intents instance with all flags inverted from x.
New in version 2.0.
- hash(x)
-
Return the flag’s hash.
- 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.
- value¶
-
The raw value. You should query flags via the properties
rather than using this raw value.- Type
-
int
- classmethod all()¶
-
A factory method that creates a
Intents
with everything enabled.
- classmethod none()¶
-
A factory method that creates a
Intents
with everything disabled.
- classmethod default()¶
-
A factory method that creates a
Intents
with everything enabled
exceptpresences
,members
, andmessage_content
.
- guilds¶
-
Whether guild related events are enabled.
This corresponds to the following events:
-
on_guild_join()
-
on_guild_remove()
-
on_guild_available()
-
on_guild_unavailable()
-
on_guild_channel_update()
-
on_guild_channel_create()
-
on_guild_channel_delete()
-
on_guild_channel_pins_update()
-
on_thread_create()
-
on_thread_join()
-
on_thread_update()
-
on_thread_delete()
This also corresponds to the following attributes and classes in terms of cache:
-
Client.guilds
-
Guild
and all its attributes. -
Client.get_channel()
-
Client.get_all_channels()
It is highly advisable to leave this intent enabled for your bot to function.
- Type
-
bool
-
- members¶
-
Whether guild member related events are enabled.
This corresponds to the following events:
-
on_member_join()
-
on_member_remove()
-
on_member_update()
-
on_user_update()
-
on_thread_member_join()
-
on_thread_member_remove()
This also corresponds to the following attributes and classes in terms of cache:
-
Client.get_all_members()
-
Client.get_user()
-
Guild.chunk()
-
Guild.fetch_members()
-
Guild.get_member()
-
Guild.members
-
Member.roles
-
Member.nick
-
Member.premium_since
-
User.name
-
User.avatar
-
User.discriminator
For more information go to the member intent documentation.
Note
Currently, this requires opting in explicitly via the developer portal as well.
Bots in over 100 guilds will need to apply to Discord for verification.- Type
-
bool
-
- bans¶
-
Whether guild ban related events are enabled.
This corresponds to the following events:
-
on_member_ban()
-
on_member_unban()
This does not correspond to any attributes or classes in the library in terms of cache.
- Type
-
bool
-
- emojis¶
-
Alias of
emojis_and_stickers
.Changed in version 2.0: Changed to an alias.
- Type
-
bool
- emojis_and_stickers¶
-
Whether guild emoji and sticker related events are enabled.
New in version 2.0.
This corresponds to the following events:
-
on_guild_emojis_update()
-
on_guild_stickers_update()
This also corresponds to the following attributes and classes in terms of cache:
-
Emoji
-
GuildSticker
-
Client.get_emoji()
-
Client.get_sticker()
-
Client.emojis()
-
Client.stickers()
-
Guild.emojis
-
Guild.stickers
- Type
-
bool
-
- integrations¶
-
Whether guild integration related events are enabled.
This corresponds to the following events:
-
on_guild_integrations_update()
-
on_integration_create()
-
on_integration_update()
-
on_raw_integration_delete()
This does not correspond to any attributes or classes in the library in terms of cache.
- Type
-
bool
-
- webhooks¶
-
Whether guild webhook related events are enabled.
This corresponds to the following events:
-
on_webhooks_update()
This does not correspond to any attributes or classes in the library in terms of cache.
- Type
-
bool
-
- invites¶
-
Whether guild invite related events are enabled.
This corresponds to the following events:
-
on_invite_create()
-
on_invite_delete()
This does not correspond to any attributes or classes in the library in terms of cache.
- Type
-
bool
-
- voice_states¶
-
Whether guild voice state related events are enabled.
This corresponds to the following events:
-
on_voice_state_update()
This also corresponds to the following attributes and classes in terms of cache:
-
VoiceChannel.members
-
VoiceChannel.voice_states
-
Member.voice
Note
This intent is required to connect to voice.
- Type
-
bool
-
- presences¶
-
Whether guild presence related events are enabled.
This corresponds to the following events:
-
on_presence_update()
This also corresponds to the following attributes and classes in terms of cache:
-
Member.activities
-
Member.status
-
Member.raw_status
For more information go to the presence intent documentation.
Note
Currently, this requires opting in explicitly via the developer portal as well.
Bots in over 100 guilds will need to apply to Discord for verification.- Type
-
bool
-
- messages¶
-
Whether guild and direct message related events are enabled.
This is a shortcut to set or get both
guild_messages
anddm_messages
.This corresponds to the following events:
-
on_message()
(both guilds and DMs) -
on_message_edit()
(both guilds and DMs) -
on_message_delete()
(both guilds and DMs) -
on_raw_message_delete()
(both guilds and DMs) -
on_raw_message_edit()
(both guilds and DMs)
This also corresponds to the following attributes and classes in terms of cache:
-
Message
-
Client.cached_messages
Note that due to an implicit relationship this also corresponds to the following events:
-
on_reaction_add()
(both guilds and DMs) -
on_reaction_remove()
(both guilds and DMs) -
on_reaction_clear()
(both guilds and DMs)
- Type
-
bool
-
- guild_messages¶
-
Whether guild message related events are enabled.
See also
dm_messages
for DMs ormessages
for both.This corresponds to the following events:
-
on_message()
(only for guilds) -
on_message_edit()
(only for guilds) -
on_message_delete()
(only for guilds) -
on_raw_message_delete()
(only for guilds) -
on_raw_message_edit()
(only for guilds)
This also corresponds to the following attributes and classes in terms of cache:
-
Message
-
Client.cached_messages
(only for guilds)
Note that due to an implicit relationship this also corresponds to the following events:
-
on_reaction_add()
(only for guilds) -
on_reaction_remove()
(only for guilds) -
on_reaction_clear()
(only for guilds)
- Type
-
bool
-
- dm_messages¶
-
Whether direct message related events are enabled.
See also
guild_messages
for guilds ormessages
for both.This corresponds to the following events:
-
on_message()
(only for DMs) -
on_message_edit()
(only for DMs) -
on_message_delete()
(only for DMs) -
on_raw_message_delete()
(only for DMs) -
on_raw_message_edit()
(only for DMs)
This also corresponds to the following attributes and classes in terms of cache:
-
Message
-
Client.cached_messages
(only for DMs)
Note that due to an implicit relationship this also corresponds to the following events:
-
on_reaction_add()
(only for DMs) -
on_reaction_remove()
(only for DMs) -
on_reaction_clear()
(only for DMs)
- Type
-
bool
-
- reactions¶
-
Whether guild and direct message reaction related events are enabled.
This is a shortcut to set or get both
guild_reactions
anddm_reactions
.This corresponds to the following events:
-
on_reaction_add()
(both guilds and DMs) -
on_reaction_remove()
(both guilds and DMs) -
on_reaction_clear()
(both guilds and DMs) -
on_raw_reaction_add()
(both guilds and DMs) -
on_raw_reaction_remove()
(both guilds and DMs) -
on_raw_reaction_clear()
(both guilds and DMs)
This also corresponds to the following attributes and classes in terms of cache:
-
Message.reactions
(both guild and DM messages)
- Type
-
bool
-
- guild_reactions¶
-
Whether guild message reaction related events are enabled.
See also
dm_reactions
for DMs orreactions
for both.This corresponds to the following events:
-
on_reaction_add()
(only for guilds) -
on_reaction_remove()
(only for guilds) -
on_reaction_clear()
(only for guilds) -
on_raw_reaction_add()
(only for guilds) -
on_raw_reaction_remove()
(only for guilds) -
on_raw_reaction_clear()
(only for guilds)
This also corresponds to the following attributes and classes in terms of cache:
-
Message.reactions
(only for guild messages)
- Type
-
bool
-
- dm_reactions¶
-
Whether direct message reaction related events are enabled.
See also
guild_reactions
for guilds orreactions
for both.This corresponds to the following events:
-
on_reaction_add()
(only for DMs) -
on_reaction_remove()
(only for DMs) -
on_reaction_clear()
(only for DMs) -
on_raw_reaction_add()
(only for DMs) -
on_raw_reaction_remove()
(only for DMs) -
on_raw_reaction_clear()
(only for DMs)
This also corresponds to the following attributes and classes in terms of cache:
-
Message.reactions
(only for DM messages)
- Type
-
bool
-
- typing¶
-
Whether guild and direct message typing related events are enabled.
This is a shortcut to set or get both
guild_typing
anddm_typing
.This corresponds to the following events:
-
on_typing()
(both guilds and DMs)
This does not correspond to any attributes or classes in the library in terms of cache.
- Type
-
bool
-
- guild_typing¶
-
Whether guild and direct message typing related events are enabled.
See also
dm_typing
for DMs ortyping
for both.This corresponds to the following events:
-
on_typing()
(only for guilds)
This does not correspond to any attributes or classes in the library in terms of cache.
- Type
-
bool
-
- dm_typing¶
-
Whether guild and direct message typing related events are enabled.
See also
guild_typing
for guilds ortyping
for both.This corresponds to the following events:
-
on_typing()
(only for DMs)
This does not correspond to any attributes or classes in the library in terms of cache.
- Type
-
bool
-
- message_content¶
-
Whether message content, attachments, embeds and components will be available in messages
which do not meet the following criteria:-
The message was sent by the client
-
The message was sent in direct messages
-
The message mentions the client
This applies to the following events:
-
on_message()
-
on_message_edit()
-
on_message_delete()
-
on_raw_message_edit()
For more information go to the message content intent documentation.
Note
Currently, this requires opting in explicitly via the developer portal as well.
Bots in over 100 guilds will need to apply to Discord for verification.New in version 2.0.
- Type
-
bool
-
- guild_scheduled_events¶
-
Whether guild scheduled event related events are enabled.
This corresponds to the following events:
-
on_scheduled_event_create()
-
on_scheduled_event_update()
-
on_scheduled_event_delete()
-
on_scheduled_event_user_add()
-
on_scheduled_event_user_remove()
New in version 2.0.
- Type
-
bool
-
- auto_moderation¶
-
Whether auto moderation related events are enabled.
This is a shortcut to set or get both
auto_moderation_configuration
andauto_moderation_execution
.This corresponds to the following events:
-
on_automod_rule_create()
-
on_automod_rule_update()
-
on_automod_rule_delete()
-
on_automod_action()
New in version 2.0.
- Type
-
bool
-
- auto_moderation_configuration¶
-
Whether auto moderation configuration related events are enabled.
This corresponds to the following events:
-
on_automod_rule_create()
-
on_automod_rule_update()
-
on_automod_rule_delete()
New in version 2.0.
- Type
-
bool
-
- auto_moderation_execution¶
-
Whether auto moderation execution related events are enabled.
This corresponds to the following events:
—on_automod_action()
New in version 2.0.
- Type
-
bool
MemberCacheFlags¶
- class discord.MemberCacheFlags(**kwargs)¶
-
Controls the library’s cache policy when it comes to members.
This allows for finer grained control over what members are cached.
Note that the bot’s own member is always cached. This class is passed
to themember_cache_flags
parameter inClient
.Due to a quirk in how Discord works, in order to ensure proper cleanup
of cache resources it is recommended to haveIntents.members
enabled. Otherwise the library cannot know when a member leaves a guild and
is thus unable to cleanup after itself.To construct an object you can pass keyword arguments denoting the flags
to enable or disable.The default value is all flags enabled.
New in version 1.5.
- x == y
-
Checks if two flags are equal.
- x != y
-
Checks if two flags are not equal.
- x | y, x |= y
-
Returns a MemberCacheFlags instance with all enabled flags from
both x and y.New in version 2.0.
- x & y, x &= y
-
Returns a MemberCacheFlags instance with only flags enabled on
both x and y.New in version 2.0.
- x ^ y, x ^= y
-
Returns a MemberCacheFlags instance with only flags enabled on
only one of x or y, not on both.New in version 2.0.
- ~x
-
Returns a MemberCacheFlags instance with all flags inverted from x.
New in version 2.0.
- hash(x)
-
Return the flag’s hash.
- 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.
- value¶
-
The raw value. You should query flags via the properties
rather than using this raw value.- Type
-
int
- classmethod all()¶
-
A factory method that creates a
MemberCacheFlags
with everything enabled.
- classmethod none()¶
-
A factory method that creates a
MemberCacheFlags
with everything disabled.
- voice¶
-
Whether to cache members that are in voice.
This requires
Intents.voice_states
.Members that leave voice are no longer cached.
- Type
-
bool
- joined¶
-
Whether to cache members that joined the guild
or are chunked as part of the initial log in flow.This requires
Intents.members
.Members that leave the guild are no longer cached.
- Type
-
bool
- classmethod from_intents(intents)¶
-
A factory method that creates a
MemberCacheFlags
based on
the currently selectedIntents
.- Parameters
-
intents (
Intents
) – The intents to select from. - Returns
-
The resulting member cache flags.
- Return type
-
MemberCacheFlags
ApplicationFlags¶
Attributes
- active
- app_commands_badge
- embedded
- gateway_guild_members
- gateway_guild_members_limited
- gateway_message_content
- gateway_message_content_limited
- gateway_presence
- gateway_presence_limited
- value
- verification_pending_guild_limit
- class discord.ApplicationFlags(**kwargs)¶
-
Wraps up the Discord Application flags.
- x == y
-
Checks if two ApplicationFlags are equal.
- x != y
-
Checks if two ApplicationFlags are not equal.
- x | y, x |= y
-
Returns an ApplicationFlags instance with all enabled flags from
both x and y.New in version 2.0.
- x & y, x &= y
-
Returns an ApplicationFlags instance with only flags enabled on
both x and y.New in version 2.0.
- x ^ y, x ^= y
-
Returns an ApplicationFlags instance with only flags enabled on
only one of x or y, not on both.New in version 2.0.
- ~x
-
Returns an ApplicationFlags instance with all flags inverted from x.
New in version 2.0.
- hash(x)
-
Return the flag’s hash.
- 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.
New in version 2.0.
- value¶
-
The raw value. You should query flags via the properties
rather than using this raw value.- Type
-
int
- gateway_presence¶
-
Returns
True
if the application is verified and is allowed to
receive presence information over the gateway.- Type
-
bool
- gateway_presence_limited¶
-
Returns
True
if the application is allowed to receive limited
presence information over the gateway.- Type
-
bool
- gateway_guild_members¶
-
Returns
True
if the application is verified and is allowed to
receive guild members information over the gateway.- Type
-
bool
- gateway_guild_members_limited¶
-
Returns
True
if the application is allowed to receive limited
guild members information over the gateway.- Type
-
bool
- verification_pending_guild_limit¶
-
Returns
True
if the application is currently pending verification
and has hit the guild limit.- Type
-
bool
- embedded¶
-
Returns
True
if the application is embedded within the Discord client.- Type
-
bool
- gateway_message_content¶
-
Returns
True
if the application is verified and is allowed to
read message content in guilds.- Type
-
bool
- gateway_message_content_limited¶
-
Returns
True
if the application is unverified and is allowed to
read message content in guilds.- Type
-
bool
- app_commands_badge¶
-
Returns
True
if the application has registered a global application
command. This shows up as a badge in the official client.- Type
-
bool
- active¶
-
Returns
True
if the application has had at least one global application
command used in the last 30 days.New in version 2.1.
- Type
-
bool
ChannelFlags¶
Attributes
- pinned
- require_tag
- value
- class discord.ChannelFlags(**kwargs)¶
-
Wraps up the Discord
GuildChannel
orThread
flags.- x == y
-
Checks if two channel flags are equal.
- x != y
-
Checks if two channel flags are not equal.
- x | y, x |= y
-
Returns a ChannelFlags instance with all enabled flags from
both x and y.New in version 2.0.
- x & y, x &= y
-
Returns a ChannelFlags instance with only flags enabled on
both x and y.New in version 2.0.
- x ^ y, x ^= y
-
Returns a ChannelFlags instance with only flags enabled on
only one of x or y, not on both.New in version 2.0.
- ~x
-
Returns a ChannelFlags instance with all flags inverted from x.
New in version 2.0.
- hash(x)
-
Return the flag’s hash.
- 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.
New in version 2.0.
- value¶
-
The raw value. You should query flags via the properties
rather than using this raw value.- Type
-
int
- pinned¶
-
Returns
True
if the thread is pinned to the forum channel.- Type
-
bool
- require_tag¶
-
Returns
True
if a tag is required to be specified when creating a thread
in aForumChannel
.New in version 2.1.
- Type
-
bool
AutoModPresets¶
- class discord.AutoModPresets(**kwargs)¶
-
Wraps up the Discord
AutoModRule
presets.New in version 2.0.
- x == y
-
Checks if two AutoMod preset flags are equal.
- x != y
-
Checks if two AutoMod preset flags are not equal.
- x | y, x |= y
-
Returns an AutoModPresets instance with all enabled flags from
both x and y.New in version 2.0.
- x & y, x &= y
-
Returns an AutoModPresets instance with only flags enabled on
both x and y.New in version 2.0.
- x ^ y, x ^= y
-
Returns an AutoModPresets instance with only flags enabled on
only one of x or y, not on both.New in version 2.0.
- ~x
-
Returns an AutoModPresets instance with all flags inverted from x.
New in version 2.0.
- hash(x)
-
Return the flag’s hash.
- 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.
- value¶
-
The raw value. You should query flags via the properties
rather than using this raw value.- Type
-
int
- profanity¶
-
Whether to use the preset profanity filter.
- Type
-
bool
- sexual_content¶
-
Whether to use the preset sexual content filter.
- Type
-
bool
- slurs¶
-
Whether to use the preset slurs filter.
- Type
-
bool
- classmethod all()¶
-
A factory method that creates a
AutoModPresets
with everything enabled.
- classmethod none()¶
-
A factory method that creates a
AutoModPresets
with everything disabled.
AutoModRuleAction¶
Attributes
- channel_id
- duration
- type
- class discord.AutoModRuleAction(*, channel_id=None, duration=None)¶
-
Represents an auto moderation’s rule action.
New in version 2.0.
- type¶
-
The type of action to take.
Defaults toblock_message
.- Type
-
AutoModRuleActionType
- channel_id¶
-
The ID of the channel or thread to send the alert message to, if any.
Passing this setstype
tosend_alert_message
.- Type
-
Optional[
int
]
- duration¶
-
The duration of the timeout to apply, if any.
Has a maximum of 28 days.
Passing this setstype
totimeout
.- Type
-
Optional[
datetime.timedelta
]
AutoModTrigger¶
- class discord.AutoModTrigger(*, type=None, keyword_filter=None, presets=None, allow_list=None, mention_limit=None, regex_patterns=None)¶
-
Represents a trigger for an auto moderation rule.
The following table illustrates relevant attributes for each
AutoModRuleTriggerType
:New in version 2.0.
- type¶
-
The type of trigger.
- Type
-
AutoModRuleTriggerType
- keyword_filter¶
-
The list of strings that will trigger the keyword filter. Maximum of 1000.
Keywords can only be up to 30 characters in length.This could be combined with
regex_patterns
.- Type
-
List[
str
]
- regex_patterns¶
-
The regex pattern that will trigger the filter. The syntax is based off of
Rust’s regex syntax.
Maximum of 10. Regex strings can only be up to 75 characters in length.This could be combined with
keyword_filter
.New in version 2.1.
- Type
-
List[
str
]
- presets¶
-
The presets used with the preset keyword filter.
- Type
-
AutoModPresets
- allow_list¶
-
The list of words that are exempt from the commonly flagged words.
- Type
-
List[
str
]
- mention_limit¶
-
The total number of user and role mentions a message can contain.
Has a maximum of 50.- Type
-
int
File¶
Attributes
- description
- filename
- fp
- spoiler
- class discord.File(fp, filename=None, *, spoiler=…, description=None)¶
-
A parameter object used for
abc.Messageable.send()
for sending file objects.Note
File objects are single use and are not meant to be reused in
multipleabc.Messageable.send()
s.- fp¶
-
A file-like object opened in binary mode and read mode
or a filename representing a file in the hard drive to
open.Note
If the file-like object passed is opened via
open
then the
modes ‘rb’ should be used.To pass binary data, consider usage of
io.BytesIO
.- Type
-
Union[
os.PathLike
,io.BufferedIOBase
]
- spoiler¶
-
Whether the attachment is a spoiler. If left unspecified, the
filename
is used
to determine if the file is a spoiler.- Type
-
bool
- description¶
-
The file description to display, currently only supported for images.
New in version 2.0.
- Type
-
Optional[
str
]
- property filename¶
-
The filename to display when uploading to Discord.
If this is not given then it defaults tofp.name
or iffp
is
a string then thefilename
will default to the string given.- Type
-
str
Colour¶
Methods
-
clsColour.blue -
clsColour.blurple -
clsColour.brand_green -
clsColour.brand_red -
clsColour.dark_blue -
clsColour.dark_gold -
clsColour.dark_gray -
clsColour.dark_green -
clsColour.dark_grey -
clsColour.dark_magenta -
clsColour.dark_orange -
clsColour.dark_purple -
clsColour.dark_red -
clsColour.dark_teal -
clsColour.dark_theme -
clsColour.darker_gray -
clsColour.darker_grey -
clsColour.default -
clsColour.from_hsv -
clsColour.from_rgb -
clsColour.from_str -
clsColour.fuchsia -
clsColour.gold -
clsColour.green -
clsColour.greyple -
clsColour.light_gray -
clsColour.light_grey -
clsColour.lighter_gray -
clsColour.lighter_grey -
clsColour.magenta -
clsColour.og_blurple -
clsColour.orange -
clsColour.purple -
clsColour.random -
clsColour.red -
clsColour.teal -
clsColour.yellow -
defto_rgb
- class discord.Colour(value)¶
-
Represents a Discord role colour. This class is similar
to a (red, green, blue)tuple
.There is an alias for this called Color.
- x == y
-
Checks if two colours are equal.
- x != y
-
Checks if two colours are not equal.
- hash(x)
-
Return the colour’s hash.
- str(x)
-
Returns the hex format for the colour.
- int(x)
-
Returns the raw colour value.
- value¶
-
The raw integer colour value.
- Type
-
int
- property r¶
-
Returns the red component of the colour.
- Type
-
int
- property g¶
-
Returns the green component of the colour.
- Type
-
int
- property b¶
-
Returns the blue component of the colour.
- Type
-
int
- to_rgb()¶
-
Tuple[
int
,int
,int
]: Returns an (r, g, b) tuple representing the colour.
- classmethod from_rgb(r, g, b)¶
-
Constructs a
Colour
from an RGB tuple.
- classmethod from_hsv(h, s, v)¶
-
Constructs a
Colour
from an HSV tuple.
- classmethod from_str(value)¶
-
Constructs a
Colour
from a string.The following formats are accepted:
-
0x<hex>
-
#<hex>
-
0x#<hex>
-
rgb(<number>, <number>, <number>)
Like CSS,
<number>
can be either 0-255 or 0-100% and<hex>
can be
either a 6 digit hex number or a 3 digit hex shortcut (e.g. #fff).New in version 2.0.
- Raises
-
ValueError – The string could not be converted into a colour.
-
- classmethod default()¶
-
A factory method that returns a
Colour
with a value of0
.
- classmethod random(*, seed=None)¶
-
A factory method that returns a
Colour
with a random hue.Note
The random algorithm works by choosing a colour with a random hue but
with maxed out saturation and value.New in version 1.6.
- Parameters
-
seed (Optional[Union[
int
,str
,float
,bytes
,bytearray
]]) –The seed to initialize the RNG with. If
None
is passed the default RNG is used.New in version 1.7.
- classmethod teal()¶
-
A factory method that returns a
Colour
with a value of0x1abc9c
.
- classmethod dark_teal()¶
-
A factory method that returns a
Colour
with a value of0x11806a
.
- classmethod brand_green()¶
-
A factory method that returns a
Colour
with a value of0x57F287
.New in version 2.0.
- classmethod green()¶
-
A factory method that returns a
Colour
with a value of0x2ecc71
.
- classmethod dark_green()¶
-
A factory method that returns a
Colour
with a value of0x1f8b4c
.
- classmethod blue()¶
-
A factory method that returns a
Colour
with a value of0x3498db
.
- classmethod dark_blue()¶
-
A factory method that returns a
Colour
with a value of0x206694
.
- classmethod purple()¶
-
A factory method that returns a
Colour
with a value of0x9b59b6
.
- classmethod dark_purple()¶
-
A factory method that returns a
Colour
with a value of0x71368a
.
- classmethod magenta()¶
-
A factory method that returns a
Colour
with a value of0xe91e63
.
- classmethod dark_magenta()¶
-
A factory method that returns a
Colour
with a value of0xad1457
.
- classmethod gold()¶
-
A factory method that returns a
Colour
with a value of0xf1c40f
.
- classmethod dark_gold()¶
-
A factory method that returns a
Colour
with a value of0xc27c0e
.
- classmethod orange()¶
-
A factory method that returns a
Colour
with a value of0xe67e22
.
- classmethod dark_orange()¶
-
A factory method that returns a
Colour
with a value of0xa84300
.
- classmethod brand_red()¶
-
A factory method that returns a
Colour
with a value of0xED4245
.New in version 2.0.
- classmethod red()¶
-
A factory method that returns a
Colour
with a value of0xe74c3c
.
- classmethod dark_red()¶
-
A factory method that returns a
Colour
with a value of0x992d22
.
- classmethod lighter_grey()¶
-
A factory method that returns a
Colour
with a value of0x95a5a6
.
- classmethod lighter_gray()¶
-
A factory method that returns a
Colour
with a value of0x95a5a6
.
- classmethod dark_grey()¶
-
A factory method that returns a
Colour
with a value of0x607d8b
.
- classmethod dark_gray()¶
-
A factory method that returns a
Colour
with a value of0x607d8b
.
- classmethod light_grey()¶
-
A factory method that returns a
Colour
with a value of0x979c9f
.
- classmethod light_gray()¶
-
A factory method that returns a
Colour
with a value of0x979c9f
.
- classmethod darker_grey()¶
-
A factory method that returns a
Colour
with a value of0x546e7a
.
- classmethod darker_gray()¶
-
A factory method that returns a
Colour
with a value of0x546e7a
.
- classmethod og_blurple()¶
-
A factory method that returns a
Colour
with a value of0x7289da
.
- classmethod blurple()¶
-
A factory method that returns a
Colour
with a value of0x5865F2
.
- classmethod greyple()¶
-
A factory method that returns a
Colour
with a value of0x99aab5
.
- classmethod dark_theme()¶
-
A factory method that returns a
Colour
with a value of0x36393F
.
This will appear transparent on Discord’s dark theme.New in version 1.5.
- classmethod fuchsia()¶
-
A factory method that returns a
Colour
with a value of0xEB459E
.New in version 2.0.
- classmethod yellow()¶
-
A factory method that returns a
Colour
with a value of0xFEE75C
.New in version 2.0.
BaseActivity¶
- class discord.BaseActivity(**kwargs)¶
-
The base activity that all user-settable activities inherit from.
A user-settable activity is one that can be used inClient.change_presence()
.The following types currently count as user-settable:
-
Activity
-
Game
-
Streaming
-
CustomActivity
Note that although these types are considered user-settable by the library,
Discord typically ignores certain combinations of activity depending on
what is currently set. This behaviour may change in the future so there are
no guarantees on whether Discord will actually let you set these types.New in version 1.3.
- property created_at¶
-
When the user started doing this activity in UTC.
New in version 1.3.
- Type
-
Optional[
datetime.datetime
]
-
Activity¶
Attributes
- application_id
- assets
- buttons
- details
- emoji
- end
- large_image_text
- large_image_url
- name
- party
- small_image_text
- small_image_url
- start
- state
- timestamps
- type
- url
- class discord.Activity(**kwargs)¶
-
Represents an activity in Discord.
This could be an activity such as streaming, playing, listening
or watching.For memory optimisation purposes, some activities are offered in slimmed
down versions:-
Game
-
Streaming
- application_id¶
-
The application ID of the game.
- Type
-
Optional[
int
]
- name¶
-
The name of the activity.
- Type
-
Optional[
str
]
- url¶
-
A stream URL that the activity could be doing.
- Type
-
Optional[
str
]
- type¶
-
The type of activity currently being done.
- Type
-
ActivityType
- state¶
-
The user’s current state. For example, “In Game”.
- Type
-
Optional[
str
]
- details¶
-
The detail of the user’s current activity.
- Type
-
Optional[
str
]
- timestamps¶
-
A dictionary of timestamps. It contains the following optional keys:
-
start
: Corresponds to when the user started doing the
activity in milliseconds since Unix epoch. -
end
: Corresponds to when the user will finish doing the
activity in milliseconds since Unix epoch.
- Type
-
dict
-
- assets¶
-
A dictionary representing the images and their hover text of an activity.
It contains the following optional keys:-
large_image
: A string representing the ID for the large image asset. -
large_text
: A string representing the text when hovering over the large image asset. -
small_image
: A string representing the ID for the small image asset. -
small_text
: A string representing the text when hovering over the small image asset.
- Type
-
dict
-
- party¶
-
A dictionary representing the activity party. It contains the following optional keys:
-
id
: A string representing the party ID. -
size
: A list of up to two integer elements denoting (current_size, maximum_size).
- Type
-
dict
-
- buttons¶
-
A list of strings representing the labels of custom buttons shown in a rich presence.
New in version 2.0.
- Type
-
List[
str
]
- emoji¶
-
The emoji that belongs to this activity.
- Type
-
Optional[
PartialEmoji
]
- property start¶
-
When the user started doing this activity in UTC, if applicable.
- Type
-
Optional[
datetime.datetime
]
- property end¶
-
When the user will stop doing this activity in UTC, if applicable.
- Type
-
Optional[
datetime.datetime
]
- property large_image_url¶
-
Returns a URL pointing to the large image asset of this activity, if applicable.
- Type
-
Optional[
str
]
- property small_image_url¶
-
Returns a URL pointing to the small image asset of this activity, if applicable.
- Type
-
Optional[
str
]
- property large_image_text¶
-
Returns the large image asset hover text of this activity, if applicable.
- Type
-
Optional[
str
]
- property small_image_text¶
-
Returns the small image asset hover text of this activity, if applicable.
- Type
-
Optional[
str
]
-
Game¶
Attributes
- end
- name
- start
- type
- class discord.Game(name, **extra)¶
-
A slimmed down version of
Activity
that represents a Discord game.This is typically displayed via Playing on the official Discord client.
- x == y
-
Checks if two games are equal.
- x != y
-
Checks if two games are not equal.
- hash(x)
-
Returns the game’s hash.
- str(x)
-
Returns the game’s name.
- Parameters
-
name (
str
) – The game’s name.
- name¶
-
The game’s name.
- Type
-
str
- property type¶
-
Returns the game’s type. This is for compatibility with
Activity
.It always returns
ActivityType.playing
.- Type
-
ActivityType
- property start¶
-
When the user started playing this game in UTC, if applicable.
- Type
-
Optional[
datetime.datetime
]
- property end¶
-
When the user will stop playing this game in UTC, if applicable.
- Type
-
Optional[
datetime.datetime
]
Streaming¶
- class discord.Streaming(*, name, url, **extra)¶
-
A slimmed down version of
Activity
that represents a Discord streaming status.This is typically displayed via Streaming on the official Discord client.
- x == y
-
Checks if two streams are equal.
- x != y
-
Checks if two streams are not equal.
- hash(x)
-
Returns the stream’s hash.
- str(x)
-
Returns the stream’s name.
- platform¶
-
Where the user is streaming from (ie. YouTube, Twitch).
New in version 1.3.
- Type
-
Optional[
str
]
- name¶
-
The stream’s name.
- Type
-
Optional[
str
]
- details¶
-
An alias for
name
- Type
-
Optional[
str
]
- game¶
-
The game being streamed.
New in version 1.3.
- Type
-
Optional[
str
]
- url¶
-
The stream’s URL.
- Type
-
str
- assets¶
-
A dictionary comprising of similar keys than those in
Activity.assets
.- Type
-
dict
- property type¶
-
Returns the game’s type. This is for compatibility with
Activity
.It always returns
ActivityType.streaming
.- Type
-
ActivityType
- property twitch_name¶
-
If provided, the twitch name of the user streaming.
This corresponds to the
large_image
key of theStreaming.assets
dictionary if it starts withtwitch:
. Typically set by the Discord client.- Type
-
Optional[
str
]
CustomActivity¶
Attributes
- emoji
- name
- type
- class discord.CustomActivity(name, *, emoji=None, **extra)¶
-
Represents a custom activity from Discord.
- x == y
-
Checks if two activities are equal.
- x != y
-
Checks if two activities are not equal.
- hash(x)
-
Returns the activity’s hash.
- str(x)
-
Returns the custom status text.
New in version 1.3.
- name¶
-
The custom activity’s name.
- Type
-
Optional[
str
]
- emoji¶
-
The emoji to pass to the activity, if any.
- Type
-
Optional[
PartialEmoji
]
- property type¶
-
Returns the activity’s type. This is for compatibility with
Activity
.It always returns
ActivityType.custom
.- Type
-
ActivityType
Permissions¶
Attributes
- add_reactions
- administrator
- attach_files
- ban_members
- change_nickname
- connect
- create_instant_invite
- create_private_threads
- create_public_threads
- deafen_members
- embed_links
- external_emojis
- external_stickers
- kick_members
- manage_channels
- manage_emojis
- manage_emojis_and_stickers
- manage_events
- manage_guild
- manage_messages
- manage_nicknames
- manage_permissions
- manage_roles
- manage_threads
- manage_webhooks
- mention_everyone
- moderate_members
- move_members
- mute_members
- priority_speaker
- read_message_history
- read_messages
- request_to_speak
- send_messages
- send_messages_in_threads
- send_tts_messages
- speak
- stream
- use_application_commands
- use_embedded_activities
- use_external_emojis
- use_external_stickers
- use_voice_activation
- value
- view_audit_log
- view_channel
- view_guild_insights
Methods
-
clsPermissions.advanced -
clsPermissions.all -
clsPermissions.all_channel -
clsPermissions.elevated -
clsPermissions.general -
clsPermissions.membership -
clsPermissions.none -
clsPermissions.stage -
clsPermissions.stage_moderator -
clsPermissions.text -
clsPermissions.voice -
defis_strict_subset -
defis_strict_superset -
defis_subset -
defis_superset -
defupdate
- class discord.Permissions(permissions=0, **kwargs)¶
-
Wraps up the Discord permission value.
The properties provided are two way. You can set and retrieve individual
bits using the properties as if they were regular bools. This allows
you to edit permissions.Changed in version 1.3: You can now use keyword arguments to initialize
Permissions
similar toupdate()
.- x == y
-
Checks if two permissions are equal.
- x != y
-
Checks if two permissions are not equal.
- x <= y
-
Checks if a permission is a subset of another permission.
- x >= y
-
Checks if a permission is a superset of another permission.
- x < y
-
Checks if a permission is a strict subset of another permission.
- x > y
-
Checks if a permission is a strict superset of another permission.
- x | y, x |= y
-
Returns a Permissions instance with all enabled flags from
both x and y.New in version 2.0.
- x & y, x &= y
-
Returns a Permissions instance with only flags enabled on
both x and y.New in version 2.0.
- x ^ y, x ^= y
-
Returns a Permissions instance with only flags enabled on
only one of x or y, not on both.New in version 2.0.
- ~x
-
Returns a Permissions instance with all flags inverted from x.
New in version 2.0.
- hash(x)
-
Return the permission’s hash.
- iter(x)
-
Returns an iterator of
(perm, value)
pairs. This allows it
to be, for example, constructed as a dict or a list of pairs.
Note that aliases are not shown.
- value¶
-
The raw value. This value is a bit array field of a 53-bit integer
representing the currently available permissions. You should query
permissions via the properties rather than using this raw value.- Type
-
int
- is_subset(other)¶
-
Returns
True
if self has the same or fewer permissions as other.
- is_superset(other)¶
-
Returns
True
if self has the same or more permissions as other.
- is_strict_subset(other)¶
-
Returns
True
if the permissions on other are a strict subset of those on self.
- is_strict_superset(other)¶
-
Returns
True
if the permissions on other are a strict superset of those on self.
- classmethod none()¶
-
A factory method that creates a
Permissions
with all
permissions set toFalse
.
- classmethod all()¶
-
A factory method that creates a
Permissions
with all
permissions set toTrue
.
- classmethod all_channel()¶
-
A
Permissions
with all channel-specific permissions set to
True
and the guild-specific ones set toFalse
. The guild-specific
permissions are currently:-
manage_emojis
-
view_audit_log
-
view_guild_insights
-
manage_guild
-
change_nickname
-
manage_nicknames
-
kick_members
-
ban_members
-
administrator
Changed in version 1.7: Added
stream
,priority_speaker
anduse_application_commands
permissions.Changed in version 2.0: Added
create_public_threads
,create_private_threads
,manage_threads
,
use_external_stickers
,send_messages_in_threads
and
request_to_speak
permissions. -
- classmethod general()¶
-
A factory method that creates a
Permissions
with all
“General” permissions from the official Discord UI set toTrue
.Changed in version 1.7: Permission
read_messages
is now included in the general permissions, but
permissionsadministrator
,create_instant_invite
,kick_members
,
ban_members
,change_nickname
andmanage_nicknames
are
no longer part of the general permissions.
- classmethod membership()¶
-
A factory method that creates a
Permissions
with all
“Membership” permissions from the official Discord UI set toTrue
.New in version 1.7.
- classmethod text()¶
-
A factory method that creates a
Permissions
with all
“Text” permissions from the official Discord UI set toTrue
.Changed in version 1.7: Permission
read_messages
is no longer part of the text permissions.
Addeduse_application_commands
permission.Changed in version 2.0: Added
create_public_threads
,create_private_threads
,manage_threads
,
send_messages_in_threads
anduse_external_stickers
permissions.
- classmethod voice()¶
-
A factory method that creates a
Permissions
with all
“Voice” permissions from the official Discord UI set toTrue
.
- classmethod stage()¶
-
A factory method that creates a
Permissions
with all
“Stage Channel” permissions from the official Discord UI set toTrue
.New in version 1.7.
- classmethod stage_moderator()¶
-
A factory method that creates a
Permissions
with all permissions
for stage moderators set toTrue
. These permissions are currently:-
manage_channels
-
mute_members
-
move_members
New in version 1.7.
Changed in version 2.0: Added
manage_channels
permission and removedrequest_to_speak
permission. -
- classmethod elevated()¶
-
A factory method that creates a
Permissions
with all permissions
that require 2FA set toTrue
. These permissions are currently:-
kick_members
-
ban_members
-
administrator
-
manage_channels
-
manage_guild
-
manage_messages
-
manage_roles
-
manage_webhooks
-
manage_emojis_and_stickers
-
manage_threads
-
moderate_members
New in version 2.0.
-
- classmethod advanced()¶
-
A factory method that creates a
Permissions
with all
“Advanced” permissions from the official Discord UI set toTrue
.New in version 1.7.
- update(**kwargs)¶
-
Bulk updates this permission object.
Allows you to set multiple attributes by using keyword
arguments. The names must be equivalent to the properties
listed. Extraneous key/value pairs will be silently ignored.- Parameters
-
**kwargs – A list of key/value pairs to bulk update permissions with.
- create_instant_invite¶
-
Returns
True
if the user can create instant invites.- Type
-
bool
- kick_members¶
-
Returns
True
if the user can kick users from the guild.- Type
-
bool
- ban_members¶
-
Returns
True
if a user can ban users from the guild.- Type
-
bool
- administrator¶
-
Returns
True
if a user is an administrator. This role overrides all other permissions.This also bypasses all channel-specific overrides.
- Type
-
bool
- manage_channels¶
-
Returns
True
if a user can edit, delete, or create channels in the guild.This also corresponds to the “Manage Channel” channel-specific override.
- Type
-
bool
- manage_guild¶
-
Returns
True
if a user can edit guild properties.- Type
-
bool
- add_reactions¶
-
Returns
True
if a user can add reactions to messages.- Type
-
bool
- view_audit_log¶
-
Returns
True
if a user can view the guild’s audit log.- Type
-
bool
- priority_speaker¶
-
Returns
True
if a user can be more easily heard while talking.- Type
-
bool
- stream¶
-
Returns
True
if a user can stream in a voice channel.- Type
-
bool
- read_messages¶
-
Returns
True
if a user can read messages from all or specific text channels.- Type
-
bool
- view_channel¶
-
An alias for
read_messages
.New in version 1.3.
- Type
-
bool
- send_messages¶
-
Returns
True
if a user can send messages from all or specific text channels.- Type
-
bool
- send_tts_messages¶
-
Returns
True
if a user can send TTS messages from all or specific text channels.- Type
-
bool
- manage_messages¶
-
Returns
True
if a user can delete or pin messages in a text channel.Note
Note that there are currently no ways to edit other people’s messages.
- Type
-
bool
- embed_links¶
-
Returns
True
if a user’s messages will automatically be embedded by Discord.- Type
-
bool
- attach_files¶
-
Returns
True
if a user can send files in their messages.- Type
-
bool
- read_message_history¶
-
Returns
True
if a user can read a text channel’s previous messages.- Type
-
bool
- mention_everyone¶
-
Returns
True
if a user’s @everyone or @here will mention everyone in the text channel.- Type
-
bool
- external_emojis¶
-
Returns
True
if a user can use emojis from other guilds.- Type
-
bool
- use_external_emojis¶
-
An alias for
external_emojis
.New in version 1.3.
- Type
-
bool
- view_guild_insights¶
-
Returns
True
if a user can view the guild’s insights.New in version 1.3.
- Type
-
bool
- connect¶
-
Returns
True
if a user can connect to a voice channel.- Type
-
bool
- speak¶
-
Returns
True
if a user can speak in a voice channel.- Type
-
bool
- mute_members¶
-
Returns
True
if a user can mute other users.- Type
-
bool
- deafen_members¶
-
Returns
True
if a user can deafen other users.- Type
-
bool
- move_members¶
-
Returns
True
if a user can move users between other voice channels.- Type
-
bool
- use_voice_activation¶
-
Returns
True
if a user can use voice activation in voice channels.- Type
-
bool
- change_nickname¶
-
Returns
True
if a user can change their nickname in the guild.- Type
-
bool
- manage_nicknames¶
-
Returns
True
if a user can change other user’s nickname in the guild.- Type
-
bool
- manage_roles¶
-
Returns
True
if a user can create or edit roles less than their role’s position.This also corresponds to the “Manage Permissions” channel-specific override.
- Type
-
bool
- manage_permissions¶
-
An alias for
manage_roles
.New in version 1.3.
- Type
-
bool
- manage_webhooks¶
-
Returns
True
if a user can create, edit, or delete webhooks.- Type
-
bool
- manage_emojis¶
-
Returns
True
if a user can create, edit, or delete emojis.- Type
-
bool
- manage_emojis_and_stickers¶
-
An alias for
manage_emojis
.New in version 2.0.
- Type
-
bool
- use_application_commands¶
-
Returns
True
if a user can use slash commands.New in version 1.7.
- Type
-
bool
- request_to_speak¶
-
Returns
True
if a user can request to speak in a stage channel.New in version 1.7.
- Type
-
bool
- manage_events¶
-
Returns
True
if a user can manage guild events.New in version 2.0.
- Type
-
bool
- manage_threads¶
-
Returns
True
if a user can manage threads.New in version 2.0.
- Type
-
bool
- create_public_threads¶
-
Returns
True
if a user can create public threads.New in version 2.0.
- Type
-
bool
- create_private_threads¶
-
Returns
True
if a user can create private threads.New in version 2.0.
- Type
-
bool
- external_stickers¶
-
Returns
True
if a user can use stickers from other guilds.New in version 2.0.
- Type
-
bool
- use_external_stickers¶
-
An alias for
external_stickers
.New in version 2.0.
- Type
-
bool
- send_messages_in_threads¶
-
Returns
True
if a user can send messages in threads.New in version 2.0.
- Type
-
bool
- use_embedded_activities¶
-
Returns
True
if a user can launch an embedded application in a Voice channel.New in version 2.0.
- Type
-
bool
- moderate_members¶
-
Returns
True
if a user can time out other members.New in version 2.0.
- Type
-
bool
PermissionOverwrite¶
- class discord.PermissionOverwrite(**kwargs)¶
-
A type that is used to represent a channel specific permission.
Unlike a regular
Permissions
, the default value of a
permission is equivalent toNone
and notFalse
. Setting
a value toFalse
is explicitly denying that permission,
while setting a value toTrue
is explicitly allowing
that permission.The values supported by this are the same as
Permissions
with the added possibility of it being set toNone
.- x == y
-
Checks if two overwrites are equal.
- x != y
-
Checks if two overwrites are not equal.
- iter(x)
-
Returns an iterator of
(perm, value)
pairs. This allows it
to be, for example, constructed as a dict or a list of pairs.
Note that aliases are not shown.
- Parameters
-
**kwargs – Set the value of permissions by their name.
- pair()¶
-
Tuple[
Permissions
,Permissions
]: Returns the (allow, deny) pair from this overwrite.
- classmethod from_pair(allow, deny)¶
-
Creates an overwrite from an allow/deny pair of
Permissions
.
- is_empty()¶
-
Checks if the permission overwrite is currently empty.
An empty permission overwrite is one that has no overwrites set
toTrue
orFalse
.- Returns
-
Indicates if the overwrite is empty.
- Return type
-
bool
- update(**kwargs)¶
-
Bulk updates this permission overwrite object.
Allows you to set multiple attributes by using keyword
arguments. The names must be equivalent to the properties
listed. Extraneous key/value pairs will be silently ignored.- Parameters
-
**kwargs – A list of key/value pairs to bulk update with.
SystemChannelFlags¶
Attributes
- guild_reminder_notifications
- join_notification_replies
- join_notifications
- premium_subscriptions
- value
- class discord.SystemChannelFlags(**kwargs)¶
-
Wraps up a Discord system channel flag value.
Similar to
Permissions
, the properties provided are two way.
You can set and retrieve individual bits using the properties as if they
were regular bools. This allows you to edit the system flags easily.To construct an object you can pass keyword arguments denoting the flags
to enable or disable.- x == y
-
Checks if two flags are equal.
- x != y
-
Checks if two flags are not equal.
- x | y, x |= y
-
Returns a SystemChannelFlags instance with all enabled flags from
both x and y.New in version 2.0.
- x & y, x &= y
-
Returns a SystemChannelFlags instance with only flags enabled on
both x and y.New in version 2.0.
- x ^ y, x ^= y
-
Returns a SystemChannelFlags instance with only flags enabled on
only one of x or y, not on both.New in version 2.0.
- ~x
-
Returns a SystemChannelFlags instance with all flags inverted from x.
New in version 2.0.
- hash(x)
-
Return the flag’s hash.
- 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.
- value¶
-
The raw value. This value is a bit array field of a 53-bit integer
representing the currently available flags. You should query
flags via the properties rather than using this raw value.- Type
-
int
- join_notifications¶
-
Returns
True
if the system channel is used for member join notifications.- Type
-
bool
- premium_subscriptions¶
-
Returns
True
if the system channel is used for “Nitro boosting” notifications.- Type
-
bool
- guild_reminder_notifications¶
-
Returns
True
if the system channel is used for server setup helpful tips notifications.New in version 2.0.
- Type
-
bool
-
Returns
True
if sticker reply button (“Wave to say hi!”) is
shown for member join notifications.New in version 2.0.
- Type
-
bool
MessageFlags¶
Attributes
- crossposted
- ephemeral
- failed_to_mention_some_roles_in_thread
- has_thread
- is_crossposted
- loading
- source_message_deleted
- suppress_embeds
- urgent
- value
- class discord.MessageFlags(**kwargs)¶
-
Wraps up a Discord Message flag value.
See
SystemChannelFlags
.- x == y
-
Checks if two flags are equal.
- x != y
-
Checks if two flags are not equal.
- x | y, x |= y
-
Returns a MessageFlags instance with all enabled flags from
both x and y.New in version 2.0.
- x & y, x &= y
-
Returns a MessageFlags instance with only flags enabled on
both x and y.New in version 2.0.
- x ^ y, x ^= y
-
Returns a MessageFlags instance with only flags enabled on
only one of x or y, not on both.New in version 2.0.
- ~x
-
Returns a MessageFlags instance with all flags inverted from x.
New in version 2.0.
- hash(x)
-
Return the flag’s hash.
- 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.
New in version 1.3.
- value¶
-
The raw value. This value is a bit array field of a 53-bit integer
representing the currently available flags. You should query
flags via the properties rather than using this raw value.- Type
-
int
- crossposted¶
-
Returns
True
if the message is the original crossposted message.- Type
-
bool
- is_crossposted¶
-
Returns
True
if the message was crossposted from another channel.- Type
-
bool
- suppress_embeds¶
-
Returns
True
if the message’s embeds have been suppressed.- Type
-
bool
- source_message_deleted¶
-
Returns
True
if the source message for this crosspost has been deleted.- Type
-
bool
- urgent¶
-
Returns
True
if the source message is an urgent message.An urgent message is one sent by Discord Trust and Safety.
- Type
-
bool
- has_thread¶
-
Returns
True
if the source message is associated with a thread.New in version 2.0.
- Type
-
bool
- ephemeral¶
-
Returns
True
if the source message is ephemeral.New in version 2.0.
- Type
-
bool
- loading¶
-
Returns
True
if the message is an interaction response and the bot
is “thinking”.New in version 2.0.
- Type
-
bool
- failed_to_mention_some_roles_in_thread¶
-
Returns
True
if the message failed to mention some roles in a thread
and add their members to the thread.New in version 2.0.
- Type
-
bool
PublicUserFlags¶
Attributes
- active_developer
- bot_http_interactions
- bug_hunter
- bug_hunter_level_2
- discord_certified_moderator
- early_supporter
- early_verified_bot_developer
- hypesquad
- hypesquad_balance
- hypesquad_bravery
- hypesquad_brilliance
- partner
- spammer
- staff
- system
- team_user
- value
- verified_bot
- verified_bot_developer
- class discord.PublicUserFlags(**kwargs)¶
-
Wraps up the Discord User Public flags.
- x == y
-
Checks if two PublicUserFlags are equal.
- x != y
-
Checks if two PublicUserFlags are not equal.
- x | y, x |= y
-
Returns a PublicUserFlags instance with all enabled flags from
both x and y.New in version 2.0.
- x & y, x &= y
-
Returns a PublicUserFlags instance with only flags enabled on
both x and y.New in version 2.0.
- x ^ y, x ^= y
-
Returns a PublicUserFlags instance with only flags enabled on
only one of x or y, not on both.New in version 2.0.
- ~x
-
Returns a PublicUserFlags instance with all flags inverted from x.
New in version 2.0.
- hash(x)
-
Return the flag’s hash.
- 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.
New in version 1.4.
- value¶
-
The raw value. This value is a bit array field of a 53-bit integer
representing the currently available flags. You should query
flags via the properties rather than using this raw value.- Type
-
int
- staff¶
-
Returns
True
if the user is a Discord Employee.- Type
-
bool
- partner¶
-
Returns
True
if the user is a Discord Partner.- Type
-
bool
- hypesquad¶
-
Returns
True
if the user is a HypeSquad Events member.- Type
-
bool
- bug_hunter¶
-
Returns
True
if the user is a Bug Hunter- Type
-
bool
- hypesquad_bravery¶
-
Returns
True
if the user is a HypeSquad Bravery member.- Type
-
bool
- hypesquad_brilliance¶
-
Returns
True
if the user is a HypeSquad Brilliance member.- Type
-
bool
- hypesquad_balance¶
-
Returns
True
if the user is a HypeSquad Balance member.- Type
-
bool
- early_supporter¶
-
Returns
True
if the user is an Early Supporter.- Type
-
bool
- team_user¶
-
Returns
True
if the user is a Team User.- Type
-
bool
- system¶
-
Returns
True
if the user is a system user (i.e. represents Discord officially).- Type
-
bool
- bug_hunter_level_2¶
-
Returns
True
if the user is a Bug Hunter Level 2- Type
-
bool
- verified_bot¶
-
Returns
True
if the user is a Verified Bot.- Type
-
bool
- verified_bot_developer¶
-
Returns
True
if the user is an Early Verified Bot Developer.- Type
-
bool
- early_verified_bot_developer¶
-
An alias for
verified_bot_developer
.New in version 1.5.
- Type
-
bool
- discord_certified_moderator¶
-
Returns
True
if the user is a Discord Certified Moderator.New in version 2.0.
- Type
-
bool
- bot_http_interactions¶
-
Returns
True
if the user is a bot that only uses HTTP interactions
and is shown in the online member list.New in version 2.0.
- Type
-
bool
- spammer¶
-
Returns
True
if the user is flagged as a spammer by Discord.New in version 2.0.
- Type
-
bool
- active_developer¶
-
Returns
True
if the user is an active developer.New in version 2.1.
- Type
-
bool
- all()¶
-
List[
UserFlags
]: Returns all public flags the user has.
ForumTag¶
Attributes
- emoji
- id
- moderated
- name
- class discord.ForumTag(*, name, emoji=None, moderated=False)¶
-
Represents a forum tag that can be applied to a thread within a
ForumChannel
.New in version 2.1.
- x == y
-
Checks if two forum tags are equal.
- x != y
-
Checks if two forum tags are not equal.
- hash(x)
-
Returns the forum tag’s hash.
- str(x)
-
Returns the forum tag’s name.
- id¶
-
The ID of the tag. If this was manually created then the ID will be
0
.- Type
-
int
- name¶
-
The name of the tag. Can only be up to 20 characters.
- Type
-
str
- moderated¶
-
Whether this tag can only be added or removed by a moderator with
themanage_threads
permission.- Type
-
bool
- emoji¶
-
The emoji that is used to represent this tag.
Note that if the emoji is a custom emoji, it will not have name information.- Type
-
Optional[
PartialEmoji
]
Exceptions¶
The following exceptions are thrown by the library.
- exception discord.DiscordException¶
-
Base exception class for discord.py
Ideally speaking, this could be caught to handle any exceptions raised from this library.
- exception discord.ClientException¶
-
Exception that’s raised when an operation in the
Client
fails.These are usually for exceptions that happened due to user input.
- exception discord.LoginFailure¶
-
Exception that’s raised when the
Client.login()
function
fails to log you in from improper credentials or some other misc.
failure.
- exception discord.HTTPException(response, message)¶
-
Exception that’s raised when an HTTP request operation fails.
- response¶
-
The response of the failed HTTP request. This is an
instance ofaiohttp.ClientResponse
. In some cases
this could also be arequests.Response
.- Type
-
aiohttp.ClientResponse
- text¶
-
The text of the error. Could be an empty string.
- Type
-
str
- status¶
-
The status code of the HTTP request.
- Type
-
int
- code¶
-
The Discord specific error code for the failure.
- Type
-
int
- exception discord.RateLimited(retry_after)¶
-
Exception that’s raised for when status code 429 occurs
and the timeout is greater than the configured maximum using
themax_ratelimit_timeout
parameter inClient
.This is not raised during global ratelimits.
Since sometimes requests are halted pre-emptively before they’re
even made, this does not subclassHTTPException
.New in version 2.0.
- retry_after¶
-
The amount of seconds that the client should wait before retrying
the request.- Type
-
float
- exception discord.Forbidden(response, message)¶
-
Exception that’s raised for when status code 403 occurs.
Subclass of
HTTPException
- exception discord.NotFound(response, message)¶
-
Exception that’s raised for when status code 404 occurs.
Subclass of
HTTPException
- exception discord.DiscordServerError(response, message)¶
-
Exception that’s raised for when a 500 range status code occurs.
Subclass of
HTTPException
.New in version 1.5.
- exception discord.InvalidData¶
-
Exception that’s raised when the library encounters unknown
or invalid data from Discord.
- exception discord.GatewayNotFound¶
-
An exception that is raised when the gateway for Discord could not be found
- exception discord.ConnectionClosed(socket, *, shard_id, code=None)¶
-
Exception that’s raised when the gateway connection is
closed for reasons that could not be handled internally.- code¶
-
The close code of the websocket.
- Type
-
int
- reason¶
-
The reason provided for the closure.
- Type
-
str
- shard_id¶
-
The shard ID that got closed if applicable.
- Type
-
Optional[
int
]
- exception discord.PrivilegedIntentsRequired(shard_id)¶
-
Exception that’s raised when the gateway is requesting privileged intents
but they’re not ticked in the developer page yet.Go to https://discord.com/developers/applications/ and enable the intents
that are required. Currently these are as follows:-
Intents.members
-
Intents.presences
-
Intents.message_content
- shard_id¶
-
The shard ID that got closed if applicable.
- Type
-
Optional[
int
]
-
- exception discord.InteractionResponded(interaction)¶
-
Exception that’s raised when sending another interaction response using
InteractionResponse
when one has already been done before.An interaction can only respond once.
New in version 2.0.
- interaction¶
-
The interaction that’s already been responded to.
- Type
-
Interaction
- exception discord.opus.OpusError(code)¶
-
An exception that is thrown for libopus related errors.
- code¶
-
The error code returned.
- Type
-
int
- exception discord.opus.OpusNotLoaded¶
-
An exception that is thrown for when libopus is not loaded.
Exception Hierarchy¶
-
Exception
-
-
DiscordException
-
-
ClientException
-
-
InvalidData
-
LoginFailure
-
ConnectionClosed
-
PrivilegedIntentsRequired
-
InteractionResponded
-
-
GatewayNotFound
-
HTTPException
-
-
Forbidden
-
NotFound
-
DiscordServerError
-
app_commands.CommandSyncFailure
-
-
RateLimited
-
-
Hi all,
I’m still working on a discord bot for my group’s server to replace groovy. I have almost gotten the playlist looping working, but I hare ran into this error. When the bot loops around to start playing the next song I get this:
File "main.py", line 72, in postplay
await playmusic(song_to_play)
File "main.py", line 77, in playmusic
await ctx.send("WARNING! This bot is pre-alpha, use with caution and expect many, many bugs.")
File "/usr/local/lib/python3.8/dist-packages/discord/abc.py", line 1064, in send
data = await state.http.send_message(channel.id, content, tts=tts, embed=embed,
File "/usr/local/lib/python3.8/dist-packages/discord/http.py", line 192, in request
async with self.__session.request(method, url, **kwargs) as r:
File "/usr/local/lib/python3.8/dist-packages/aiohttp/client.py", line 1117, in __aenter__
self._resp = await self._coro
File "/usr/local/lib/python3.8/dist-packages/aiohttp/client.py", line 448, in _request
with timer:
File "/usr/local/lib/python3.8/dist-packages/aiohttp/helpers.py", line 635, in __enter__
raise RuntimeError(
RuntimeError: Timeout context manager should be used inside a task
Anyone got any ideas on how I can fix this? Any suggestions would be greatly appreciated, thanks in advanced.
Here is the code for the play function:
@client.command()
async def play(ctx, *, video_url="list"):
id = ctx.message.guild.id
if id in playing:
if playing[id] == True:
await ctx.send("I cannot play that right now as I am already playing on this server. If you want, you can add it to up next suing the >add command.")
pass
async def postplay(fname):
id = ctx.message.guild.id
os.remove(fname)
if len(play_ls[id]) > 0:
song_to_play = play_ls[id][0]
play_ls[id].remove(song_to_play)
await playmusic(song_to_play)
else:
playing[id] = False
async def playmusic(video_url):
playing[id] = True
await ctx.send("WARNING! This bot is pre-alpha, use with caution and expect many, many bugs.")
if video_url in ['help', 'h']:
await ctx.send("To play a song join a VC then run this command: >play {url of youtube song}")
pass
try:
resp = requests.get(video_url)
except:
video_url = VideosSearch(video_url, limit=1).result()
video_url = video_url['result'][0]['id']
video_url = f'youtu.be/{video_url}'
video_info = yt().extract_info(
url=video_url, download=False
)
filename = f"./{id}-{video_info['title']}.mp3"
ydl_opts = {
'format': 'bestaudio/best',
'outtmpl': filename,
}
await ctx.send("Downloading song... *this may take some time*")
with yt(ydl_opts) as ydl:
ydl.download([video_info['webpage_url']])
global voice
channel = ctx.message.author.voice.channel
voice = get(client.voice_clients, guild=ctx.guild)
if voice and voice.is_connected():
await voice.move_to(channel)
else:
voice = await channel.connect()
print('Bot joined voice channel.')
await ctx.send(f'🎶 - Now playing {video_info["title"]} - 🎶')
print(f'Playing song')
voice.play(discord.FFmpegPCMAudio(executable="/usr/bin/ffmpeg", source=filename),
after=lambda e: asyncio.run(postplay(filename)))
voice.source = discord.PCMVolumeTransformer(voice.source)
voice.source.volume = 0.8
if video_url == "list":
song_to_play = play_ls[id][0]
play_ls[id].remove(song_to_play)
await playmusic(song_to_play)
else:
await playmusic(video_url)
Skip to content
Issue
I have an extremely basic script that pops up a message with a button with the command ?place
Upon clicking this button the bot replies Hi to the user who clicked it.
If the button isn’t interacted with for > approx 3 minutes it then starts to return «interaction failed».
after that the button becomes useless. I assume there is some sort of internal timeout i can’t find in the docs. The button does the same thing whether using discord.py (2.0) or pycord. Nothing hits the console. It’s as if the button click isn’t picked up.
Very occasionally the button starts to work again and a host of these errors hit the console:
discord.errors.NotFound: 404 Not Found (error code: 10062): Unknown interaction
Ignoring exception in view <View timeout=180.0 children=1> for item <Button style=<ButtonStyle.success: 3> url=None disabled=False label='click me' emoji=None row=None>:
I assume the timeout = 180 is the cause of this issue but is anyone aware of how to stop this timeout and why it’s happening? I can’t see anything in the docs about discord buttons only being usable for 3 mins.
import discord
from discord.ext import commands
intents = discord.Intents.default()
intents.members = True
intents.message_content = True
bot = commands.Bot(command_prefix="?", intents=intents)
embed1=discord.Embed(title="Test", description = f"TESTING",color=0xffffff)
print("bot connected")
@ bot.command(name='place')
async def hello(ctx):
view = discord.ui.View()
buttonSign = discord.ui.Button(label = "click me", style= discord.ButtonStyle.green)
async def buttonSign_callback(interaction):
userName = interaction.user.id
embedText = f"test test test"
embed=discord.Embed(title="Test", description = embedText,color=0xffffff)
await interaction.response.send_message(f"Hi <@{userName}>")
buttonSign.callback = buttonSign_callback
view.add_item(item=buttonSign)
await ctx.send(embed = embed1,view = view)
bot.run(TOKEN)
Solution
Explanation
By default, View
s in discord.py 2.0 have a timeout of 180 seconds (3 minutes). You can fix this error by passing in None
as the timeout when creating the view.
Code
@bot.command(name='place')
async def hello(ctx):
view = discord.ui.View(timeout=None)
References
discord.ui.View.timeout
Answered By – TheFungusAmongUs
Answer Checked By – Robin (BugsFixing Admin)
У меня есть очень простой скрипт, который выводит сообщение с кнопкой с командой? Place
При нажатии на эту кнопку бот отвечает привет пользователю, который нажал ее.
Если кнопка не используется в течение > примерно 3 минут, она начинает возвращать сообщение «Ошибка взаимодействия».
После этого кнопка становится бесполезной. Я предполагаю, что есть какой-то внутренний тайм-аут, который я не могу найти в документах. Кнопка делает то же самое, используя discord.py (2.0) или pycord. В консоль ничего не попадает. Как будто нажатие кнопки не подхватывается.
Очень редко кнопка снова начинает работать, и в консоль попадает множество этих ошибок:
discord.errors.NotFound: 404 Not Found (error code: 10062): Unknown interaction
Ignoring exception in view <View timeout=180.0 children=1> for item <Button style=<ButtonStyle.success: 3> url=None disabled=False label='click me' emoji=None row=None>:
Я предполагаю, что тайм-аут = 180 является причиной этой проблемы, но кто-нибудь знает, как остановить этот тайм-аут и почему это происходит? Я не вижу в документах ничего о кнопках дискорда, которые можно использовать только в течение 3 минут.
import discord
from discord.ext import commands
intents = discord.Intents.default()
intents.members = True
intents.message_content = True
bot = commands.Bot(command_prefix="?", intents=intents)
embed1=discord.Embed(title="Test", description = f"TESTING",color=0xffffff)
print("bot connected")
@ bot.command(name='place')
async def hello(ctx):
view = discord.ui.View()
buttonSign = discord.ui.Button(label = "click me", style= discord.ButtonStyle.green)
async def buttonSign_callback(interaction):
userName = interaction.user.id
embedText = f"test test test"
embed=discord.Embed(title="Test", description = embedText,color=0xffffff)
await interaction.response.send_message(f"Hi <@{userName}>")
buttonSign.callback = buttonSign_callback
view.add_item(item=buttonSign)
await ctx.send(embed = embed1,view = view)
bot.run(TOKEN)
1 ответ
Лучший ответ
Объяснение
По умолчанию View
в discord.py 2.0 имеют тайм-аут 180 секунд (3 минуты). Вы можете исправить эту ошибку, передав None
в качестве времени ожидания при создании представления.
Код
@bot.command(name='place')
async def hello(ctx):
view = discord.ui.View(timeout=None)
Ссылки
discord.ui.View.timeout
4
TheFungusAmongUs
20 Май 2022 в 03:12
The following section outlines the API of discord.py-message-components.
Note
This module uses the Python logging
to log diagnostic and errors
in an output independent way. If the logging module is not configured,
these logs will not be output anywhere. See Setting Up Logging for
more information on how to set up and use the logging module with
discord.py-message-components.
Clients
Client
Attributes
- activity
- allowed_mentions
- application_commands
- cached_messages
- emojis
- global_application_commands
- guilds
- intents
- latency
- loop
- private_channels
- stickers
- user
- users
- voice_clients
- ws
Methods
-
asyncapplication_info -
asyncbefore_identify_hook -
asyncchange_presence -
defclear -
asyncclose -
asyncconnect -
asynccreate_guild -
asyncdelete_invite -
@event -
asyncfetch_all_nitro_stickers -
asyncfetch_channel -
asyncfetch_guild -
deffetch_guilds -
asyncfetch_invite -
asyncfetch_template -
asyncfetch_user -
asyncfetch_webhook -
asyncfetch_widget -
defget_all_channels -
defget_all_members -
defget_channel -
defget_emoji -
defget_guild -
defget_message -
defget_partial_messageable -
defget_user -
defis_closed -
defis_ready -
defis_ws_ratelimited -
asynclogin -
asynclogout -
@message_command -
asyncon_application_command_error -
@on_click -
asyncon_error -
@on_select -
@on_submit -
asyncrequest_offline_members -
defrun -
@slash_command -
asyncstart -
@user_command -
asyncwait_for -
asyncwait_until_ready
- class discord.Client(*, loop=None, **options)
-
Represents a client connection that connects to Discord.
This class is used to interact with the Discord WebSocket and API.A number of options can be passed to the
Client
.- Parameters:
-
-
max_messages (Optional[
int
]) –The maximum number of messages to store in the internal message cache.
This defaults to1000
. Passing inNone
disables the message cache.Changed in version 1.3: Allow disabling the message cache and change the default size to
1000
. -
loop (Optional[
asyncio.AbstractEventLoop
]) – Theasyncio.AbstractEventLoop
to use for asynchronous operations.
Defaults toNone
, in which case the default event loop is used via
asyncio.get_event_loop()
. -
connector (
aiohttp.BaseConnector
) – The connector to use for connection pooling. -
proxy (Optional[
str
]) – Proxy URL. -
proxy_auth (Optional[
aiohttp.BasicAuth
]) – An object that represents proxy HTTP Basic Authorization. -
shard_id (Optional[
int
]) – Integer starting at0
and less thanshard_count
. -
shard_count (Optional[
int
]) – The total number of shards. -
intents (
Intents
) – The intents that you want to enable for the _session. This is a way of
disabling and enabling certain gateway events from triggering and being sent.
If not given, defaults to a regularly constructedIntents
class. -
gateway_version (
int
) – The gateway and api version to use. Defaults tov10
. -
api_error_locale (
discord.Locale
) – The locale language to use for api errors. This will be applied to theX-Discord-Local
header in requests.
Default toLocale.en_US
-
member_cache_flags (
MemberCacheFlags
) – Allows for finer control over how the library caches members.
If not given, defaults to cache as much as possible with the
currently selected intents. -
fetch_offline_members (
bool
) – A deprecated alias ofchunk_guilds_at_startup
. -
chunk_guilds_at_startup (
bool
) – Indicates ifon_ready()
should be delayed to chunk all guilds
at start-up if necessary. This operation is incredibly slow for large
amounts of guilds. The default isTrue
ifIntents.members
isTrue
. -
status (Optional[
Status
]) – A status to start your presence with upon logging on to Discord. -
activity (Optional[
BaseActivity
]) – An activity to start your presence with upon logging on to Discord. -
allowed_mentions (Optional[
AllowedMentions
]) – Control how the client handles mentions by default on every message sent. -
heartbeat_timeout (
float
) – The maximum numbers of seconds before timing out and restarting the
WebSocket in the case of not receiving a HEARTBEAT_ACK. Useful if
processing the initial packets take too long to the point of disconnecting
you. The default timeout is 60 seconds. -
guild_ready_timeout (
float
) –The maximum number of seconds to wait for the GUILD_CREATE stream to end before
preparing the member cache and firing READY. The default timeout is 2 seconds.New in version 1.4.
-
guild_subscriptions (
bool
) –Whether to dispatch presence or typing events. Defaults to
True
.New in version 1.3.
Warning
If this is set to
False
then the following features will be disabled:-
No user related updates (
on_user_update()
will not dispatch) -
- All member related events will be disabled.
-
-
on_member_update()
-
on_member_join()
-
on_member_remove()
-
-
Typing events will be disabled (
on_typing()
). -
If
fetch_offline_members
is set toFalse
then the user cache will not exist.
This makes it difficult or impossible to do many things, for example:-
Computing permissions
-
Querying members in a voice channel via
VoiceChannel.members
will be empty. -
Most forms of receiving
Member
will be
receivingUser
instead, except for message events. -
Guild.owner
will usually resolve toNone
. -
Guild.get_member()
will usually be unavailable. -
Anything that involves using
Member
. -
users
will not be as populated. -
etc.
-
In short, this makes it so the only member you can reliably query is the
message author. Useful for bots that do not require any state. -
-
assume_unsync_clock (
bool
) –Whether to assume the system clock is unsynced. This applies to the ratelimit handling
code. If this is set toTrue
, the default, then the library uses the time to reset
a rate limit bucket given by Discord. If this isFalse
then your system clock is
used to calculate how long to sleep for. If this is set toFalse
it is recommended to
sync your system clock to Google’s NTP server.New in version 1.3.
-
sync_commands (
bool
) –Whether to sync application-commands on startup, default
False
.This will register global and guild application-commands(slash-, user- and message-commands)
that are not registered yet, update changes and remove application-commands that could not be found
in the code anymore ifdelete_not_existing_commands
is set toTrue
what it is by default. -
delete_not_existing_commands (
bool
) – Whether to remove global and guild-only application-commands that are not in the code anymore, defaultTrue
. -
auto_check_for_updates (
bool
) –Whether to check for available updates automatically, default
False
for legal reasons.
For more info seediscord.on_update_available
.Note
For now, this may only work on the original repository, not in forks how.
This is because it uses an internal API that only listen to a webhook from the original repo.In the future this API might be open-sourced, or it will be possible to add your forks URL as a valid source.
-
- ws
-
The websocket gateway the client is currently connected to. Could be
None
.
- loop
-
The event loop that the client uses for HTTP requests and websocket operations.
- Type:
-
asyncio.AbstractEventLoop
- async for … in fetch_guilds(*, limit=100, before=None, after=None)
-
Retrieves an
AsyncIterator
that enables receiving your guilds.Note
Using this, you will only receive
Guild.owner
,Guild.icon
,
Guild.id
, andGuild.name
perGuild
.Note
This method is an API call. For general usage, consider
guilds
instead.Examples
Usage
async for guild in client.fetch_guilds(limit=150): print(guild.name)
Flattening into a list
guilds = await client.fetch_guilds(limit=150).flatten() # guilds is now a list of Guild...
All parameters are optional.
- Parameters:
-
-
limit (Optional[
int
]) – The number of guilds to retrieve.
IfNone
, it retrieves every guild you have access to. Note, however,
that this would make it a slow operation.
Defaults to100
. -
before (Union[
abc.Snowflake
,datetime.datetime
]) – Retrieves guilds before this date or object.
If a date is provided it must be a timezone-naive datetime representing UTC time. -
after (Union[
abc.Snowflake
,datetime.datetime
]) – Retrieve guilds after this date or object.
If a date is provided it must be a timezone-naive datetime representing UTC time.
-
- Raises:
-
.HTTPException – Getting the guilds failed.
- Yields:
-
Guild
– The guild with the guild data parsed.
- property latency
-
Measures latency between a HEARTBEAT and a HEARTBEAT_ACK in seconds.
This could be referred to as the Discord WebSocket protocol latency.
- Type:
-
float
- is_ws_ratelimited()
-
bool
: Whether the websocket is currently rate limited.This can be useful to know when deciding whether you should query members
using HTTP or via the gateway.New in version 1.6.
- property user
-
Represents the connected client.
None
if not logged in.- Type:
-
Optional[
ClientUser
]
- property guilds
-
The guilds that the connected client is a member of.
- Type:
-
List[
Guild
]
- property emojis
-
The emojis that the connected client has.
- Type:
-
List[
Emoji
]
- property stickers
-
The stickers that the connected client has.
- Type:
-
List[
Sticker
]
- property cached_messages
-
Read-only list of messages the connected client has cached.
New in version 1.1.
- Type:
-
Sequence[
Message
]
- property private_channels
-
The private channels that the connected client is participating on.
Note
This returns only up to 128 most recent private channels due to an internal working
on how Discord deals with private channels.- Type:
-
List[
abc.PrivateChannel
]
- property voice_clients
-
Represents a list of voice connections.
These are usually
VoiceClient
instances.- Type:
-
List[
VoiceProtocol
]
- is_ready()
-
bool
: Specifies if the client’s internal cache is ready for use.
- await on_error(event_method, *args, **kwargs)
-
This function is a coroutine.
The default error handler provided by the client.
By default, this prints to
sys.stderr
however it could be
overridden to have a different implementation.
Checkon_error()
for more details.
- await on_application_command_error(cmd, interaction, exception)
-
This function is a coroutine.
The default error handler when an Exception was raised when invoking an application-command.
By default, this prints to
sys.stderr
however it could be
overridden to have a different implementation.
Checkon_application_command_error()
for more details.
- await request_offline_members(*guilds)
-
This function is a coroutine.
Requests previously offline members from the guild to be filled up
into theGuild.members
cache. This function is usually not
called. It should only be used if you have thefetch_offline_members
parameter set toFalse
.When the client logs on and connects to the websocket, Discord does
not provide the library with offline members if the number of members
in the guild is larger than 250. You can check if a guild is large
ifGuild.large
isTrue
.Warning
This method is deprecated. Use
Guild.chunk()
instead.- Parameters:
-
*guilds (
Guild
) – An argument list of guilds to request offline members for. - Raises:
-
.InvalidArgument – If any guild is unavailable in the collection.
- await before_identify_hook(shard_id, *, initial=False)
-
This function is a coroutine.
A hook that is called before IDENTIFYing a _session. This is useful
if you wish to have more control over the synchronization of multiple
IDENTIFYing clients.The default implementation sleeps for 5 seconds.
New in version 1.4.
- Parameters:
-
-
shard_id (
int
) – The shard ID that requested being IDENTIFY’d -
initial (
bool
) – Whether this IDENTIFY is the first initial IDENTIFY.
-
- await login(token)
-
This function is a coroutine.
Logs in the client with the specified credentials.
This function can be used in two different ways.
- Parameters:
-
token (
str
) – The authentication token. Do not prefix this token with
anything as the library will do it for you. - Raises:
-
-
.LoginFailure – The wrong credentials are passed.
-
.HTTPException – An unknown HTTP related error occurred,
usually when it isn’t 200 or the known incorrect credentials
passing status code.
-
- await logout()
-
This function is a coroutine.
Logs out of Discord and closes all connections.
Deprecated since version 1.7.
Note
This is just an alias to
close()
. If you want
to do extraneous cleanup when subclassing, it is suggested
to overrideclose()
instead.
- await connect(*, reconnect=True)
-
This function is a coroutine.
Creates a websocket connection and lets the websocket listen
to messages from Discord. This is a loop that runs the entire
event system and miscellaneous aspects of the library. Control
is not resumed until the WebSocket connection is terminated.- Parameters:
-
reconnect (
bool
) – If we should attempt reconnecting, either due to internet
failure or a specific failure on Discord’s part. Certain
disconnects that lead to bad state will not be handled (such as
invalid sharding payloads or bad tokens). - Raises:
-
-
.GatewayNotFound – If the gateway to connect to Discord is not found. Usually if this
is thrown then there is a Discord API outage. -
.ConnectionClosed – The websocket connection has been terminated.
-
- await close()
-
This function is a coroutine.
Closes the connection to Discord.
- clear()
-
Clears the internal state of the bot.
After this, the bot can be considered “re-opened”, i.e.
is_closed()
andis_ready()
both returnFalse
along with the bot’s internal
cache cleared.
- await start(token, reconnect=True)
-
This function is a coroutine.
A shorthand coroutine for
login()
+connect()
.- Raises:
-
TypeError – An unexpected keyword argument was received.
- run(token, reconnect=True, *, log_handler=MISSING, log_formatter=MISSING, log_level=MISSING, root_logger=False)
-
A blocking call that abstracts away the event loop
initialisation from you.If you want more control over the event loop then this
function should not be used. Usestart()
coroutine
orconnect()
+login()
.Roughly Equivalent to:
try: loop.run_until_complete(start(*args, **kwargs)) except KeyboardInterrupt: loop.run_until_complete(close()) # cancel all tasks lingering finally: loop.close()
This function also sets up the :mod:`logging library to make it easier
for beginners to know what is going on with the library. For more
advanced users, this can be disabled by passingNone
to
thelog_handler
parameter.Warning
This function must be the last function to call due to the fact that it
is blocking. That means that registration of events or anything being
called after this function call will not execute until it returns.- Parameters:
-
-
token (
str
) – The authentication token. Do not prefix this token with anything as the library will do it for you. -
reconnect (
bool
) – If we should attempt reconnecting, either due to internet
failure or a specific failure on Discord’s part. Certain
disconnects that lead to bad state will not be handled (such as
invalid sharding payloads or bad tokens). -
log_handler (Optional[
logging.Handler
]) – The log handler to use for the library’s logger. If this isNone
then the library will not set up anything logging related. Logging
will still work ifNone
is passed, though it is your responsibility
to set it up.
The default log handler if not provided islogging.StreamHandler
. -
log_formatter (
logging.Formatter
) – The formatter to use with the given log handler. If not provided then it
defaults to a colour based logging formatter (if available). -
log_level (
int
) – The default log level for the library’s logger. This is only applied if the
log_handler
parameter is notNone
. Defaults tologging.INFO
. -
root_logger (
bool
) – Whether to set up the root logger rather than the library logger.
By default, only the library logger ('discord'
) is set up. If this
is set toTrue
then the root logger is set up as well.
Defaults toFalse
.
-
- is_closed()
-
bool
: Indicates if the websocket connection is closed.
- property activity
-
The activity being used upon
logging in.- Type:
-
Optional[
BaseActivity
]
- property allowed_mentions
-
The allowed mention configuration.
New in version 1.4.
- Type:
-
Optional[
AllowedMentions
]
- property intents
-
The intents configured for this connection.
New in version 1.5.
- Type:
-
Intents
- property users
-
Returns a list of all the users the bot can see.
- Type:
-
List[
User
]
- get_message(id)
-
Returns a
Message
with the given ID if it exists in the cache, elseNone
- get_channel(id)
-
Returns a channel with the given ID.
- Parameters:
-
id (
int
) – The ID to search for. - Returns:
-
The returned channel or
None
if not found. - Return type:
-
Optional[Union[
abc.GuildChannel
,abc.PrivateChannel
]]
- get_partial_messageable(id, *, guild_id=None, type=None)
-
Returns a
PartialMessageable
with the given channel ID.
This is useful if you have the ID of a channel but don’t want to do an API call
to send messages to it.- Parameters:
-
-
id (
int
) – The channel ID to create aPartialMessageable
for. -
guild_id (Optional[
int
]) – The optional guild ID to create aPartialMessageable
for.
This is not required to actually send messages, but it does allow the
jump_url()
and
guild
properties to function properly. -
type (Optional[
ChannelType
]) – The underlying channel type for thePartialMessageable
.
-
- Returns:
-
The partial messageable created
- Return type:
-
PartialMessageable
- get_guild(id)
-
Returns a guild with the given ID.
- Parameters:
-
id (
int
) – The ID to search for. - Returns:
-
The guild or
None
if not found. - Return type:
-
Optional[
Guild
]
- get_user(id)
-
Returns a user with the given ID.
- Parameters:
-
id (
int
) – The ID to search for. - Returns:
-
The user or
None
if not found. - Return type:
-
Optional[
User
]
- get_emoji(id)
-
Returns an emoji with the given ID.
- Parameters:
-
id (
int
) – The ID to search for. - Returns:
-
The custom emoji or
None
if not found. - Return type:
-
Optional[
Emoji
]
- for … in get_all_channels()
-
A generator that retrieves every
abc.GuildChannel
the client can ‘access’.This is equivalent to:
for guild in client.guilds: for channel in guild.channels: yield channel
Note
Just because you receive a
abc.GuildChannel
does not mean that
you can communicate in said channel.abc.GuildChannel.permissions_for()
should
be used for that.- Yields:
-
abc.GuildChannel
– A channel the client can ‘access’.
- for … in get_all_members()
-
Returns a generator with every
Member
the client can see.This is equivalent to:
for guild in client.guilds: for member in guild.members: yield member
- Yields:
-
Member
– A member the client can see.
- await wait_until_ready()
-
This function is a coroutine.
Waits until the client’s internal cache is all ready.
- wait_for(event, *, check=None, timeout=None)
-
This function is a coroutine.
Waits for a WebSocket event to be dispatched.
This could be used to wait for a user to reply to a message,
or to react to a message, or to edit a message in a self-contained
way.The
timeout
parameter is passed ontoasyncio.wait_for()
. By default,
it does not timeout. Note that this does propagate the
asyncio.TimeoutError
for you in case of timeout and is provided for
ease of use.In case the event returns multiple arguments, a
tuple
containing those
arguments is returned instead. Please check the
documentation for a list of events and their
parameters.This function returns the first event that meets the requirements.
Examples
Waiting for a user reply:
@client.event async def on_message(message): if message.content.startswith('$greet'): channel = message.channel await channel.send('Say hello!') def check(m): return m.content == 'hello' and m.channel == channel msg = await client.wait_for('message', check=check) await channel.send('Hello {.author}!'.format(msg))
Waiting for a thumbs up reaction from the message author:
@client.event async def on_message(message): if message.content.startswith('$thumb'): channel = message.channel await channel.send('Send me that 👍 reaction, mate') def check(reaction, user): return user == message.author and str(reaction.emoji) == '👍' try: reaction, user = await client.wait_for('reaction_add', timeout=60.0, check=check) except asyncio.TimeoutError: await channel.send('👎') else: await channel.send('👍')
- Parameters:
-
-
event (
str
) – The event name, similar to the event reference,
but without theon_
prefix, to wait for. -
check (Optional[Callable[…,
bool
]]) – A predicate to check what to wait for. The arguments must meet the
parameters of the event being waited for. -
timeout (Optional[
float
]) – The number of seconds to wait before timing out and raising
asyncio.TimeoutError
.
-
- Raises:
-
asyncio.TimeoutError – If a timeout is provided, and it was reached.
- Returns:
-
Returns no arguments, a single argument, or a
tuple
of multiple
arguments that mirrors the parameters passed in the
event reference. - Return type:
-
Any
- event(coro)
-
A decorator that registers an event to listen to.
You can find more info about the events on the documentation below.
The events must be a coroutine, if not,
TypeError
is raised.Example
@client.event async def on_ready(): print('Ready!')
- Raises:
-
TypeError – The coroutine passed is not actually a coroutine.
- on_click(custom_id=None)
-
A decorator with wich you can assign a function to a specific
Button
(or its custom_id).Important
The function this is attached to must take the same parameters as a
on_raw_button_click()
event.Warning
The func must be a coroutine, if not,
TypeError
is raised.- Parameters:
-
custom_id (Optional[Union[Pattern[AnyStr], AnyStr]]) –
If the
custom_id
of theButton
could not be used as a function name,
or you want to give the function a different name then the custom_id use this one to set the custom_id.
You can also specify a regex and if the custom_id matches it, the function will be executed.Note
As the
custom_id
is converted to a Pattern
put^
in front and$
at the end
of thecustom_id
if you want that the custom_id must exactly match the specified value.
Otherwise, something like ‘cool blue Button is blue’ will let the function bee invoked too.
Example
# the button Button(label='Hey im a cool blue Button', custom_id='cool blue Button', style=ButtonStyle.blurple) # function that's called when the button pressed @client.on_click(custom_id='^cool blue Button$') async def cool_blue_button(i: discord.ComponentInteraction, button: Button): await i.respond(f'Hey you pressed a {button.custom_id}!', hidden=True)
- Return type:
-
The decorator for the function called when the button clicked
- Raises:
-
TypeError – The coroutine passed is not actually a coroutine.
- on_select(custom_id=None)
-
A decorator with which you can assign a function to a specific
SelectMenu
(or its custom_id).Important
The function this is attached to must take the same parameters as a
on_raw_selection_select()
event.Warning
The func must be a coroutine, if not,
TypeError
is raised.- Parameters:
-
custom_id (Optional[Union[Pattern[AnyStr], AnyStr]] = None) –
If the custom_id of the
SelectMenu
could not be used as a function name,
or you want to give the function a different name then the custom_id use this one to set the custom_id.
You can also specify a regex and if the custom_id matches it, the function will be executed.Note
As the
custom_id
is converted to a Pattern
put^
in front and$
at the end
of thecustom_id
if you want that the custom_id must exactly match the specified value.
Otherwise, something like ‘choose_your_gender later’ will let the function bee invoked too.
Example
# the SelectMenu SelectMenu(custom_id='choose_your_gender', options=[ SelectOption(label='Female', value='Female', emoji='♀️'), SelectOption(label='Male', value='Male', emoji='♂️'), SelectOption(label='Trans/Non Binary', value='Trans/Non Binary', emoji='⚧') ], placeholder='Choose your Gender') # function that's called when the SelectMenu is used @client.on_select() async def choose_your_gender(i: discord.Interaction, select_menu): await i.respond(f'You selected `{select_menu.values[0]}`!', hidden=True)
- Raises:
-
TypeError – The coroutine passed is not actually a coroutine.
- on_submit(custom_id=None)
-
A decorator with wich you can assign a function to a specific
Modal
(or its custom_id).Important
The function this is attached to must take the same parameters as a
on_modal_submit()
event.Warning
The func must be a coroutine, if not,
TypeError
is raised.- Parameters:
-
custom_id (Optional[Union[Pattern[AnyStr], AnyStr]]) –
If the custom_id of the
Modal
could not be used as a function name,
or you want to give the function a different name then the custom_id use this one to set the custom_id.
You can also specify a regex and if the custom_id matches it, the function will be executed.Note
As the
custom_id
is converted to a Pattern
put^
in front and$
at the end of thecustom_id
if you want that the custom_id must
exactly match the specified value.
Otherwise, something like ‘suggestions_modal_submit_private’ will let the function bee invoked too.
Example
# the Modal Modal(title='Create a new suggestion', custom_id='suggestions_modal', components=[...]) # function that's called when the Modal is submitted @client.on_submit(custom_id='^suggestions_modal$') async def suggestions_modal_callback(i: discord.ModalSubmitInteraction): ...
- Raises:
-
TypeError – The coroutine passed is not actually a coroutine.
- slash_command(name=None, name_localizations=<Localizations: None>, description=None, description_localizations=<Localizations: None>, allow_dm=MISSING, is_nsfw=MISSING, default_required_permissions=None, options=[], guild_ids=None, connector={}, option_descriptions={}, option_descriptions_localizations={}, base_name=None, base_name_localizations=<Localizations: None>, base_desc=None, base_desc_localizations=<Localizations: None>, group_name=None, group_name_localizations=<Localizations: None>, group_desc=None, group_desc_localizations=<Localizations: None>)
-
A decorator that adds a slash-command to the client. The function this is attached to must be a coroutine.
Warning
sync_commands
of theClient
instance must be set toTrue
to register a command if it does not already exist and update it if changes where made.Note
Any of the following parameters are only needed when the corresponding target was not used before
(e.g. there is already a command in the code that has these parameters set) — otherwise it will replace the previous value:-
allow_dm
-
is_nsfw
-
base_name_localizations
-
base_desc
-
base_desc_localizations
-
group_name_localizations
-
group_desc
-
group_desc_localizations
- Parameters:
-
-
name (Optional[
str
]) – The name of the command. Must only contain a-z, _ and — and be 1-32 characters long.
Default to the functions name. -
name_localizations (Optional[
Localizations
]) – Localizations object for name field. Values follow the same restrictions asname
-
description (Optional[
str
]) – The description of the command shows up in the client. Must be between 1-100 characters long.
Default to the functions docstring or “No Description”. -
description_localizations (Optional[
Localizations
]) – Localizations object for description field. Values follow the same restrictions asdescription
-
allow_dm (Optional[
bool
]) – Indicates whether the command is available in DMs with the app, only for globally-scoped commands.
By default, commands are visible. -
is_nsfw (
bool
) –Whether this command is an NSFW command, default
False
Note
Currently all sub-commands of a command that is marked as NSFW are NSFW too.
-
default_required_permissions (Optional[
Permissions
]) – Permissions that a Member needs by default to execute(see) the command. -
options (Optional[List[
SlashCommandOption
]]) – A list of max. 25 options for the command. If not provided the options will be generated
usinggenerate_options()
that creates the options out of the function parameters.
Required options must be listed before optional ones.
Useoptions
to connect non-ascii option names with the parameter of the function. -
guild_ids (Optional[List[
int
]]) – ID’s of guilds this command should be registered in. If empty, the command will be global. -
connector (Optional[Dict[
str
,str
]]) – A dictionary containing the name of function-parameters as keys and the name of the option as values.
Useful for using non-ascii Letters in your option names without getting ide-errors. -
option_descriptions (Optional[Dict[
str
,str
]]) –Descriptions the
generate_options()
should take for the Options that will be generated.
The keys are thename
of the option and the value thedescription
.Note
This will only be used if
options
is not set. -
option_descriptions_localizations (Optional[Dict[
str
,Localizations
]]) – Localizeddescription
for the options.
In the format{'option_name': Localizations(...)}
-
base_name (Optional[
str
]) – The name of the base-command(a-z, _ and -, 1-32 characters) if you want the command
to be in a command-/sub-command-group.
If the base-command does not exist yet, it will be added. -
base_name_localizations (Optional[
Localizations
]) – Localizedbase_name
’s for the command. -
base_desc (Optional[
str
]) – The description of the base-command(1-100 characters). -
base_desc_localizations (Optional[
Localizations
]) – Localizedbase_description
’s for the command. -
group_name (Optional[
str
]) – The name of the command-group(a-z, _ and -, 1-32 characters) if you want the command to be in a sub-command-group. -
group_name_localizations (Optional[
Localizations
]) – Localizedgroup_name
’s for the command. -
group_desc (Optional[
str
]) – The description of the sub-command-group(1-100 characters). -
group_desc_localizations (Optional[
Localizations
]) – Localizedgroup_desc
’s for the command.
-
- Raises:
-
-
TypeError – The function the decorator is attached to is not actual a coroutine
or a parameter passed toSlashCommandOption
is invalid for theoption_type
or theoption_type
itself is invalid. -
InvalidArgument – You passed
group_name
but nobase_name
. -
ValueError – Any of
name
,description
,options
,base_name
,base_desc
,group_name
orgroup_desc
is not valid.
-
- Returns:
-
-
If neither
guild_ids
norbase_name
passed: An instance ofSlashCommand
. -
If
guild_ids
and nobase_name
where passed: An instance ofGuildOnlySlashCommand
representing the guild-only slash-commands. -
If
base_name
and noguild_ids
where passed: An instance ofSubCommand
. -
If
base_name
andguild_ids
passed: instance ofGuildOnlySubCommand
representing the guild-only sub-commands.
-
- Return type:
-
Union[
SlashCommand
,GuildOnlySlashCommand
,SubCommand
,GuildOnlySubCommand
]
-
- message_command(name=None, name_localizations=<Localizations: None>, default_required_permissions=None, allow_dm=True, is_nsfw=False, guild_ids=None)
-
A decorator that registers a
MessageCommand
(shows up underApps
when right-clicking on a message)
to the client. The function this is attached to must be a coroutine.Note
sync_commands
of theClient
instance must be set toTrue
to register a command if it does not already exit and update it if changes where made.- Parameters:
-
-
name (Optional[
str
]) – The name of the message-command, default to the functions name.
Must be between 1-32 characters long. -
name_localizations (
Localizations
) – Localizedname
’s. -
default_required_permissions (Optional[
Permissions
]) – Permissions that a member needs by default to execute(see) the command. -
allow_dm (
bool
) – Indicates whether the command is available in DMs with the app, only for globally-scoped commands.
By default, commands are visible. -
is_nsfw (
bool
) –Whether this command is an NSFW command, default
False
. -
guild_ids (Optional[List[
int
]]) – ID’s of guilds this command should be registered in. If empty, the command will be global.
-
- Returns:
-
The message-command registered.
- Return type:
-
MessageCommand
- Raises:
-
TypeError – The function the decorator is attached to is not actual a coroutine.
- user_command(name=None, name_localizations=<Localizations: None>, default_required_permissions=None, allow_dm=True, is_nsfw=False, guild_ids=None)
-
A decorator that registers a
UserCommand
(shows up underApps
when right-clicking on a user) to the client.
The function this is attached to must be a coroutine.Note
sync_commands
of theClient
instance must be set toTrue
to register a command if it does not already exist and update it if changes where made.- Parameters:
-
-
name (Optional[
str
]) – The name of the user-command, default to the functions name.
Must be between 1-32 characters long. -
name_localizations (
Localizations
) – Localizedname
’s. -
default_required_permissions (Optional[
Permissions
]) – Permissions that a member needs by default to execute(see) the command. -
allow_dm (
bool
) – Indicates whether the command is available in DMs with the app, only for globally-scoped commands.
By default, commands are visible. -
is_nsfw (
bool
) –Whether this command is an NSFW command, default
False
. -
guild_ids (Optional[List[
int
]]) – ID’s of guilds this command should be registered in. If empty, the command will be global.
-
- Returns:
-
The user-command registered.
- Return type:
-
UserCommand
- Raises:
-
TypeError – The function the decorator is attached to is not actual a coroutine.
- property application_commands
-
Returns a list of any application command that is registered for the bot`
- Type:
-
List[
ApplicationCommand
]
- property global_application_commands
-
Returns a list of all global application commands that are registered for the bot
Note
This requires the bot running and all commands cached, otherwise the list will be empty
- Returns:
-
A list of registered global application commands for the bot
- Return type:
-
List[
ApplicationCommand
]
- await change_presence(*, activity=None, status=‘online’)
-
This function is a coroutine.
Changes the client’s presence.
Changed in version 2.0: Removed the
afk
parameterExample
game = discord.Game("with the API") await client.change_presence(status=discord.Status.idle, activity=game)
- Parameters:
-
-
activity (Optional[
BaseActivity
]) – The activity being done.None
if no currently active activity is done. -
status (Optional[
Status
]) – Indicates what status to change to. IfNone
, then
Status.online
is used.
-
- Raises:
-
.InvalidArgument – If the
activity
parameter is not the proper type.
- await fetch_template(code)
-
This function is a coroutine.
Gets a
Template
from a discord.new URL or code.- Parameters:
-
code (Union[
Template
,str
]) – The Discord Template Code or URL (must be a discord.new URL). - Raises:
-
-
.NotFound – The template is invalid.
-
.HTTPException – Getting the template failed.
-
- Returns:
-
The template from the URL/code.
- Return type:
-
Template
- await fetch_guild(guild_id)
-
This function is a coroutine.
Retrieves a
Guild
from an ID.Note
Using this, you will not receive
Guild.channels
,Guild.members
,
Member.activity
andMember.voice
perMember
.Note
This method is an API call. For general usage, consider
get_guild()
instead.- Parameters:
-
guild_id (
int
) – The guild’s ID to fetch from. - Raises:
-
-
.Forbidden – You do not have access to the guild.
-
.HTTPException – Getting the guild failed.
-
- Returns:
-
The guild from the ID.
- Return type:
-
Guild
- await create_guild(name, region=None, icon=None, *, code=None)
-
This function is a coroutine.
Creates a
Guild
.Bot accounts in more than 10 guilds are not allowed to create guilds.
- Parameters:
-
-
name (
str
) – The name of the guild. -
region (
VoiceRegion
) – The region for the voice communication server.
Defaults toVoiceRegion.us_west
. -
icon (
bytes
) – The bytes-like object representing the icon. SeeClientUser.edit()
for more details on what is expected. -
code (Optional[
str
]) –The code for a template to create the guild with.
New in version 1.4.
-
- Raises:
-
-
.HTTPException – Guild creation failed.
-
.InvalidArgument – Invalid icon image format given. Must be PNG or JPG.
-
- Returns:
-
The guild created. This is not the same guild that is
added to cache. - Return type:
-
Guild
- await fetch_invite(url, *, with_counts=True)
-
This function is a coroutine.
Gets an
Invite
from a discord.gg URL or ID.Note
If the invite is for a guild you have not joined, the guild and channel
attributes of the returnedInvite
will bePartialInviteGuild
and
PartialInviteChannel
respectively.- Parameters:
-
-
url (Union[
Invite
,str
]) – The Discord invite ID or URL (must be a discord.gg URL). -
with_counts (
bool
) – Whether to include count information in the invite. This fills the
Invite.approximate_member_count
andInvite.approximate_presence_count
fields.
-
- Raises:
-
-
.NotFound – The invite has expired or is invalid.
-
.HTTPException – Getting the invite failed.
-
- Returns:
-
The invite from the URL/ID.
- Return type:
-
Invite
- await delete_invite(invite)
-
This function is a coroutine.
Revokes an
Invite
, URL, or ID to an invite.You must have the
manage_channels
permission in
the associated guild to do this.- Parameters:
-
invite (Union[
Invite
,str
]) – The invite to revoke. - Raises:
-
-
.Forbidden – You do not have permissions to revoke invites.
-
.NotFound – The invite is invalid or expired.
-
.HTTPException – Revoking the invite failed.
-
- await fetch_widget(guild_id)
-
This function is a coroutine.
Gets a
Widget
from a guild ID.Note
The guild must have the widget enabled to get this information.
- Parameters:
-
guild_id (
int
) – The ID of the guild. - Raises:
-
-
.Forbidden – The widget for this guild is disabled.
-
.HTTPException – Retrieving the widget failed.
-
- Returns:
-
The guild’s widget.
- Return type:
-
Widget
- await application_info()
-
This function is a coroutine.
Retrieves the bot’s application information.
- Raises:
-
.HTTPException – Retrieving the information failed somehow.
- Returns:
-
The bot’s application information.
- Return type:
-
AppInfo
- await fetch_user(user_id)
-
This function is a coroutine.
Retrieves a
User
based on their ID. This can only
be used by bot accounts. You do not have to share any guilds
with the user to get this information, however many operations
do require that you do.Note
This method is an API call. If you have
Intents.members
and member cache enabled, considerget_user()
instead.- Parameters:
-
user_id (
int
) – The user’s ID to fetch from. - Raises:
-
-
.NotFound – A user with this ID does not exist.
-
.HTTPException – Fetching the user failed.
-
- Returns:
-
The user you requested.
- Return type:
-
User
- await fetch_channel(channel_id)
-
This function is a coroutine.
Retrieves a
abc.GuildChannel
orabc.PrivateChannel
with the specified ID.Note
This method is an API call. For general usage, consider
get_channel()
instead.New in version 1.2.
- Raises:
-
-
.InvalidData – An unknown channel type was received from Discord.
-
.HTTPException – Retrieving the channel failed.
-
.NotFound – Invalid Channel ID.
-
.Forbidden – You do not have permission to fetch this channel.
-
- Returns:
-
The channel from the ID.
- Return type:
-
Union[
abc.GuildChannel
,abc.PrivateChannel
]
- await fetch_webhook(webhook_id)
-
This function is a coroutine.
Retrieves a
Webhook
with the specified ID.- Raises:
-
-
.HTTPException – Retrieving the webhook failed.
-
.NotFound – Invalid webhook ID.
-
.Forbidden – You do not have permission to fetch this webhook.
-
- Returns:
-
The webhook you requested.
- Return type:
-
Webhook
- await fetch_all_nitro_stickers()
-
Retrieves a
list
with all build-inStickerPack
‘s.- Returns:
-
A list containing all build-in sticker-packs.
- Return type:
-
StickerPack
AutoShardedClient
Methods
-
asyncchange_presence -
asyncclose -
asyncconnect -
defget_shard -
defis_ws_ratelimited -
asyncrequest_offline_members
- class discord.AutoShardedClient(*args, loop=None, **kwargs)
-
A client similar to
Client
except it handles the complications
of sharding for the user into a more manageable and transparent single
process bot.When using this client, you will be able to use it as-if it was a regular
Client
with a single shard when implementation wise internally it
is split up into multiple shards. This allows you to not have to deal with
IPC or other complicated infrastructure.It is recommended to use this client only if you have surpassed at least
1000 guilds.If no
shard_count
is provided, then the library will use the
Bot Gateway endpoint call to figure out how many shards to use.If a
shard_ids
parameter is given, then those shard IDs will be used
to launch the internal shards. Note thatshard_count
must be provided
if this is used. By default, when omitted, the client will launch shards from
0 toshard_count - 1
.- shard_ids
-
An optional list of shard_ids to launch the shards with.
- Type:
-
Optional[List[
int
]]
- property latency
-
Measures latency between a HEARTBEAT and a HEARTBEAT_ACK in seconds.
This operates similarly to
Client.latency()
except it uses the average
latency of every shard’s latency. To get a list of shard latency, check the
latencies
property. Returnsnan
if there are no shards ready.- Type:
-
float
- property latencies
-
A list of latencies between a HEARTBEAT and a HEARTBEAT_ACK in seconds.
This returns a list of tuples with elements
(shard_id, latency)
.- Type:
-
List[Tuple[
int
,float
]]
- get_shard(shard_id)
-
Optional[
ShardInfo
]: Gets the shard information at a given shard ID orNone
if not found.
- property shards
-
Returns a mapping of shard IDs to their respective info object.
- Type:
-
Mapping[int,
ShardInfo
]
- await request_offline_members(*guilds)
-
This function is a coroutine.
Requests previously offline members from the guild to be filled up
into theGuild.members
cache. This function is usually not
called. It should only be used if you have thefetch_offline_members
parameter set toFalse
.When the client logs on and connects to the websocket, Discord does
not provide the library with offline members if the number of members
in the guild is larger than 250. You can check if a guild is large
ifGuild.large
isTrue
.Warning
This method is deprecated. Use
Guild.chunk()
instead.- Parameters:
-
*guilds (
Guild
) – An argument list of guilds to request offline members for. - Raises:
-
InvalidArgument – If any guild is unavailable in the collection.
- await connect(*, reconnect=True)
-
This function is a coroutine.
Creates a websocket connection and lets the websocket listen
to messages from Discord. This is a loop that runs the entire
event system and miscellaneous aspects of the library. Control
is not resumed until the WebSocket connection is terminated.- Parameters:
-
reconnect (
bool
) – If we should attempt reconnecting, either due to internet
failure or a specific failure on Discord’s part. Certain
disconnects that lead to bad state will not be handled (such as
invalid sharding payloads or bad tokens). - Raises:
-
-
.GatewayNotFound – If the gateway to connect to Discord is not found. Usually if this
is thrown then there is a Discord API outage. -
.ConnectionClosed – The websocket connection has been terminated.
-
- await close()
-
This function is a coroutine.
Closes the connection to Discord.
- await change_presence(*, activity=None, status=None, afk=False, shard_id=None)
-
This function is a coroutine.
Changes the client’s presence.
Example:
game = discord.Game("with the API") await client.change_presence(status=discord.Status.idle, activity=game)
- Parameters:
-
-
activity (Optional[
BaseActivity
]) – The activity being done.None
if no currently active activity is done. -
status (Optional[
Status
]) – Indicates what status to change to. IfNone
, then
Status.online
is used. -
afk (
bool
) – Indicates if you are going AFK. This allows the discord
client to know how to handle push notifications better
for you in case you are actually idle and not lying. -
shard_id (Optional[
int
]) – The shard_id to change the presence to. If not specified
orNone
, then it will change the presence of every
shard the bot can see.
-
- Raises:
-
InvalidArgument – If the
activity
parameter is not of proper type.
- is_ws_ratelimited()
-
bool
: Whether the websocket is currently rate limited.This can be useful to know when deciding whether you should query members
using HTTP or via the gateway.This implementation checks if any of the shards are rate limited.
For more granular control, considerShardInfo.is_ws_ratelimited()
.New in version 1.6.
Application Info
AppInfo
Attributes
- bot_public
- bot_require_code_grant
- cover_image
- cover_image_url
- custom_install_url
- description
- guild
- guild_id
- icon
- icon_url
- id
- interactions_endpoint_url
- name
- owner
- primary_sku_id
- privacy_policy_url
- rpc_origins
- slug
- summary
- team
- terms_of_service_url
- verify_key
Methods
-
defcover_image_url_as -
deficon_url_as
- class discord.AppInfo
-
Represents the application info for the bot provided by Discord.
- id
-
The application ID.
- Type:
-
int
- name
-
The application name.
- Type:
-
str
- owner
-
The application owner.
- Type:
-
User
- team
-
The application’s team.
New in version 1.3.
- Type:
-
Optional[
Team
]
- icon
-
The icon hash, if it exists.
- Type:
-
Optional[
str
]
- description
-
The application description.
- Type:
-
Optional[
str
]
- bot_public
-
Whether the bot can be invited by anyone or if it is locked
to the application owner.- Type:
-
bool
- bot_require_code_grant
-
Whether the bot requires the completion of the full oauth2 code
grant flow to join.- Type:
-
bool
- rpc_origins
-
A list of RPC origin URLs, if RPC is enabled.
- Type:
-
Optional[List[
str
]]
- summary
-
If this application is a game sold on Discord,
this field will be the summary field for the store page of its primary SKU.New in version 1.3.
- Type:
-
str
- verify_key
-
The hex encoded key for verification in interactions and the
GameSDK’s GetTicket.New in version 1.3.
- Type:
-
str
- guild_id
-
If this application is a game sold on Discord,
this field will be the guild to which it has been linked to.New in version 1.3.
- Type:
-
Optional[
int
]
- primary_sku_id
-
If this application is a game sold on Discord,
this field will be the id of the “Game SKU” that is created,
if it exists.New in version 1.3.
- Type:
-
Optional[
int
]
- slug
-
If this application is a game sold on Discord,
this field will be the URL slug that links to the store page.New in version 1.3.
- Type:
-
Optional[
str
]
- cover_image
-
If this application is a game sold on Discord,
this field will be the hash of the image on store embedsNew in version 1.3.
- Type:
-
Optional[
str
]
- custom_install_url
-
The default invite-url for the bot if its set.
- Type:
-
Optional[
str
]
- privacy_policy_url
-
The link to this application’s Privacy Policy if set.
- Type:
-
Optional[
str
]
- terms_of_service_url
-
The link to this application’s Terms of Service if set.
- Type:
-
Optional[
str
]
- interactions_endpoint_url
-
The endpoint that will receive interactions with this app if its set.
- Type:
-
Optional[
str
]
- property icon_url
-
Retrieves the application’s icon asset.
This is equivalent to calling
icon_url_as()
with
the default parameters (‘webp’ format and a size of 1024).New in version 1.3.
- Type:
-
Asset
- icon_url_as(*, format=‘webp’, size=1024)
-
Returns an
Asset
for the icon the application has.The format must be one of ‘webp’, ‘jpeg’, ‘jpg’ or ‘png’.
The size must be a power of 2 between 16 and 4096.New in version 1.6.
- Parameters:
-
-
format (
str
) – The format to attempt to convert the icon to. Defaults to ‘webp’. -
size (
int
) – The size of the image to display.
-
- Raises:
-
InvalidArgument – Bad image format passed to
format
or invalidsize
. - Returns:
-
The resulting CDN asset.
- Return type:
-
Asset
- property cover_image_url
-
Retrieves the cover image on a store embed.
This is equivalent to calling
cover_image_url_as()
with
the default parameters (‘webp’ format and a size of 1024).New in version 1.3.
- Type:
-
Asset
- cover_image_url_as(*, format=‘webp’, size=1024)
-
Returns an
Asset
for the image on store embeds
if this application is a game sold on Discord.The format must be one of ‘webp’, ‘jpeg’, ‘jpg’ or ‘png’.
The size must be a power of 2 between 16 and 4096.New in version 1.6.
- Parameters:
-
-
format (
str
) – The format to attempt to convert the image to. Defaults to ‘webp’. -
size (
int
) – The size of the image to display.
-
- Raises:
-
InvalidArgument – Bad image format passed to
format
or invalidsize
. - Returns:
-
The resulting CDN asset.
- Return type:
-
Asset
- property guild
-
If this application is a game sold on Discord,
this field will be the guild to which it has been linkedNew in version 1.3.
- Type:
-
Optional[
Guild
]
Team
- class discord.Team
-
Represents an application team for a bot provided by Discord.
- id
-
The team ID.
- Type:
-
int
- name
-
The team name
- Type:
-
str
- icon
-
The icon hash, if it exists.
- Type:
-
Optional[
str
]
- owner_id
-
The team’s owner ID.
- Type:
-
int
- members
-
A list of the members in the team
New in version 1.3.
- Type:
-
List[
TeamMember
]
- property icon_url
-
Retrieves the team’s icon asset.
This is equivalent to calling
icon_url_as()
with
the default parameters (‘webp’ format and a size of 1024).- Type:
-
Asset
- icon_url_as(*, format=‘webp’, size=1024)
-
Returns an
Asset
for the icon the team has.The format must be one of ‘webp’, ‘jpeg’, ‘jpg’ or ‘png’.
The size must be a power of 2 between 16 and 4096.New in version 2.0.
- Parameters:
-
-
format (
str
) – The format to attempt to convert the icon to. Defaults to ‘webp’. -
size (
int
) – The size of the image to display.
-
- Raises:
-
InvalidArgument – Bad image format passed to
format
or invalidsize
. - Returns:
-
The resulting CDN asset.
- Return type:
-
Asset
- property owner
-
The team’s owner.
- Type:
-
Optional[
TeamMember
]
TeamMember
- class discord.TeamMember
-
Represents a team member in a team.
- x == y
-
Checks if two team members are equal.
- x != y
-
Checks if two team members are not equal.
- hash(x)
-
Return the team member’s hash.
- str(x)
-
Returns the team member’s name with discriminator.
New in version 1.3.
- name
-
The team member’s username.
- Type:
-
str
- id
-
The team member’s unique ID.
- Type:
-
int
- discriminator
-
The team member’s discriminator. This is given when the username has conflicts.
- Type:
-
str
- avatar
-
The avatar hash the team member has. Could be None.
- Type:
-
Optional[
str
]
- bot
-
Specifies if the user is a bot account.
- Type:
-
bool
- team
-
The team that the member is from.
- Type:
-
Team
- membership_state
-
The membership state of the member (e.g. invited or accepted)
- Type:
-
TeamMembershipState
Event Reference
This section outlines the different types of events listened by Client
.
There are two ways to register an event, the first way is through the use of
Client.event()
. The second way is through subclassing Client
and
overriding the specific events. For example:
import discord class MyClient(discord.Client): async def on_message(self, message): if message.author == self.user: return if message.content.startswith('$hello'): await message.channel.send('Hello World!')
If an event handler raises an exception, on_error()
will be called
to handle it, which defaults to print a traceback and ignoring the exception.
Warning
All the events must be a coroutine. If they aren’t, then you might get unexpected
errors. In order to turn a function into a coroutine they must be async def
functions.
- discord.on_connect()
-
Called when the client has successfully connected to Discord. This is not
the same as the client being fully prepared, seeon_ready()
for that.The warnings on
on_ready()
also apply.
- discord.on_shard_connect(shard_id)
-
Similar to
on_connect()
except used byAutoShardedClient
to denote when a particular shard ID has connected to Discord.New in version 1.4.
- Parameters:
-
shard_id (
int
) – The shard ID that has connected.
- discord.on_disconnect()
-
Called when the client has disconnected from Discord, or a connection attempt to Discord has failed.
This could happen either through the internet being disconnected, explicit calls to close,
or Discord terminating the connection one way or the other.This function can be called many times without a corresponding
on_connect()
call.
- discord.on_shard_disconnect(shard_id)
-
Similar to
on_disconnect()
except used byAutoShardedClient
to denote when a particular shard ID has disconnected from Discord.New in version 1.4.
- Parameters:
-
shard_id (
int
) – The shard ID that has disconnected.
- discord.on_ready()
-
Called when the client is done preparing the data received from Discord. Usually after login is successful
and theClient.guilds
and co. are filled up.Warning
This function is not guaranteed to be the first event called.
Likewise, this function is not guaranteed to only be called
once. This library implements reconnection logic and thus will
end up calling this event whenever a RESUME request fails.
- discord.on_shard_ready(shard_id)
-
Similar to
on_ready()
except used byAutoShardedClient
to denote when a particular shard ID has become ready.- Parameters:
-
shard_id (
int
) – The shard ID that is ready.
- discord.on_resumed()
-
Called when the client has resumed a session.
- discord.on_shard_resumed(shard_id)
-
Similar to
on_resumed()
except used byAutoShardedClient
to denote when a particular shard ID has resumed a session.New in version 1.4.
- Parameters:
-
shard_id (
int
) – The shard ID that has resumed.
- discord.on_error(event, *args, **kwargs)
-
Usually when an event raises an uncaught exception, a traceback is
printed to stderr and the exception is ignored. If you want to
change this behaviour and handle the exception for whatever reason
yourself, this event can be overridden. Which, when done, will
suppress the default action of printing the traceback.The information of the exception raised and the exception itself can
be retrieved with a standard call tosys.exc_info()
.If you want exception to propagate out of the
Client
class
you can define anon_error
handler consisting of a single empty
raise statement. Exceptions raised byon_error
will not be
handled in any way byClient
.Note
on_error
will only be dispatched toClient.event()
.It will not be received by
Client.wait_for()
, or, if used,
Bots listeners such as
listen()
orlistener()
.- Parameters:
-
-
event (
str
) – The name of the event that raised the exception. -
args – The positional arguments for the event that raised the
exception. -
kwargs – The keyword arguments for the event that raised the
exception.
-
- discord.on_application_command_error(command, interaction, exception)
-
The default error handler when an exception was raised while invoking an application-command .
Note
This includes when a
check()
failsBy default, this prints to
sys.stderr
however it could be
overridden to have a different implementation.- Parameters:
-
-
command (
ApplicationCommand
) – TheSlashCommand
/SubCommand
,MessageCommand
orUserCommand
in wich invocation the exception was raised. -
interaction (
ApplicationCommandInteraction
) – The interaction that was invoked -
exception (
Exception
) – The exception that was raised
-
- discord.on_socket_raw_receive(msg)
-
Called whenever a message is received from the WebSocket, before
it’s processed. This event is always dispatched when a message is
received and the passed data is not processed in any way.This is only really useful for grabbing the WebSocket stream and
debugging purposes.Note
This is only for the messages received from the client
WebSocket. The voice WebSocket will not trigger this event.- Parameters:
-
msg (Union[
bytes
,str
]) – The message passed in from the WebSocket library.
Could bebytes
for a binary message orstr
for a regular message.
- discord.on_socket_raw_send(payload)
-
Called whenever a send operation is done on the WebSocket before the
message is sent. The passed parameter is the message that is being
sent to the WebSocket.This is only really useful for grabbing the WebSocket stream and
debugging purposes.Note
This is only for the messages sent from the client
WebSocket. The voice WebSocket will not trigger this event.- Parameters:
-
payload – The message that is about to be passed on to the
WebSocket library. It can bebytes
to denote a binary
message orstr
to denote a regular text message.
- discord.on_typing(channel, user, when)
-
Called when someone begins typing a message.
The
channel
parameter can be aabc.Messageable
instance.
Which could either beTextChannel
,GroupChannel
, or
DMChannel
.If the
channel
is aTextChannel
then theuser
parameter
is aMember
, otherwise it is aUser
.This requires
Intents.typing
to be enabled.- Parameters:
-
-
channel (
abc.Messageable
) – The location where the typing originated from. -
user (Union[
User
,Member
]) – The user that started typing. -
when (
datetime.datetime
) – When the typing started as a naive datetime in UTC.
-
- discord.on_message(message)
-
Called when a
Message
is created and sent.This requires
Intents.messages
to be enabled.Warning
Your bot’s own messages and private messages are sent through this
event. This can lead cases of ‘recursion’ depending on how your bot was
programmed. If you want the bot to not reply to itself, consider
checking the user IDs. Note thatBot
does not
have this problem.- Parameters:
-
message (
Message
) – The current message.
- discord.on_message_delete(message)
-
Called when a message is deleted. If the message is not found in the
internal message cache, then this event will not be called.
Messages might not be in cache if the message is too old
or the client is participating in high traffic guilds.If this occurs increase the
Client.max_messages
attribute
or use theon_raw_message_delete()
event instead.This requires
Intents.messages
to be enabled.- Parameters:
-
message (
Message
) – The deleted message.
- discord.on_bulk_message_delete(messages)
-
Called when messages are bulk deleted. If none of the messages deleted
are found in the internal message cache, then this event will not be called.
If individual messages were not found in the internal message cache,
this event will still be called, but the messages not found will not be included in
the messages list. Messages might not be in cache if the message is too old
or the client is participating in high traffic guilds.If this occurs increase the
Client.max_messages
attribute
or use theon_raw_bulk_message_delete()
event instead.This requires
Intents.messages
to be enabled.- Parameters:
-
messages (List[
Message
]) – The messages that have been deleted.
- discord.on_raw_message_delete(payload)
-
Called when a message is deleted. Unlike
on_message_delete()
, this is
called regardless of the message being in the internal message cache or not.If the message is found in the message cache,
it can be accessed viaRawMessageDeleteEvent.cached_message
This requires
Intents.messages
to be enabled.- Parameters:
-
payload (
RawMessageDeleteEvent
) – The raw event payload data.
- discord.on_raw_bulk_message_delete(payload)
-
Called when a bulk delete is triggered. Unlike
on_bulk_message_delete()
, this is
called regardless of the messages being in the internal message cache or not.If the messages are found in the message cache,
they can be accessed viaRawBulkMessageDeleteEvent.cached_messages
This requires
Intents.messages
to be enabled.- Parameters:
-
payload (
RawBulkMessageDeleteEvent
) – The raw event payload data.
- discord.on_message_edit(before, after)
-
Called when a
Message
receives an update event. If the message is not found
in the internal message cache, then these events will not be called.
Messages might not be in cache if the message is too old
or the client is participating in high traffic guilds.If this occurs increase the
Client.max_messages
attribute
or use theon_raw_message_edit()
event instead.The following non-exhaustive cases trigger this event:
-
A message has been pinned or unpinned.
-
The message content has been changed.
-
The message has received an embed.
-
For performance reasons, the embed server does not do this in a “consistent” manner.
-
-
The message’s embeds were suppressed or unsuppressed.
-
A call message has received an update to its participants or ending time.
This requires
Intents.messages
to be enabled.- Parameters:
-
-
before (
Message
) – The previous version of the message. -
after (
Message
) – The current version of the message.
-
-
- discord.on_raw_message_edit(payload)
-
Called when a message is edited. Unlike
on_message_edit()
, this is called
regardless of the state of the internal message cache.If the message is found in the message cache,
it can be accessed viaRawMessageUpdateEvent.cached_message
. The cached message represents
the message before it has been edited. For example, if the content of a message is modified and
triggers theon_raw_message_edit()
coroutine, theRawMessageUpdateEvent.cached_message
will return aMessage
object that represents the message before the content was modified.Due to the inherently raw nature of this event, the data parameter coincides with
the raw data given by the gateway.Since the data payload can be partial, care must be taken when accessing stuff in the dictionary.
One example of a common case of partial data is when the'content'
key is inaccessible. This
denotes an “embed” only edit, which is an edit in which only the embeds are updated by the Discord
embed server.This requires
Intents.messages
to be enabled.- Parameters:
-
payload (
RawMessageUpdateEvent
) – The raw event payload data.
- discord.on_reaction_add(reaction, user)
-
Called when a message has a reaction added to it. Similar to
on_message_edit()
,
if the message is not found in the internal message cache, then this
event will not be called. Consider usingon_raw_reaction_add()
instead.Note
To get the
Message
being reacted, access it viaReaction.message
.This requires
Intents.reactions
to be enabled.Note
This doesn’t require
Intents.members
within a guild context,
but due to Discord not providing updated user information in a direct message
it’s required for direct messages to receive this event.
Consider usingon_raw_reaction_add()
if you need this and do not otherwise want
to enable the members intent.- Parameters:
-
-
reaction (
Reaction
) – The current state of the reaction. -
user (Union[
Member
,User
]) – The user who added the reaction.
-
- discord.on_raw_reaction_add(payload)
-
Called when a message has a reaction added. Unlike
on_reaction_add()
, this is
called regardless of the state of the internal message cache.This requires
Intents.reactions
to be enabled.- Parameters:
-
payload (
RawReactionActionEvent
) – The raw event payload data.
- discord.on_reaction_remove(reaction, user)
-
Called when a message has a reaction removed from it. Similar to on_message_edit,
if the message is not found in the internal message cache, then this event
will not be called.Note
To get the message being reacted, access it via
Reaction.message
.This requires both
Intents.reactions
andIntents.members
to be enabled.Note
Consider using
on_raw_reaction_remove()
if you need this and do not want
to enable the members intent.- Parameters:
-
-
reaction (
Reaction
) – The current state of the reaction. -
user (Union[
Member
,User
]) – The user who added the reaction.
-
- discord.on_raw_reaction_remove(payload)
-
Called when a message has a reaction removed. Unlike
on_reaction_remove()
, this is
called regardless of the state of the internal message cache.This requires
Intents.reactions
to be enabled.- Parameters:
-
payload (
RawReactionActionEvent
) – The raw event payload data.
- discord.on_reaction_clear(message, reactions)
-
Called when a message has all its reactions removed from it. Similar to
on_message_edit()
,
if the message is not found in the internal message cache, then this event
will not be called. Consider usingon_raw_reaction_clear()
instead.This requires
Intents.reactions
to be enabled.- Parameters:
-
-
message (
Message
) – The message that had its reactions cleared. -
reactions (List[
Reaction
]) – The reactions that were removed.
-
- discord.on_raw_reaction_clear(payload)
-
Called when a message has all its reactions removed. Unlike
on_reaction_clear()
,
this is called regardless of the state of the internal message cache.This requires
Intents.reactions
to be enabled.- Parameters:
-
payload (
RawReactionClearEvent
) – The raw event payload data.
- discord.on_reaction_clear_emoji(reaction)
-
Called when a message has a specific reaction removed from it. Similar to
on_message_edit()
,
if the message is not found in the internal message cache, then this event
will not be called. Consider usingon_raw_reaction_clear_emoji()
instead.This requires
Intents.reactions
to be enabled.New in version 1.3.
- Parameters:
-
reaction (
Reaction
) – The reaction that got cleared.
- discord.on_raw_reaction_clear_emoji(payload)
-
Called when a message has a specific reaction removed from it. Unlike
on_reaction_clear_emoji()
this is called
regardless of the state of the internal message cache.This requires
Intents.reactions
to be enabled.New in version 1.3.
- Parameters:
-
payload (
RawReactionClearEmojiEvent
) – The raw event payload data.
- discord.on_private_channel_delete(channel)
- discord.on_private_channel_create(channel)
-
Called whenever a private channel is deleted or created.
This requires
Intents.messages
to be enabled.- Parameters:
-
channel (
abc.PrivateChannel
) – The private channel that got created or deleted.
- discord.on_private_channel_update(before, after)
-
Called whenever a private group DM is updated. e.g. changed name or topic.
This requires
Intents.messages
to be enabled.- Parameters:
-
-
before (
GroupChannel
) – The updated group channel’s old info. -
after (
GroupChannel
) – The updated group channel’s new info.
-
- discord.on_private_channel_pins_update(channel, last_pin)
-
Called whenever a message is pinned or unpinned from a private channel.
- Parameters:
-
-
channel (
abc.PrivateChannel
) – The private channel that had its pins updated. -
last_pin (Optional[
datetime.datetime
]) – The latest message that was pinned as a naive datetime in UTC. Could beNone
.
-
- discord.on_guild_channel_delete(channel)
- discord.on_guild_channel_create(channel)
-
Called whenever a guild channel is deleted or created.
Note that you can get the guild from
guild
.This requires
Intents.guilds
to be enabled.- Parameters:
-
channel (
abc.GuildChannel
) – The guild channel that got created or deleted.
- discord.on_guild_channel_update(before, after)
-
Called whenever a guild channel is updated. e.g. changed name, topic, permissions.
This requires
Intents.guilds
to be enabled.- Parameters:
-
-
before (
abc.GuildChannel
) – The updated guild channel’s old info. -
after (
abc.GuildChannel
) – The updated guild channel’s new info.
-
- discord.on_guild_channel_pins_update(channel, last_pin)
-
Called whenever a message is pinned or unpinned from a guild channel.
This requires
Intents.guilds
to be enabled.- Parameters:
-
-
channel (
abc.GuildChannel
) – The guild channel that had its pins updated. -
last_pin (Optional[
datetime.datetime
]) – The latest message that was pinned as a naive datetime in UTC. Could beNone
.
-
- discord.on_guild_integrations_update(guild)
-
New in version 1.4.
Called whenever an integration is created, modified, or removed from a guild.
This requires
Intents.integrations
to be enabled.- Parameters:
-
guild (
Guild
) – The guild that had its integrations updated.
- discord.on_webhooks_update(channel)
-
Called whenever a webhook is created, modified, or removed from a guild channel.
This requires
Intents.webhooks
to be enabled.- Parameters:
-
channel (
abc.GuildChannel
) – The channel that had its webhooks updated.
- discord.on_member_join(member)
- discord.on_member_remove(member)
-
Called when a
Member
leaves or joins aGuild
.This requires
Intents.members
to be enabled.- Parameters:
-
member (
Member
) – The member who joined or left.
- discord.on_member_update(before, after)
-
Called when a
Member
updates their profile.This is called when one or more of the following things change:
-
status
-
activity
-
nickname
-
roles
-
pending
This requires
Intents.members
to be enabled.- Parameters:
-
-
before (
Member
) – The updated member’s old info. -
after (
Member
) – The updated member’s updated info.
-
-
- discord.on_user_update(before, after)
-
Called when a
User
updates their profile.This is called when one or more of the following things change:
-
avatar
-
username
-
discriminator
This requires
Intents.members
to be enabled.- Parameters:
-
-
before (
User
) – The updated user’s old info. -
after (
User
) – The updated user’s updated info.
-
-
- discord.on_guild_join(guild)
-
Called when a
Guild
is either created by theClient
or when the
Client
joins a guild.This requires
Intents.guilds
to be enabled.- Parameters:
-
guild (
Guild
) – The guild that was joined.
- discord.on_guild_remove(guild)
-
Called when a
Guild
is removed from theClient
.This happens through, but not limited to, these circumstances:
-
The client got banned.
-
The client got kicked.
-
The client left the guild.
-
The client or the guild owner deleted the guild.
In order for this event to be invoked then the
Client
must have
been part of the guild to begin with. (i.e. it is part ofClient.guilds
)This requires
Intents.guilds
to be enabled.- Parameters:
-
guild (
Guild
) – The guild that got removed.
-
- discord.on_guild_update(before, after)
-
Called when a
Guild
updates, for example:-
Changed name
-
Changed AFK channel
-
Changed AFK timeout
-
etc
This requires
Intents.guilds
to be enabled.- Parameters:
-
-
before (
Guild
) – The guild prior to being updated. -
after (
Guild
) – The guild after being updated.
-
-
- discord.on_guild_role_create(role)
- discord.on_guild_role_delete(role)
-
Called when a
Guild
creates or deletes a newRole
.To get the guild it belongs to, use
Role.guild
.This requires
Intents.guilds
to be enabled.- Parameters:
-
role (
Role
) – The role that was created or deleted.
- discord.on_guild_role_update(before, after)
-
Called when a
Role
is changed guild-wide.This requires
Intents.guilds
to be enabled.- Parameters:
-
-
before (
Role
) – The updated role’s old info. -
after (
Role
) – The updated role’s updated info.
-
- discord.on_guild_emojis_update(guild, before, after)
-
Called when a
Guild
adds or removesEmoji
.This requires
Intents.emojis
to be enabled.- Parameters:
-
-
guild (
Guild
) – The guild who got their emojis updated. -
before (Sequence[
Emoji
]) – A list of emojis before the update. -
after (Sequence[
Emoji
]) – A list of emojis after the update.
-
- discord.on_guild_available(guild)
- discord.on_guild_unavailable(guild)
-
Called when a guild becomes available or unavailable. The guild must have
existed in theClient.guilds
cache.This requires
Intents.guilds
to be enabled.- Parameters:
-
guild – The
Guild
that has changed availability.
- discord.on_voice_state_update(member, before, after)
-
Called when a
Member
changes theirVoiceState
.The following, but not limited to, examples illustrate when this event is called:
-
A member joins a voice channel.
-
A member leaves a voice channel.
-
A member is muted or deafened by their own accord.
-
A member is muted or deafened by a guild administrator.
This requires
Intents.voice_states
to be enabled.- Parameters:
-
-
member (
Member
) – The member whose voice states changed. -
before (
VoiceState
) – The voice state prior to the changes. -
after (
VoiceState
) – The voice state after the changes.
-
-
- discord.on_member_ban(guild, user)
-
Called when user gets banned from a
Guild
.This requires
Intents.bans
to be enabled.- Parameters:
-
-
guild (
Guild
) – The guild the user got banned from. -
user (Union[
User
,Member
]) – The user that got banned.
Can be eitherUser
orMember
depending if
the user was in the guild or not at the time of removal.
-
- discord.on_member_unban(guild, user)
-
Called when a
User
gets unbanned from aGuild
.This requires
Intents.bans
to be enabled.- Parameters:
-
-
guild (
Guild
) – The guild the user got unbanned from. -
user (
User
) – The user that got unbanned.
-
- discord.on_invite_create(invite)
-
Called when an
Invite
is created.
You must have themanage_channels
permission to receive this.New in version 1.3.
Note
There is a rare possibility that the
Invite.guild
andInvite.channel
attributes will be ofObject
rather than the respective models.This requires
Intents.invites
to be enabled.- Parameters:
-
invite (
Invite
) – The invite that was created.
- discord.on_invite_delete(invite)
-
Called when an
Invite
is deleted.
You must have themanage_channels
permission to receive this.New in version 1.3.
Note
There is a rare possibility that the
Invite.guild
andInvite.channel
attributes will be ofObject
rather than the respective models.Outside of those two attributes, the only other attribute guaranteed to be
filled by the Discord gateway for this event isInvite.code
.This requires
Intents.invites
to be enabled.- Parameters:
-
invite (
Invite
) – The invite that was deleted.
- discord.on_group_join(channel, user)
- discord.on_group_remove(channel, user)
-
Called when someone joins or leaves a
GroupChannel
.- Parameters:
-
-
channel (
GroupChannel
) – The group that the user joined or left. -
user (
User
) – The user that joined or left.
-
- discord.on_automod_rule_create(rule)
-
Called when a auto moderation rule is created.
- Parameters:
-
rule (
AutoModRule
) – The rule that was created.
- discord.on_automod_rule_update(before, after)
-
Called when a auto moderation rule is updated.
- Parameters:
-
before (
AutoModRule
) – The old rule.
Warning
This will be
None
if the rule was not in the cache before.- Parameters:
-
after (
AutoModRule
) – The updated rule.
- discord.on_automod_rule_delete(rule)
-
Called when a auto moderation rule is deleted.
- Parameters:
-
rule (
AutoModRule
) – The rule that was deleted.
- discord.on_automod_action(payload)
-
Called when a
AutoModRule
was triggered by a user- Parameters:
-
payload (
AutoModActionPayload
) – The payload containing all the information
- discord.on_button_click(interaction, button)
-
Called when a
Button
, that is attached to aMessage
wich is in the internal cache, is pressed.- Parameters:
-
-
interaction (
ComponentInteraction
) – The Interaction-object with all his attributes and methods to respond to the interaction -
button (
Button
) – The button that was pressed. (this is also available underdiscord.ComponentInteraction.component
).
-
- discord.on_raw_button_click(interaction, button)
-
Called when a
Button
, that is attached to anyMessage
of the bot, is pressed.Warning
This may be removed and be included in
on_button_click()
in a future release- Parameters:
-
-
interaction (
ComponentInteraction
) – The Interaction-object with all his attributes and methods to respond to the interaction -
button (
Button
) – The button that was pressed. (this is also available underdiscord.ComponentInteraction.component
).
-
- discord.on_selection_select(interaction, select_menu)
-
Called when a
SelectMenu
, that is attached to aMessage
wich is in the internal cache, is used.- Parameters:
-
-
interaction (
ComponentInteraction
) – The Interaction-object with all his attributes and methods to respond to the interaction -
select_menu (
SelectMenu
) – TheSelectMenu
but with theSelectMenu.values
set wich contains a list of the selectedoptions
. (this is also available underdiscord.ComponentInteraction.component
).
-
- discord.on_raw_selection_select(interaction, select_menu)
-
Called when a
SelectMenu
, that is attached to anyMessage
of the bot, is used.Warning
This may be removed and be included in
on_selection_select()
in a future release- Parameters:
-
-
interaction (
ComponentInteraction
) – The Interaction-object with all his attributes and methods to respond to the interaction -
select_menu (
SelectMenu
) – TheSelectMenu
but with theSelectMenu.values
set wich contains a list of the selectedoptions
. (this is also available underdiscord.ComponentInteraction.component
).
-
- discord.on_modal_submit(interaction)
-
Called when a user press the
Submit
button in aModal
.- Parameters:
-
interaction (
ModalSubmitInteraction
) – he Interaction-object with all his attributes and methods to respond to the interaction
Utility Functions
- discord.utils.find(predicate, seq)
-
A helper to return the first element found in the sequence
that meets the predicate. For example:member = discord.utils.find(lambda m: m.name == 'Mighty', channel.guild.members)
would find the first
Member
whose name is ‘Mighty’ and return it.
If an entry is not found, thenNone
is returned.This is different from
filter()
due to the fact it stops the moment it finds
a valid entry.- Parameters:
-
-
predicate – A function that returns a boolean-like result.
-
seq (iterable) – The iterable to search through.
-
- discord.utils.get(iterable, **attrs)
-
A helper that returns the first element in the iterable that meets
all the traits passed inattrs
. This is an alternative for
find()
.When multiple attributes are specified, they are checked using
logical AND, not logical OR. Meaning they have to meet every
attribute passed in and not one of them.To have a nested attribute search (i.e. search by
x.y
) then
pass inx__y
as the keyword argument.If nothing is found that matches the attributes passed, then
None
is returned.Examples
Basic usage:
member = discord.utils.get(message.guild.members, name='Foo')
Multiple attribute matching:
channel = discord.utils.get(guild.voice_channels, name='Foo', bitrate=64000)
Nested attribute matching:
channel = discord.utils.get(client.get_all_channels(), guild__name='Cool', name='general')
- Parameters:
-
-
iterable – An iterable to search through.
-
**attrs – Keyword arguments that denote attributes to search with.
-
- discord.utils.snowflake_time(id)
-
- Parameters:
-
id (
int
) – The snowflake ID. - Returns:
-
The creation date in UTC of a Discord snowflake ID.
- Return type:
-
datetime.datetime
- discord.utils.oauth_url(client_id, permissions=None, guild=None, redirect_uri=None, scopes=(‘bot’,))
-
A helper function that returns the OAuth2 URL for inviting the bot
into guilds.- Parameters:
-
-
client_id (
str
) – The client ID for your bot. -
permissions (
Permissions
) – The permissions you’re requesting. If not given then you won’t be requesting any
permissions. -
guild (
Guild
) – The guild to pre-select in the authorization screen, if available. -
redirect_uri (
str
) – An optional valid redirect URI. -
scopes (Iterable[
str
]) –An optional valid list of scopes. Defaults to
('bot',)
.New in version 1.7.
-
- Returns:
-
The OAuth2 URL for inviting the bot into guilds.
- Return type:
-
str
- discord.utils.remove_markdown(text, *, ignore_links=True)
-
A helper function that removes markdown characters.
New in version 1.7.
Note
This function is not markdown aware and may remove meaning from the original text. For example,
if the input contains10 * 5
then it will be converted into10 5
.- Parameters:
-
-
text (
str
) – The text to remove markdown from. -
ignore_links (
bool
) – Whether to leave links alone when removing markdown. For example,
if a URL in the text contains characters such as_
then it will
be left alone. Defaults toTrue
.
-
- Returns:
-
The text with the markdown special characters removed.
- Return type:
-
str
- discord.utils.escape_markdown(text, *, as_needed=False, ignore_links=True)
-
A helper function that escapes Discord’s markdown.
- Parameters:
-
-
text (
str
) – The text to escape markdown from. -
as_needed (
bool
) – Whether to escape the markdown characters as needed. This
means that it does not escape extraneous characters if it’s
not necessary, e.g.**hello**
is escaped into**hello**
instead of**hello**
. Note however that this can open
you up to some clever syntax abuse. Defaults toFalse
. -
ignore_links (
bool
) – Whether to leave links alone when escaping markdown. For example,
if a URL in the text contains characters such as_
then it will
be left alone. This option is not supported withas_needed
.
Defaults toTrue
.
-
- Returns:
-
The text with the markdown special characters escaped with a slash.
- Return type:
-
str
- discord.utils.escape_mentions(text)
-
A helper function that escapes everyone, here, role, and user mentions.
Note
This does not include channel mentions.
Note
For more granular control over what mentions should be escaped
within messages, refer to theAllowedMentions
class.- Parameters:
-
text (
str
) – The text to escape mentions from. - Returns:
-
The text with the mentions removed.
- Return type:
-
str
- discord.utils.resolve_invite(invite)
-
Resolves an invite from a
Invite
, URL or code.- Parameters:
-
invite (Union[
Invite
,str
]) – The invite. - Returns:
-
The invite code.
- Return type:
-
str
- discord.utils.resolve_template(code)
-
Resolves a template code from a
Template
, URL or code.New in version 1.4.
- Parameters:
-
code (Union[
Template
,str
]) – The code. - Returns:
-
The template code.
- Return type:
-
str
- await discord.utils.sleep_until(when, result=None)
-
This function is a coroutine.
Sleep until a specified time.
If the time supplied is in the past this function will yield instantly.
New in version 1.3.
- Parameters:
-
-
when (
datetime.datetime
) – The timestamp in which to sleep until. If the datetime is naive then
it is assumed to be in UTC. -
result (Any) – If provided is returned to the caller when the coroutine completes.
-
- discord.utils.styled_timestamp(timestamp, style=short)
-
A small function that returns a styled timestamp for discord, this will be displayed accordingly in the Discord client depending on the
style
specified.Timestamps will display the given timestamp in the user’s timezone and locale.
- Parameters:
-
-
timestamp (Union[
datetime.datetime
,int
]) – The timestamp; Adatetime.datetime
object or a unix timestamp as anint
. -
style (Optional[Union[
TimestampStyle
,str
]]) –How the timestamp should be displayed in Discord; this can either be a
TimestampStyle
or directly the associated value.- default:
-
short
-
Examples
# Normal timestamp @client.command() async def time(ctx): await ctx.send(discord.utils.styled_timestamp(discord.utils.utcnow(), discord.TimestampStyle.long)) # Relative timestamp @client.command() async def countdown(ctx, seconds: int): happens_in = discord.utils.utcnow() + datetime.timedelta(seconds=seconds) await ctx.send(f'Happens {discord.utils.styled_timestamp(happens_in, discord.TimestampStyle.relative)}')
- Raises:
-
AttributeError – If the
style
is not a valid member ofTimestampStyle
- Returns:
-
The formatted timestamp.
- Return type:
-
str
- discord.MISSING
-
The
MISSING
object is a special object used as default value in places whereNone
cant be used as it is a valid value too.
For example in the mostedit
functions.
- discord.utils.SupportsStr
-
The
SupportsStr
object is a special annotation that means that this can any object that is already astr
or has a__str__()
method.
Enumerations
The API provides some enumerations for certain types of strings to avoid the API
from being stringly typed in case the strings change in the future.
All enumerations are subclasses of an internal class which mimics the behaviour
of enum.Enum
.
Note
You can use any of the enum classe members as an attribute of an instance of it to get a bool
whether the instance has this value.
For example channel.type.private will return True
if the channel is a private channel (PS: channel must be a DMChannel
or any other channel like object in this case)
- class discord.ChannelType
-
Specifies the type of channel.
- text
-
A text channel.
- voice
-
A voice channel.
- private
-
A private text channel. Also called a direct message.
- group
-
A private group text channel.
- category
-
A category channel.
- news
-
A guild news channel.
- store
-
A guild store channel.
- stage_voice
-
A guild stage voice channel.
New in version 1.7.
- class discord.MessageType
-
Specifies the type of
Message
. This is used to denote if a message
is to be interpreted as a system message or a regular message.- x == y
-
Checks if two messages are equal.
- x != y
-
Checks if two messages are not equal.
- default
-
The default message type. This is the same as regular messages.
- recipient_add
-
The system message when a recipient is added to a group private
message, i.e. a private channel of typeChannelType.group
.
- recipient_remove
-
The system message when a recipient is removed from a group private
message, i.e. a private channel of typeChannelType.group
.
- call
-
The system message denoting call state, e.g. missed call, started call,
etc.
- channel_name_change
-
The system message denoting that a channel’s name has been changed.
- channel_icon_change
-
The system message denoting that a channel’s icon has been changed.
- pins_add
-
The system message denoting that a pinned message has been added to a channel.
- new_member
-
The system message denoting that a new member has joined a Guild.
- premium_guild_subscription
-
The system message denoting that a member has “nitro boosted” a guild.
- premium_guild_tier_1
-
The system message denoting that a member has “nitro boosted” a guild
and it achieved level 1.
- premium_guild_tier_2
-
The system message denoting that a member has “nitro boosted” a guild
and it achieved level 2.
- premium_guild_tier_3
-
The system message denoting that a member has “nitro boosted” a guild
and it achieved level 3.
- channel_follow_add
-
The system message denoting that an announcement channel has been followed.
New in version 1.3.
- guild_stream
-
The system message denoting that a member is streaming in the guild.
New in version 1.7.
- guild_discovery_disqualified
-
The system message denoting that the guild is no longer eligible for Server
Discovery.New in version 1.7.
- guild_discovery_requalified
-
The system message denoting that the guild has become eligible again for Server
Discovery.New in version 1.7.
- guild_discovery_grace_period_initial_warning
-
The system message denoting that the guild has failed to meet the Server
Discovery requirements for one week.New in version 1.7.
- guild_discovery_grace_period_final_warning
-
The system message denoting that the guild has failed to meet the Server
Discovery requirements for 3 weeks in a row.New in version 1.7.
- class discord.ComponentType
-
- ActionRow
-
Container for other components
- Button
-
Button object
- StringSelect
-
Select menu for picking from defined text options
- TextInput
-
Text input object
- UserSelect
-
Select menu for users
- RoleSelect
-
Select menu for roles
- MentionableSelect
-
Select menu for mentionables (users and roles)
- ChannelSelect
-
Select menu for channels
- class discord.ButtonStyle
-
The possible styles for a
Button
NAME
VALUE
ALIASES
EXAMPLE
- blurple
1
Primary
- grey
2
gray
,
Secondary
- green
3
Success
- red
4
Danger
- url
5
link
,
grey_url
,
Link_Button
- class discord.InteractionCallbackType
-
InteractionCallbackType to react to an
BaseInteraction
NAME
VALUE
DESCRIPTION
USAGE
EXAMPLE
- pong
1
ACK a
Ping
ACK a Ping to Discord
~
- msg_with_source
4
respond to an interaction with a message
Interaction.respond
Click for example
- deferred_msg_with_source
5
ACK an interaction and edit a response later,
the user sees a loading statePossible
response_type
for _deferClick for example
- deferred_update_msg
6
for components, ACK an interaction and edit
the original message later;
the user does not see a loading statePossible
response_type
for _deferClick for example
- update_msg
7
for components,
edit the message the component was attached toInteraction.edit
Click for example
- class discord.Locale
-
Valid locals that are used at different places in the discord api.
Note
Usually you can use the lowercase
Language Name
(spaces replaced with underscores) as a valid locale too.Locale
Language Name
Native Name
- da
Danish
Dansk
- de
German
Deutsch
- en_GB
English, UK
English, UK
- en_US
English, US
English, US
- es_ES
Spanish
Español
- fr
French
Français
- hr
Croatian
Hrvatski
- it
Italian
Italiano
- lt
Lithuanian
Lietuviškai
- hu
Hungarian
Magyar
- nl
Dutch
Nederlands
- no
Norwegian
Norsk
- pl
Polish
Polski
- pt_BR
Portuguese/Brazilian
Português do Brasil
- ro
Romanian, Romania
Română
- fi
Finnish
Suomi
- sv_SE
Swedish
Svenska
- vi
Vietnamese
Tiếng Việt
- tr
Turkish
Türkçe
- cs
Czech
Čeština
- el
Greek
Ελληνικά
- bg
Bulgarian
български
- ru
Russian
Pусский
- uk
Ukrainian
Українська
- hi
Hindi
हिन्दी
- th
Thai
ไทย
- zh_CN
Chinese, China
中文
- ja
Japanese
日本語
- zh_TW
Chinese, Taiwan
繁體中文
- ko
Korean
한국어
- class discord.ActivityType
-
Specifies the type of
Activity
. This is used to check how to
interpret the activity itself.- unknown
-
An unknown activity type. This should generally not happen.
- playing
-
A “Playing” activity type.
- streaming
-
A “Streaming” activity type.
- listening
-
A “Listening” activity type.
- watching
-
A “Watching” activity type.
- custom
-
A custom activity type.
- competing
-
A competing activity type.
New in version 1.5.
- class discord.HypeSquadHouse
-
Specifies the HypeSquad house a user belongs to.
- bravery
-
The “Bravery” house.
- brilliance
-
The “Brilliance” house.
- balance
-
The “Balance” house.
- class discord.VoiceRegion
-
Specifies the region a voice server belongs to.
- amsterdam
-
The Amsterdam region.
- brazil
-
The Brazil region.
- dubai
-
The Dubai region.
New in version 1.3.
- eu_central
-
The EU Central region.
- eu_west
-
The EU West region.
- europe
-
The Europe region.
New in version 1.3.
- frankfurt
-
The Frankfurt region.
- hongkong
-
The Hong Kong region.
- india
-
The India region.
New in version 1.2.
- japan
-
The Japan region.
- london
-
The London region.
- russia
-
The Russia region.
- singapore
-
The Singapore region.
- southafrica
-
The South Africa region.
- south_korea
-
The South Korea region.
- sydney
-
The Sydney region.
- us_central
-
The US Central region.
- us_east
-
The US East region.
- us_south
-
The US South region.
- us_west
-
The US West region.
- vip_amsterdam
-
The Amsterdam region for VIP guilds.
- vip_us_east
-
The US East region for VIP guilds.
- vip_us_west
-
The US West region for VIP guilds.
- class discord.VerificationLevel
-
Specifies a
Guild
‘s verification level, which is the criteria in
which a member must meet before being able to send messages to the guild.- x == y
-
Checks if two verification levels are equal.
- x != y
-
Checks if two verification levels are not equal.
- x > y
-
Checks if a verification level is higher than another.
- x < y
-
Checks if a verification level is lower than another.
- x >= y
-
Checks if a verification level is higher or equal to another.
- x <= y
-
Checks if a verification level is lower or equal to another.
- none
-
No criteria set.
- low
-
Member must have a verified email on their Discord account.
- medium
-
Member must have a verified email and be registered on Discord for more
than five minutes.
- high
-
Member must have a verified email, be registered on Discord for more
than five minutes, and be a member of the guild itself for more than
ten minutes.
- table_flip
-
An alias for
high
.
- extreme
-
Member must have a verified phone on their Discord account.
- double_table_flip
-
An alias for
extreme
.
- very_high
-
An alias for
extreme
.New in version 1.4.
- class discord.NotificationLevel
-
Specifies whether a
Guild
has notifications on for all messages or mentions only by default.- all_messages
-
Members receive notifications for every message regardless of them being mentioned.
- only_mentions
-
Members receive notifications for messages they are mentioned in.
- class discord.ContentFilter
-
Specifies a
Guild
‘s explicit content filter, which is the machine
learning algorithms that Discord uses to detect if an image contains
pornography or otherwise explicit content.- x == y
-
Checks if two content filter levels are equal.
- x != y
-
Checks if two content filter levels are not equal.
- x > y
-
Checks if a content filter level is higher than another.
- x < y
-
Checks if a content filter level is lower than another.
- x >= y
-
Checks if a content filter level is higher or equal to another.
- x <= y
-
Checks if a content filter level is lower or equal to another.
- disabled
-
The guild does not have the content filter enabled.
- no_role
-
The guild has the content filter enabled for members without a role.
- all_members
-
The guild has the content filter enabled for every member.
- class discord.Status
-
Specifies a
Member
‘s status.- online
-
The member is online.
- offline
-
The member is offline.
- idle
-
The member is idle.
- dnd
-
The member is “Do Not Disturb”.
- do_not_disturb
-
An alias for
dnd
.
- invisible
-
The member is “invisible”. In reality, this is only used in sending
a presence a laClient.change_presence()
. When you receive a
user’s presence this will beoffline
instead.
- class discord.AuditLogAction
-
Represents the type of action being done for a
AuditLogEntry
,
which is retrievable viaGuild.audit_logs()
.- guild_update
-
The guild has updated. Things that trigger this include:
-
Changing the guild vanity URL
-
Changing the guild invite splash
-
Changing the guild AFK channel or timeout
-
Changing the guild voice server region
-
Changing the guild icon
-
Changing the guild moderation settings
-
Changing things related to the guild widget
When this is the action, the type of
target
is
theGuild
.Possible attributes for
AuditLogDiff
:-
afk_channel
-
system_channel
-
afk_timeout
-
default_message_notifications
-
explicit_content_filter
-
mfa_level
-
name
-
owner
-
splash
-
vanity_url_code
-
- channel_create
-
A new channel was created.
When this is the action, the type of
target
is
either aabc.GuildChannel
orObject
with an ID.A more filled out object in the
Object
case can be found
by usingafter
.Possible attributes for
AuditLogDiff
:-
name
-
type
-
overwrites
-
- channel_update
-
A channel was updated. Things that trigger this include:
-
The channel name or topic was changed
-
The channel bitrate was changed
When this is the action, the type of
target
is
theabc.GuildChannel
orObject
with an ID.A more filled out object in the
Object
case can be found
by usingafter
orbefore
.Possible attributes for
AuditLogDiff
:-
name
-
type
-
position
-
overwrites
-
topic
-
bitrate
-
- channel_delete
-
A channel was deleted.
When this is the action, the type of
target
is
anObject
with an ID.A more filled out object can be found by using the
before
object.Possible attributes for
AuditLogDiff
:-
name
-
type
-
overwrites
-
- overwrite_create
-
A channel permission overwrite was created.
When this is the action, the type of
target
is
theabc.GuildChannel
orObject
with an ID.When this is the action, the type of
extra
is
either aRole
orMember
. If the object is not found
then it is aObject
with an ID being filled, a name, and a
type
attribute set to either'role'
or'member'
to help
dictate what type of ID it is.Possible attributes for
AuditLogDiff
:-
deny
-
allow
-
id
-
type
-
- overwrite_update
-
A channel permission overwrite was changed, this is typically
when the permission values change.See
overwrite_create
for more information on how the
target
andextra
fields
are set.Possible attributes for
AuditLogDiff
:-
deny
-
allow
-
id
-
type
-
- overwrite_delete
-
A channel permission overwrite was deleted.
See
overwrite_create
for more information on how the
target
andextra
fields
are set.Possible attributes for
AuditLogDiff
:-
deny
-
allow
-
id
-
type
-
- kick
-
A member was kicked.
When this is the action, the type of
target
is
theUser
who got kicked.When this is the action,
changes
is empty.
- member_prune
-
A member prune was triggered.
When this is the action, the type of
target
is
set toNone
.When this is the action, the type of
extra
is
set to an unspecified proxy object with two attributes:-
delete_members_days
: An integer specifying how far the prune was. -
members_removed
: An integer specifying how many members were removed.
When this is the action,
changes
is empty. -
- ban
-
A member was banned.
When this is the action, the type of
target
is
theUser
who got banned.When this is the action,
changes
is empty.
- unban
-
A member was unbanned.
When this is the action, the type of
target
is
theUser
who got unbanned.When this is the action,
changes
is empty.
- member_update
-
A member has updated. This triggers in the following situations:
-
A nickname was changed
-
They were server muted or deafened (or it was undo’d)
When this is the action, the type of
target
is
theMember
orUser
who got updated.Possible attributes for
AuditLogDiff
:-
nick
-
mute
-
deaf
-
- member_role_update
-
A member’s role has been updated. This triggers when a member
either gains a role or losses a role.When this is the action, the type of
target
is
theMember
orUser
who got the role.Possible attributes for
AuditLogDiff
:-
roles
-
- member_move
-
A member’s voice channel has been updated. This triggers when a
member is moved to a different voice channel.When this is the action, the type of
extra
is
set to an unspecified proxy object with two attributes:-
channel
: ATextChannel
orObject
with the channel ID where the members were moved. -
count
: An integer specifying how many members were moved.
New in version 1.3.
-
- member_disconnect
-
A member’s voice state has changed. This triggers when a
member is force disconnected from voice.When this is the action, the type of
extra
is
set to an unspecified proxy object with one attribute:-
count
: An integer specifying how many members were disconnected.
New in version 1.3.
-
- bot_add
-
A bot was added to the guild.
When this is the action, the type of
target
is
theMember
orUser
which was added to the guild.New in version 1.3.
- role_create
-
A new role was created.
When this is the action, the type of
target
is
theRole
or aObject
with the ID.Possible attributes for
AuditLogDiff
:-
colour
-
mentionable
-
hoist
-
name
-
permissions
-
- role_update
-
A role was updated. This triggers in the following situations:
-
The name has changed
-
The permissions have changed
-
The colour has changed
-
Its hoist/mentionable state has changed
When this is the action, the type of
target
is
theRole
or aObject
with the ID.Possible attributes for
AuditLogDiff
:-
colour
-
mentionable
-
hoist
-
name
-
permissions
-
- role_delete
-
A role was deleted.
When this is the action, the type of
target
is
theRole
or aObject
with the ID.Possible attributes for
AuditLogDiff
:-
colour
-
mentionable
-
hoist
-
name
-
permissions
-
- invite_create
-
An invite was created.
When this is the action, the type of
target
is
theInvite
that was created.Possible attributes for
AuditLogDiff
:-
max_age
-
code
-
temporary
-
inviter
-
channel
-
uses
-
max_uses
-
- invite_update
-
An invite was updated.
When this is the action, the type of
target
is
theInvite
that was updated.
- invite_delete
-
An invite was deleted.
When this is the action, the type of
target
is
theInvite
that was deleted.Possible attributes for
AuditLogDiff
:-
max_age
-
code
-
temporary
-
inviter
-
channel
-
uses
-
max_uses
-
- webhook_create
-
A webhook was created.
When this is the action, the type of
target
is
theObject
with the webhook ID.Possible attributes for
AuditLogDiff
:-
channel
-
name
-
type
(always set to1
if so)
-
- webhook_update
-
A webhook was updated. This trigger in the following situations:
-
The webhook name changed
-
The webhook channel changed
When this is the action, the type of
target
is
theObject
with the webhook ID.Possible attributes for
AuditLogDiff
:-
channel
-
name
-
- webhook_delete
-
A webhook was deleted.
When this is the action, the type of
target
is
theObject
with the webhook ID.Possible attributes for
AuditLogDiff
:-
channel
-
name
-
type
(always set to1
if so)
-
- emoji_create
-
An emoji was created.
When this is the action, the type of
target
is
theEmoji
orObject
with the emoji ID.Possible attributes for
AuditLogDiff
:-
name
-
- emoji_update
-
An emoji was updated. This triggers when the name has changed.
When this is the action, the type of
target
is
theEmoji
orObject
with the emoji ID.Possible attributes for
AuditLogDiff
:-
name
-
- emoji_delete
-
An emoji was deleted.
When this is the action, the type of
target
is
theObject
with the emoji ID.Possible attributes for
AuditLogDiff
:-
name
-
- message_delete
-
A message was deleted by a moderator. Note that this
only triggers if the message was deleted by someone other than the author.When this is the action, the type of
target
is
theMember
orUser
who had their message deleted.When this is the action, the type of
extra
is
set to an unspecified proxy object with two attributes:-
count
: An integer specifying how many messages were deleted. -
channel
: ATextChannel
orObject
with the channel ID where the message got deleted.
-
- message_bulk_delete
-
Messages were bulk deleted by a moderator.
When this is the action, the type of
target
is
theTextChannel
orObject
with the ID of the channel that was purged.When this is the action, the type of
extra
is
set to an unspecified proxy object with one attribute:-
count
: An integer specifying how many messages were deleted.
New in version 1.3.
-
- message_pin
-
A message was pinned in a channel.
When this is the action, the type of
target
is
theMember
orUser
who had their message pinned.When this is the action, the type of
extra
is
set to an unspecified proxy object with two attributes:-
channel
: ATextChannel
orObject
with the channel ID where the message was pinned. -
message_id
: the ID of the message which was pinned.
New in version 1.3.
-
- message_unpin
-
A message was unpinned in a channel.
When this is the action, the type of
target
is
theMember
orUser
who had their message unpinned.When this is the action, the type of
extra
is
set to an unspecified proxy object with two attributes:-
channel
: ATextChannel
orObject
with the channel ID where the message was unpinned. -
message_id
: the ID of the message which was unpinned.
New in version 1.3.
-
- integration_create
-
A guild integration was created.
When this is the action, the type of
target
is
theObject
with the integration ID of the integration which was created.New in version 1.3.
- integration_update
-
A guild integration was updated.
When this is the action, the type of
target
is
theObject
with the integration ID of the integration which was updated.New in version 1.3.
- integration_delete
-
A guild integration was deleted.
When this is the action, the type of
target
is
theObject
with the integration ID of the integration which was deleted.New in version 1.3.
- class discord.AuditLogActionCategory
-
Represents the category that the
AuditLogAction
belongs to.This can be retrieved via
AuditLogEntry.category
.- create
-
The action is the creation of something.
- delete
-
The action is the deletion of something.
- update
-
The action is the update of something.
- class discord.PremiumType
-
Represents the user’s Discord Nitro subscription type.
Deprecated since version 1.7.
Note
This only applies to users, not bots.
- nitro
-
Represents the Discord Nitro with Nitro-exclusive games.
- nitro_classic
-
Represents the Discord Nitro with no Nitro-exclusive games.
- class discord.Theme
-
Represents the theme synced across all Discord clients.
Deprecated since version 1.7.
Note
This only applies to users, not bots.
- light
-
Represents the Light theme on Discord.
- dark
-
Represents the Dark theme on Discord.
- class discord.TeamMembershipState
-
Represents the membership state of a team member retrieved through
Bot.application_info()
.New in version 1.3.
- invited
-
Represents an invited member.
- accepted
-
Represents a member currently in the team.
- class discord.WebhookType
-
Represents the type of webhook that can be received.
New in version 1.3.
- incoming
-
Represents a webhook that can post messages to channels with a token.
- channel_follower
-
Represents a webhook that is internally managed by Discord, used for following channels.
- class discord.TimestampStyle
-
The Styles you could use for the
style
of adiscord.utils.styled_timestamp()
See also in the Discord-Documentation
NAME
VALUE
DESCRIPTION
EXAMPLE
- short_time
‘t’
Short Time
- long_time
‘T’
Long Time
- short_date
‘d’
Short Date
- long_date
‘D’
Long Date
- short
‘f’
Short Date/Time
- long
‘F’
Long Date/Time
- relative
‘R’
Relative Time
- class discord.ExpireBehaviour
-
Represents the behaviour the
Integration
should perform
when a user’s subscription has finished.There is an alias for this called
ExpireBehavior
.New in version 1.4.
- remove_role
-
This will remove the
Integration.role
from the user
when their subscription is finished.
- kick
-
This will kick the user when their subscription is finished.
- class discord.DefaultAvatar
-
Represents the default avatar of a Discord
User
- blurple
-
Represents the default avatar with the color blurple.
See alsoColour.blurple
- grey
-
Represents the default avatar with the color grey.
See alsoColour.greyple
- gray
-
An alias for
grey
.
- green
-
Represents the default avatar with the color green.
See alsoColour.green
- orange
-
Represents the default avatar with the color orange.
See alsoColour.orange
- red
-
Represents the default avatar with the color red.
See alsoColour.red
- class discord.StickerType
-
Represents the type of sticker images.
New in version 1.6.
- png
-
Represents a sticker with a png image.
- apng
-
Represents a sticker with an apng image.
- lottie
-
Represents a sticker with a lottie image.
- gif
-
Represents a sticker with a gif image.
- class discord.EventEntityType
-
The location where a
GuildScheduledEvent
will be scheduled at- stage
-
The event wil be in a stage channel
- voice
-
The event wil be in a voice channel
- external
-
The event wil be outside of discord, like on a website or in the real world
- class discord.EventStatus
-
The status of a
GuildScheduledEvent
- scheduled
-
The event hasn’t startet yet
- active
-
The event is currently active
- completed
-
The event is over
- canceled
-
The scheduled event was canceled
Note
* Once
status
is set tocompleted
orcanceled
, thestatus
can no longer be updatedValid Guild Scheduled Event Status Transitions
-
scheduled
–>active
-
active
——–>completed
-
scheduled
–>canceled
- class discord.AutoModEventType
-
Indicates in what event context a
AutoModRule
should be checked.- message_send
-
When a member sends or edits a message (in the guild the rule belongs to)
- class discord.AutoModKeywordPresetType
-
- profanity
-
Words that may be considered forms of swearing or cursing
- sexual_content
-
Words that refer to sexually explicit behavior or activity
- slurs
-
Personal insults or words that may be considered hate speech
- class discord.AutoModTriggerType
-
Characterizes the type of content which can trigger the rule.
- keyword
-
Check if content contains words from a user defined list of keywords
- spam
-
Check if content represents generic spam
- keyword_preset
-
Check if content contains words from internal pre-defined wordsets
- class discord.AutoModActionType
-
The type of action that should be taken in an
AutoModAction
.- block_message
-
Blocks the content of a message according to the rule
- send_alert_message
-
Logs user content to a specified channel
- timeout_user
-
Timeout the user for a specific duration
Note
This can only be used when the
trigger_type
iskeyword
- class discord.TextInputStyle
-
The style a
TextInput
should have- short
-
A single-line input
- singleline
-
An aliase for
short
- paragraph
-
A multi-line input
- multiline
-
An aliase for
paragraph
- class discord.OptionType
-
Option types for
SlashCommandOption
- sub_command
-
A sub command. Internal use only.
- sub_command_group
-
A sub command group. Internal use only.
- string
-
A string (
str
)
- integer
-
Any integer between -2^53 and 2^53 (
int
)
- boolean
-
A boolean (
bool
)
- user
-
A user/member (
User
/Member
)
- channel
-
Includes all channel types + categories
- role
-
A role (
Role
)
- mentionable
-
Includes user and roles (
User
/Member
&Role
)
- number
-
Any double between -2^53 and 2^53 (
float
)
- attachment
-
An
Attachment
- class discord.PostSortOrder
-
Type used to order posts in
ForumChannel
channels.- latest_activity
-
Sort forum posts by activity
- creation_date
-
Sort forum posts by creation time (from most recent to oldest)
Async Iterator
Some API functions return an “async iterator”. An async iterator is something that is
capable of being used in an async for statement.
These async iterators can be used as follows:
async for elem in channel.history(): # do stuff with elem here
Certain utilities make working with async iterators easier, detailed below.
- class discord.AsyncIterator
-
Represents the “AsyncIterator” concept. Note that no such class exists,
it is purely abstract.- async for x in y
-
Iterates over the contents of the async iterator.
- await next()
-
This function is a coroutine.
Advances the iterator by one, if possible. If no more items are found
then this raisesNoMoreItems
.
- await get(**attrs)
-
This function is a coroutine.
Similar to
utils.get()
except run over the async iterator.Getting the last message by a user named ‘Dave’ or
None
:msg = await channel.history().get(author__name='Dave')
- await find(predicate)
-
This function is a coroutine.
Similar to
utils.find()
except run over the async iterator.Unlike
utils.find()
, the predicate provided can be a
coroutine.Getting the last audit log with a reason or
None
:def predicate(event): return event.reason is not None event = await guild.audit_logs().find(predicate)
- Parameters:
-
predicate – The predicate to use. Could be a coroutine.
- Returns:
-
The first element that returns
True
for the predicate orNone
.
- await flatten()
-
This function is a coroutine.
Flattens the async iterator into a
list
with all the elements.- Returns:
-
A list of every element in the async iterator.
- Return type:
-
list
- chunk(max_size)
-
Collects items into chunks of up to a given maximum size.
AnotherAsyncIterator
is returned which collects items into
list
s of a given size. The maximum chunk size must be a positive integer.New in version 1.6.
Collecting groups of users:
async for leader, *users in reaction.users().chunk(3): ...
Warning
The last chunk collected may not be as large as
max_size
.- Parameters:
-
max_size – The size of individual chunks.
- Return type:
-
AsyncIterator
- map(func)
-
This is similar to the built-in
map
function. Another
AsyncIterator
is returned that executes the function on
every element it is iterating over. This function can either be a
regular function or a coroutine.Creating a content iterator:
def transform(message): return message.content async for content in channel.history().map(transform): message_length = len(content)
- Parameters:
-
func – The function to call on every element. Could be a coroutine.
- Return type:
-
AsyncIterator
- filter(predicate)
-
This is similar to the built-in
filter
function. Another
AsyncIterator
is returned that filters over the original
async iterator. This predicate can be a regular function or a coroutine.Getting messages by non-bot accounts:
def predicate(message): return not message.author.bot async for elem in channel.history().filter(predicate): ...
- Parameters:
-
predicate – The predicate to call on every element. Could be a coroutine.
- Return type:
-
AsyncIterator
Audit Log Data
Working with Guild.audit_logs()
is a complicated process with a lot of machinery
involved. The library attempts to make it easy to use and friendly. In order to accomplish
this goal, it must make use of a couple of data classes that aid in this goal.
AuditLogEntry
- class discord.AuditLogEntry(*, users, data, guild)
-
Represents an Audit Log entry.
You retrieve these via
Guild.audit_logs()
.- x == y
-
Checks if two entries are equal.
- x != y
-
Checks if two entries are not equal.
- hash(x)
-
Returns the entry’s hash.
Changed in version 1.7: Audit log entries are now comparable and hashable.
- action
-
The action that was done.
- Type:
-
AuditLogAction
- user
-
The user who initiated this action. Usually a
Member
, unless gone
then it’s aUser
.- Type:
-
abc.User
- id
-
The entry ID.
- Type:
-
int
- target
-
The target that got changed. The exact type of this depends on
the action being done.- Type:
-
Any
- reason
-
The reason this action was done.
- Type:
-
Optional[
str
]
-
Extra information that this entry has that might be useful.
For most actions, this isNone
. However in some cases it
contains extra information. SeeAuditLogAction
for
which actions have this field filled out.- Type:
-
Any
- created_at
-
Returns the entry’s creation time in UTC.
- Type:
-
datetime.datetime
- category
-
The category of the action, if applicable.
- Type:
-
Optional[
AuditLogActionCategory
]
- changes
-
The list of changes this entry has.
- Type:
-
AuditLogChanges
- before
-
The target’s prior state.
- Type:
-
AuditLogDiff
- after
-
The target’s subsequent state.
- Type:
-
AuditLogDiff
AuditLogChanges
- class discord.AuditLogChanges
-
An audit log change set.
- before
-
The old value. The attribute has the type of
AuditLogDiff
.Depending on the
AuditLogActionCategory
retrieved by
category
, the data retrieved by this
attribute differs:Category
Description
create
All attributes are set to
None
.delete
All attributes are set the value before deletion.
update
All attributes are set the value before updating.
None
No attributes are set.
- after
-
The new value. The attribute has the type of
AuditLogDiff
.Depending on the
AuditLogActionCategory
retrieved by
category
, the data retrieved by this
attribute differs:Category
Description
create
All attributes are set to the created value
delete
All attributes are set to
None
update
All attributes are set the value after updating.
None
No attributes are set.
AuditLogDiff
Attributes
- afk_channel
- afk_timeout
- allow
- avatar
- bitrate
- channel
- code
- color
- colour
- deaf
- default_message_notifications
- default_notifications
- deny
- explicit_content_filter
- hoist
- icon
- id
- inviter
- max_age
- max_uses
- mentionable
- mfa_level
- mute
- name
- nick
- overwrites
- owner
- permissions
- position
- region
- roles
- slowmode_delay
- splash
- system_channel
- temporary
- topic
- type
- uses
- vanity_url_code
- verification_level
- widget_channel
- widget_enabled
- class discord.AuditLogDiff
-
Represents an audit log “change” object. A change object has dynamic
attributes that depend on the type of action being done. Certain actions
map to certain attributes being set.Note that accessing an attribute that does not match the specified action
will lead to an attribute error.To get a list of attributes that have been set, you can iterate over
them. To see a list of all possible attributes that could be set based
on the action being done, check the documentation forAuditLogAction
,
otherwise check the documentation below for all attributes that are possible.- iter(diff)
-
Returns an iterator over (attribute, value) tuple of this diff.
- name
-
A name of something.
- Type:
-
str
- icon
-
A guild’s icon hash. See also
Guild.icon
.- Type:
-
str
- splash
-
The guild’s invite splash hash. See also
Guild.splash
.- Type:
-
str
- owner
-
The guild’s owner. See also
Guild.owner
- Type:
-
Union[
Member
,User
]
- region
-
The guild’s voice region. See also
Guild.region
.- Type:
-
VoiceRegion
- afk_channel
-
The guild’s AFK channel.
If this could not be found, then it falls back to a
Object
with the ID being set.See
Guild.afk_channel
.- Type:
-
Union[
VoiceChannel
,Object
]
- system_channel
-
The guild’s system channel.
If this could not be found, then it falls back to a
Object
with the ID being set.See
Guild.system_channel
.- Type:
-
Union[
TextChannel
,Object
]
- afk_timeout
-
The guild’s AFK timeout. See
Guild.afk_timeout
.- Type:
-
int
- mfa_level
-
The guild’s MFA level. See
Guild.mfa_level
.- Type:
-
int
- widget_enabled
-
The guild’s widget has been enabled or disabled.
- Type:
-
bool
- widget_channel
-
The widget’s channel.
If this could not be found then it falls back to a
Object
with the ID being set.- Type:
-
Union[
TextChannel
,Object
]
- verification_level
-
The guild’s verification level.
See also
Guild.verification_level
.- Type:
-
VerificationLevel
- default_notifications
-
The guild’s default notification level.
See also
Guild.default_notifications
.- Type:
-
NotificationLevel
- explicit_content_filter
-
The guild’s content filter.
See also
Guild.explicit_content_filter
.- Type:
-
ContentFilter
- default_message_notifications
-
The guild’s default message notification setting.
- Type:
-
int
- vanity_url_code
-
The guild’s vanity URL.
See also
Guild.vanity_invite()
andGuild.edit()
.- Type:
-
str
- position
-
The position of a
Role
orabc.GuildChannel
.- Type:
-
int
- type
-
The type of channel or channel permission overwrite.
If the type is an
int
, then it is a type of channel which can be either
0
to indicate a text channel or1
to indicate a voice channel.If the type is a
str
, then it is a type of permission overwrite which
can be either'role'
or'member'
.- Type:
-
Union[
int
,str
]
- topic
-
The topic of a
TextChannel
.See also
TextChannel.topic
.- Type:
-
str
- bitrate
-
The bitrate of a
VoiceChannel
.See also
VoiceChannel.bitrate
.- Type:
-
int
- overwrites
-
A list of permission overwrite tuples that represents a target and a
PermissionOverwrite
for said target.The first element is the object being targeted, which can either
be aMember
orUser
orRole
. If this object
is not found then it is aObject
with an ID being filled and
atype
attribute set to either'role'
or'member'
to help
decide what type of ID it is.- Type:
-
List[Tuple[target,
PermissionOverwrite
]]
- roles
-
A list of roles being added or removed from a member.
If a role is not found then it is a
Object
with the ID and name being
filled in.- Type:
-
List[Union[
Role
,Object
]]
- nick
-
The nickname of a member.
See also
Member.nick
- Type:
-
Optional[
str
]
- deaf
-
Whether the member is being server deafened.
See also
VoiceState.deaf
.- Type:
-
bool
- mute
-
Whether the member is being server muted.
See also
VoiceState.mute
.- Type:
-
bool
- permissions
-
The permissions of a role.
See also
Role.permissions
.- Type:
-
Permissions
- colour
- color
-
The colour of a role.
See also
Role.colour
- Type:
-
Colour
- hoist
-
Whether the role is being hoisted or not.
See also
Role.hoist
- Type:
-
bool
- mentionable
-
Whether the role is mentionable or not.
See also
Role.mentionable
- Type:
-
bool
- code
-
The invite’s code.
See also
Invite.code
- Type:
-
str
- channel
-
A guild channel.
If the channel is not found then it is a
Object
with the ID
being set. In some cases the channel name is also set.- Type:
-
Union[
abc.GuildChannel
,Object
]
- inviter
-
The user who created the invite.
See also
Invite.inviter
.- Type:
-
User
- max_uses
-
The invite’s max uses.
See also
Invite.max_uses
.- Type:
-
int
- uses
-
The invite’s current uses.
See also
Invite.uses
.- Type:
-
int
- max_age
-
The invite’s max age in seconds.
See also
Invite.max_age
.- Type:
-
int
- temporary
-
If the invite is a temporary invite.
See also
Invite.temporary
.- Type:
-
bool
- allow
- deny
-
The permissions being allowed or denied.
- Type:
-
Permissions
- id
-
The ID of the object being changed.
- Type:
-
int
- avatar
-
The avatar hash of a member.
See also
User.avatar
.- Type:
-
str
- slowmode_delay
-
The number of seconds members have to wait before
sending another message in the channel.See also
TextChannel.slowmode_delay
.- Type:
-
int
Webhook Support
discord.py-message-components offers support for creating, editing, and executing webhooks through the Webhook
class.
Webhook
Methods
-
clsWebhook.from_url -
clsWebhook.partial -
defavatar_url_as -
defdelete -
defdelete_message -
defedit -
defedit_message -
defexecute -
defsend
- class discord.Webhook(data, *, adapter, state=None)
-
Represents a Discord webhook.
Webhooks are a form to send messages to channels in Discord without a
bot user or authentication.There are two main ways to use Webhooks. The first is through the ones
received by the library such asGuild.webhooks()
and
TextChannel.webhooks()
. The ones received by the library will
automatically have an adapter bound using the library’s HTTP _session.
Those webhooks will havesend()
,delete()
and
edit()
as coroutines.The second form involves creating a webhook object manually without having
it bound to a websocket connection using thefrom_url()
or
partial()
classmethods. This form allows finer grained control
over how requests are done, allowing you to mix async and sync code using either
aiohttp or requests.For example, creating a webhook from a URL and using aiohttp:
from discord import Webhook, AsyncWebhookAdapter import aiohttp async def foo(): async with aiohttp.ClientSession() as _session: webhook = Webhook.from_url('url-here', adapter=AsyncWebhookAdapter(_session)) await webhook.send('Hello World', username='Foo')
Or creating a webhook from an ID and token and using requests:
import requests from discord import Webhook, RequestsWebhookAdapter webhook = Webhook.partial(123456, 'abcdefg', adapter=RequestsWebhookAdapter()) webhook.send('Hello World', username='Foo')
- x == y
-
Checks if two webhooks are equal.
- x != y
-
Checks if two webhooks are not equal.
- hash(x)
-
Returns the webhooks’s hash.
Changed in version 1.4: Webhooks are now comparable and hashable.
Changed in version 2.0: Added support for forum channels, threads, components, the ability to edit attachments and to suppress notifications.
- id
-
The webhook’s ID
- Type:
-
int
- type
-
The type of the webhook.
New in version 1.3.
- Type:
-
WebhookType
- token
-
The authentication token of the webhook. If this is
None
then the webhook cannot be used to make requests.- Type:
-
Optional[
str
]
- guild_id
-
The guild ID this webhook is for.
- Type:
-
Optional[
int
]
- channel_id
-
The channel ID this webhook is for.
- Type:
-
Optional[
int
]
- user
-
The user this webhook was created by. If the webhook was
received without authentication then this will beNone
.- Type:
-
Optional[
abc.User
]
- name
-
The default name of the webhook.
- Type:
-
Optional[
str
]
- avatar
-
The default avatar of the webhook.
- Type:
-
Optional[
str
]
- property url
-
Returns the webhook’s url.
- Type:
-
str
- classmethod partial(id, token, *, adapter)
-
Creates a partial
Webhook
.- Parameters:
-
-
id (
int
) – The ID of the webhook. -
token (
str
) – The authentication token of the webhook. -
adapter (
WebhookAdapter
) – The webhook adapter to use when sending requests. This is
typicallyAsyncWebhookAdapter
for aiohttp or
RequestsWebhookAdapter
for requests.
-
- Returns:
-
A partial
Webhook
.
A partial webhook is just a webhook object with an ID and a token. - Return type:
-
Webhook
- classmethod from_url(url, *, adapter)
-
Creates a partial
Webhook
from a webhook URL.- Parameters:
-
-
url (
str
) – The URL of the webhook. -
adapter (
WebhookAdapter
) – The webhook adapter to use when sending requests. This is
typicallyAsyncWebhookAdapter
for aiohttp or
RequestsWebhookAdapter
for requests.
-
- Raises:
-
InvalidArgument – The URL is invalid.
- Returns:
-
A partial
Webhook
.
A partial webhook is just a webhook object with an ID and a token. - Return type:
-
Webhook
- property guild
-
The guild this webhook belongs to.
If this is a partial webhook, then this will always return
None
.- Type:
-
Optional[
Guild
]
- property channel
-
The text or forum channel this webhook belongs to.
If this is a partial webhook, then this will always return
None
.- Type:
-
Optional[
TextChannel
,ForumChannel
]
- property created_at
-
Returns the webhook’s creation time in UTC.
- Type:
-
datetime.datetime
- property avatar_url
-
Returns an
Asset
for the avatar the webhook has.If the webhook does not have a traditional avatar, an asset for
the default avatar is returned instead.This is equivalent to calling
avatar_url_as()
with the
default parameters.- Type:
-
Asset
- avatar_url_as(*, format=None, size=1024)
-
Returns an
Asset
for the avatar the webhook has.If the webhook does not have a traditional avatar, an asset for
the default avatar is returned instead.The format must be one of ‘jpeg’, ‘jpg’, or ‘png’.
The size must be a power of 2 between 16 and 1024.- Parameters:
-
-
format (Optional[
str
]) – The format to attempt to convert the avatar to.
If the format isNone
, then it is equivalent to png. -
size (
int
) – The size of the image to display.
-
- Raises:
-
InvalidArgument – Bad image format passed to
format
or invalidsize
. - Returns:
-
The resulting CDN asset.
- Return type:
-
Asset
- delete(*, reason=None)
-
This function could be a coroutine.
Deletes this Webhook.
If the webhook is constructed with a
RequestsWebhookAdapter
then this is
not a coroutine.- Parameters:
-
reason (Optional[
str
]) –The reason for deleting this webhook. Shows up on the audit log.
New in version 1.4.
- Raises:
-
-
HTTPException – Deleting the webhook failed.
-
NotFound – This webhook does not exist.
-
Forbidden – You do not have permissions to delete this webhook.
-
InvalidArgument – This webhook does not have a token associated with it.
-
- edit(*, reason=None, **kwargs)
-
This function could be a coroutine.
Edits this Webhook.
If the webhook is constructed with a
RequestsWebhookAdapter
then this is
not a coroutine.- Parameters:
-
-
name (Optional[
str
]) – The webhook’s new default name. -
avatar (Optional[
bytes
]) – A bytes-like object representing the webhook’s new default avatar. -
reason (Optional[
str
]) –The reason for editing this webhook. Shows up on the audit log.
New in version 1.4.
-
- Raises:
-
-
HTTPException – Editing the webhook failed.
-
NotFound – This webhook does not exist.
-
InvalidArgument – This webhook does not have a token associated with it.
-
- send(content=None, *, wait=False, thread_id=MISSING, thread_name=MISSING, username=MISSING, avatar_url=MISSING, tts=False, file=None, files=None, embed=None, embeds=None, components=None, allowed_mentions=None, suppress_embeds=False, suppress_notifications=False)
-
This function could be a coroutine.
Sends a message using the webhook.
If the webhook is constructed with a
RequestsWebhookAdapter
then this is
not a coroutine.The content must be a type that can convert to a string through
str(content)
.All parameters are optional
but at least one ofcontent
,file
/files
,embed
/embeds
or if possiblecomponents
must be provided.If the webhook belongs to a
ForumChannel
then eitherthread_id``(to send the message to an existing post)
(to create a new post) must be provided.
or ``thread_nameTo upload a single file, the
file
parameter should be used with a
singleFile
object.If the
embed
parameter is provided, it must be of typeEmbed
and
it must be a rich embed type..- Parameters:
-
-
content (
str
) – The content of the message to send. -
wait (
bool
) – Whether the server should wait before sending a response. This essentially
means that the return type of this function changes fromNone
to
aWebhookMessage
if set toTrue
. -
thread_id (
int
) –Send a message to the specified thread/forum-post within a webhook’s channel.
The thread/forum-post will automatically be unarchived...versionadded:: 2.0
-
thread_name (
str
) –ForumChannel
webhooks only: Will create a new post with the webhook message will be the starter message...versionadded:: 2.0
-
username (
str
) – The username to send with this message. If no username is provided
then the default username for the webhook is used. -
avatar_url (Union[
str
,Asset
]) – The avatar URL to send with this message. If no avatar URL is provided
then the default avatar for the webhook is used. -
tts (
bool
) – Indicates if the message should be sent using text-to-speech. -
file (
File
) – The file to upload. This cannot be mixed withfiles
parameter. -
files (List[
File
]) – A list of files to send with the content. This cannot be mixed with the
file
parameter. -
embed (
Embed
) – The rich embed for the content to send. This cannot be mixed with
embeds
parameter. -
embeds (List[
Embed
]) – A list of embeds to send with the content. Maximum of 10. This cannot
be mixed with theembed
parameter. -
components (List[Union[
ActionRow
, List[Union[Button
,SelectMenu
]]]]) –A list of components to include in the message.
Note
Due to discord limitations this can only be used when the Webhook was created by a bot.
New in version 2.0.
-
allowed_mentions (
AllowedMentions
) –Controls the mentions being processed in this message.
New in version 1.4.
-
suppress_embeds (
bool
) –Whether to suppress embeds send with the message, defaults to
False
.New in version 2.0.
-
suppress_notifications (
bool
) –Whether to suppress desktop- & push-notifications for the message.
Users will still see a ping-symbol when they are mentioned in the message.
New in version 2.0.
-
- Raises:
-
-
HTTPException – Sending the message failed.
-
NotFound – This webhook was not found.
-
Forbidden – The authorization token for the webhook is incorrect.
-
InvalidArgument – The length of
embeds
was invalid or there was no token associated with this webhook.
-
- Returns:
-
The message that was sent.
- Return type:
-
Optional[
WebhookMessage
]
- execute(*args, **kwargs)
-
An alias for
send()
.
- edit_message(message_id, *, content=MISSING, embed=MISSING, embeds=MISSING, components=MISSING, attachments=MISSING, allowed_mentions=MISSING, suppress_embeds=MISSING)
-
This function could be a coroutine.
Edits a message owned by this webhook.
This is a lower level interface to
WebhookMessage.edit()
in case
you only have an ID.Warning
Since API v10, the
attachments
(when passed) must contain all attachments that should be present after edit,
including retained and new attachments.As this requires to know the current attachments consider either storing the attachments that were sent with a message or
using a fetched version of the message to edit it.New in version 1.6.
Changed in version 2.0: The
suppress
keyword-only parameter was renamed tosuppress_embeds
.- Parameters:
-
-
message_id (
int
) – The message ID to edit. -
content (Optional[
str
]) – The content to edit the message with orNone
to clear it. -
embed (Optional[
Embed
]) – The new embed to replace the original with.
Could beNone
to remove all embeds. -
embeds (Optional[List[
Embed
]]) – A list containing up to 10 embeds. IfNone
empty, all embeds will be removed. -
components (List[Union[
ActionRow
, List[Union[Button
,BaseSelect
]]]]) –A list of up to five
Button
’s or oneBaseSelect
like object.Note
Due to discord limitations this can only be used when the webhook is owned by an application.
New in version 2.0.
-
attachments (List[Union[
Attachment
,File
]]) –A list containing previous attachments to keep as well as new files to upload.
When empty, all attachment will be removed.
Note
New files will always appear under existing ones.
New in version 2.0.
-
allowed_mentions (
AllowedMentions
) – Controls the mentions being processed in this message.
Seeabc.Messageable.send()
for more information. -
suppress_embeds (
bool
) – Whether to suppress embeds send with the message.
-
- Raises:
-
-
HTTPException – Editing the message failed.
-
Forbidden – Edited a message that is not yours.
-
InvalidArgument – The length of
embeds
was invalid or there was no token associated with
this webhook.
-
- delete_message(message_id)
-
This function could be a coroutine.
Deletes a message owned by this webhook.
This is a lower level interface to
WebhookMessage.delete()
in case
you only have an ID.New in version 1.6.
- Parameters:
-
message_id (
int
) – The message ID to delete. - Raises:
-
-
HTTPException – Deleting the message failed.
-
Forbidden – Deleted a message that is not yours.
-
WebhookMessage
Methods
-
asyncdelete -
defedit
- class discord.WebhookMessage(*, state, channel, data)
-
Represents a message sent from your webhook.
This allows you to edit or delete a message sent by your
webhook.This inherits from
discord.Message
with changes to
edit()
anddelete()
to work.New in version 1.6.
- edit(*, content=MISSING, embed=MISSING, embeds=MISSING, components=MISSING, attachments=MISSING, keep_existing_attachments=False, allowed_mentions=MISSING, suppress_embeds=MISSING)
-
This function could be a coroutine.
Edits a message owned by this webhook.
This is a lower level interface to
WebhookMessage.edit()
in case
you only have an ID.Warning
Since API v10, the
attachments
(when passed) must contain all attachments that should be present after edit,
including retained and new attachments.As this requires to know the current attachments consider either storing the attachments that were sent with a message or
using a fetched version of the message to edit it.New in version 1.6.
Changed in version 2.0: The
suppress
keyword-only parameter was renamed tosuppress_embeds
.- Parameters:
-
-
content (Optional[
str
]) – The content to edit the message with orNone
to clear it. -
embed (Optional[
Embed
]) – The new embed to replace the original with.
Could beNone
to remove all embeds. -
embeds (Optional[List[
Embed
]]) – A list containing up to 10 embeds. IfNone
empty, all embeds will be removed. -
components (List[Union[
ActionRow
, List[Union[Button
,BaseSelect
]]]]) –A list of up to five
Button
’s or oneBaseSelect
like object.Note
Due to discord limitations this can only be used when the webhook is owned by an application.
New in version 2.0.
-
attachments (List[Union[
Attachment
,File
]]) –A list containing previous attachments to keep as well as new files to upload.
When empty, all attachment will be removed.
Note
New files will always appear under existing ones.
New in version 2.0.
-
keep_existing_attachments (
bool
) –Whether to auto-add existing attachments to
attachments
, defaults toFalse
.Note
Only needed when
attachments
are passed, otherwise will be ignored. -
allowed_mentions (
AllowedMentions
) – Controls the mentions being processed in this message.
Seeabc.Messageable.send()
for more information. -
suppress_embeds (
bool
) – Whether to suppress embeds send with the message.
-
- Raises:
-
-
HTTPException – Editing the message failed.
-
Forbidden – Edited a message that is not yours.
-
InvalidArgument – The length of
embeds
was invalid or there was no token associated with
this webhook.
-
- delete(*, delay=None)
-
This function is a coroutine.
Deletes the message.
- Parameters:
-
delay (Optional[
float
]) – If provided, the number of seconds to wait before deleting the message.
If this is a coroutine, the waiting is done in the background and deletion failures
are ignored. If this is not a coroutine then the delay blocks the thread. - Raises:
-
-
Forbidden – You do not have proper permissions to delete the message.
-
NotFound – The message was deleted already.
-
HTTPException – Deleting the message failed.
-
Adapters
Adapters allow you to change how the request should be handled. They all build on a single
interface, WebhookAdapter.request()
.
- class discord.WebhookAdapter
-
Base class for all webhook adapters.
- webhook
-
The webhook that owns this adapter.
- Type:
-
Webhook
- request(verb, url, payload=None, multipart=None, **kwargs)
-
Actually does the request.
Subclasses must implement this.
- Parameters:
-
-
verb (
str
) – The HTTP verb to use for the request. -
url (
str
) – The URL to send the request to. This will have
the query parameters already added to it, if any. -
multipart (Optional[
dict
]) – A dict containing multipart form data to send with
the request. If a filename is being uploaded, then it will
be under afile
key which will have a 3-elementtuple
denoting(filename, file, content_type)
. -
payload (Optional[
dict
]) – The JSON to send with the request, if any.
-
- handle_execution_response(data, *, wait)
-
Transforms the webhook execution response into something
more meaningful.This is mainly used to convert the data into a
Message
if necessary.Subclasses must implement this.
- Parameters:
-
-
data – The data that was returned from the request.
-
wait (
bool
) – Whether the webhook execution was asked to wait or not.
-
- class discord.AsyncWebhookAdapter(session)
-
A webhook adapter suited for use with aiohttp.
Note
You are responsible for cleaning up the client _session.
- Parameters:
-
session (
aiohttp.ClientSession
) – The _session to use to send requests.
- await request(verb, url, payload=None, multipart=None, *, files=None, reason=None)
-
Actually does the request.
Subclasses must implement this.
- Parameters:
-
-
verb (
str
) – The HTTP verb to use for the request. -
url (
str
) – The URL to send the request to. This will have
the query parameters already added to it, if any. -
multipart (Optional[
dict
]) – A dict containing multipart form data to send with
the request. If a filename is being uploaded, then it will
be under afile
key which will have a 3-elementtuple
denoting(filename, file, content_type)
. -
payload (Optional[
dict
]) – The JSON to send with the request, if any.
-
- await handle_execution_response(response, *, wait)
-
Transforms the webhook execution response into something
more meaningful.This is mainly used to convert the data into a
Message
if necessary.Subclasses must implement this.
- Parameters:
-
-
data – The data that was returned from the request.
-
wait (
bool
) – Whether the webhook execution was asked to wait or not.
-
- class discord.RequestsWebhookAdapter(session=None, *, sleep=True)
-
A webhook adapter suited for use with
requests
.Only versions of requests higher than 2.13.0 are supported.
- Parameters:
-
-
session (Optional[requests.Session]) – The requests _session to use for sending requests. If not given then
each request will create a new _session. Note if a _session is given,
the webhook adapter will not clean it up for you. You must close
the _session yourself. -
sleep (
bool
) – Whether to sleep the thread when encountering a 429 or pre-emptive
rate limit or a 5xx status code. Defaults toTrue
. If set to
False
then this will raise anHTTPException
instead.
-
- request(verb, url, payload=None, multipart=None, *, files=None, reason=None)
-
Actually does the request.
Subclasses must implement this.
- Parameters:
-
-
verb (
str
) – The HTTP verb to use for the request. -
url (
str
) – The URL to send the request to. This will have
the query parameters already added to it, if any. -
multipart (Optional[
dict
]) – A dict containing multipart form data to send with
the request. If a filename is being uploaded, then it will
be under afile
key which will have a 3-elementtuple
denoting(filename, file, content_type)
. -
payload (Optional[
dict
]) – The JSON to send with the request, if any.
-
- handle_execution_response(response, *, wait)
-
Transforms the webhook execution response into something
more meaningful.This is mainly used to convert the data into a
Message
if necessary.Subclasses must implement this.
- Parameters:
-
-
data – The data that was returned from the request.
-
wait (
bool
) – Whether the webhook execution was asked to wait or not.
-
Abstract Base Classes
An abstract base class (also known as an abc
) is a class that models can inherit
to get their behaviour. The Python implementation of an abc is
slightly different in that you can register them at run-time. Abstract base classes cannot be instantiated.
They are mainly there for usage with isinstance()
and issubclass()
.
This library has a module related to abstract base classes, some of which are actually from the abc standard
module, others which are not.
Snowflake
- class discord.abc.Snowflake
-
An ABC that details the common operations on a Discord model.
Almost all Discord models meet this
abstract base class.If you want to create a snowflake on your own, consider using
Object
.- id
-
The model’s unique ID.
- Type:
-
int
- abstract property created_at
-
Returns the model’s creation time as a naive datetime in UTC.
- Type:
-
datetime.datetime
User
- class discord.abc.User
-
An ABC that details the common operations on a Discord user.
The following implement this ABC:
-
User
-
ClientUser
-
Member
This ABC must also implement
Snowflake
.- name
-
The user’s username.
- Type:
-
str
- discriminator
-
The user’s discriminator.
- Type:
-
str
- avatar
-
The avatar hash the user has.
- Type:
-
Optional[
str
]
- bot
-
If the user is a bot account.
- Type:
-
bool
- abstract property display_name
-
Returns the user’s display name.
- Type:
-
str
- abstract property mention
-
Returns a string that allows you to mention the given user.
- Type:
-
str
-
PrivateChannel
- class discord.abc.PrivateChannel
-
An ABC that details the common operations on a private Discord channel.
The following implement this ABC:
-
DMChannel
-
GroupChannel
This ABC must also implement
Snowflake
.- me
-
The user presenting yourself.
- Type:
-
ClientUser
-
GuildChannel
Attributes
- category
- changed_roles
- created_at
- guild
- jump_url
- mention
- name
- overwrites
- permissions_synced
- position
Methods
-
asyncclone -
asynccreate_invite -
asyncdelete -
asyncinvites -
asyncmove -
defoverwrites_for -
defpermissions_for -
asyncset_permissions
- class discord.abc.GuildChannel
-
An ABC that details the common operations on a Discord guild channel.
The following implement this ABC:
-
TextChannel
-
VoiceChannel
-
CategoryChannel
-
StageChannel
This ABC must also implement
Snowflake
.- name
-
The channel name.
- Type:
-
str
- guild
-
The guild the channel belongs to.
- Type:
-
Guild
- position
-
The position in the channel list. This is a number that starts at 0.
e.g. the top channel is position 0.- Type:
-
int
- property changed_roles
-
Returns a list of roles that have been overridden from
their default values in theroles
attribute.- Type:
-
List[
Role
]
- property mention
-
The string that allows you to mention the channel.
- Type:
-
str
- property jump_url
-
Returns a URL that allows the client to jump to the referenced channel.
- Type:
-
str
- property created_at
-
Returns the channel’s creation time in UTC.
- Type:
-
datetime.datetime
- overwrites_for(obj)
-
Returns the channel-specific overwrites for a member or a role.
- Parameters:
-
obj (Union[
Role
,User
]) – The role or user denoting
whose overwrite to get. - Returns:
-
The permission overwrites for this object.
- Return type:
-
PermissionOverwrite
- property overwrites
-
Returns all of the channel’s overwrites.
This is returned as a dictionary where the key contains the target which
can be either aRole
or aMember
and the value is the
overwrite as aPermissionOverwrite
.- Returns:
-
The channel’s permission overwrites.
- Return type:
-
Mapping[Union[
Role
,Member
],PermissionOverwrite
]
- property category
-
The category this channel belongs to.
If there is no category then this is
None
.- Type:
-
Optional[
CategoryChannel
]
- property permissions_synced
-
Whether or not the permissions for this channel are synced with the
category it belongs to.If there is no category then this is
False
.New in version 1.3.
- Type:
-
bool
- permissions_for(member)
-
Handles permission resolution for the current
Member
.This function takes into consideration the following cases:
-
Guild owner
-
Guild roles
-
Channel overrides
-
Member overrides
- Parameters:
-
member (
Member
) – The member to resolve permissions for. - Returns:
-
The resolved permissions for the member.
- Return type:
-
Permissions
-
- await delete(*, reason=None)
-
This function is a coroutine.
Deletes the channel.
You must have
manage_channels
permission to use this.- Parameters:
-
reason (Optional[
str
]) – The reason for deleting this channel.
Shows up on the audit log. - Raises:
-
-
Forbidden – You do not have proper permissions to delete the channel.
-
NotFound – The channel was not found or was already deleted.
-
HTTPException – Deleting the channel failed.
-
- await set_permissions(target, *, overwrite=see — below, reason=None, **permissions)
-
This function is a coroutine.
Sets the channel specific permission overwrites for a target in the
channel.The
target
parameter should either be aMember
or a
Role
that belongs to guild.The
overwrite
parameter, if given, must either beNone
or
PermissionOverwrite
. For convenience, you can pass in
keyword arguments denotingPermissions
attributes. If this is
done, then you cannot mix the keyword arguments with theoverwrite
parameter.If the
overwrite
parameter isNone
, then the permission
overwrites are deleted.You must have the
manage_roles
permission to use this.Examples
Setting allow and deny:
await message.channel.set_permissions(message.author, read_messages=True, send_messages=False)
Deleting overwrites
await channel.set_permissions(member, overwrite=None)
Using
PermissionOverwrite
overwrite = discord.PermissionOverwrite() overwrite.send_messages = False overwrite.read_messages = True await channel.set_permissions(member, overwrite=overwrite)
- Parameters:
-
-
target (Union[
Member
,Role
]) – The member or role to overwrite permissions for. -
overwrite (Optional[
PermissionOverwrite
]) – The permissions to allow and deny to the target, orNone
to
delete the overwrite. -
**permissions – A keyword argument list of permissions to set for ease of use.
Cannot be mixed withoverwrite
. -
reason (Optional[
str
]) – The reason for doing this action. Shows up on the audit log.
-
- Raises:
-
-
Forbidden – You do not have permissions to edit channel specific permissions.
-
HTTPException – Editing channel specific permissions failed.
-
NotFound – The role or member being edited is not part of the guild.
-
InvalidArgument – The overwrite parameter invalid or the target type was not
Role
orMember
.
-
- await clone(*, name=None, reason=None)
-
This function is a coroutine.
Clones this channel. This creates a channel with the same properties
as this channel.You must have the
manage_channels
permission to
do this.New in version 1.1.
- Parameters:
-
-
name (Optional[
str
]) – The name of the new channel. If not provided, defaults to this
channel name. -
reason (Optional[
str
]) – The reason for cloning this channel. Shows up on the audit log.
-
- Raises:
-
-
Forbidden – You do not have the proper permissions to create this channel.
-
HTTPException – Creating the channel failed.
-
- Returns:
-
The channel that was created.
- Return type:
-
abc.GuildChannel
- await move(**kwargs)
-
This function is a coroutine.
A rich interface to help move a channel relative to other channels.
If exact position movement is required,
edit()
should be used instead.You must have the
manage_channels
permission to
do this.Note
Voice channels will always be sorted below text channels.
This is a Discord limitation.New in version 1.7.
- Parameters:
-
-
beginning (
bool
) – Whether to move the channel to the beginning of the
channel list (or category if given).
This is mutually exclusive withend
,before
, andafter
. -
end (
bool
) – Whether to move the channel to the end of the
channel list (or category if given).
This is mutually exclusive withbeginning
,before
, andafter
. -
before (
Snowflake
) – The channel that should be before our current channel.
This is mutually exclusive withbeginning
,end
, andafter
. -
after (
Snowflake
) – The channel that should be after our current channel.
This is mutually exclusive withbeginning
,end
, andbefore
. -
offset (
int
) – The number of channels to offset the move by. For example,
an offset of2
withbeginning=True
would move
it 2 after the beginning. A positive number moves it below
while a negative number moves it above. Note that this
number is relative and computed after thebeginning
,
end
,before
, andafter
parameters. -
category (Optional[
Snowflake
]) – The category to move this channel under.
IfNone
is given then it moves it out of the category.
This parameter is ignored if moving a category channel. -
sync_permissions (
bool
) – Whether to sync the permissions with the category (if given). -
reason (
str
) – The reason for the move.
-
- Raises:
-
-
InvalidArgument – An invalid position was given or a bad mix of arguments were passed.
-
Forbidden – You do not have permissions to move the channel.
-
HTTPException – Moving the channel failed.
-
- await create_invite(*, reason=None, **fields)
-
This function is a coroutine.
Creates an instant invite from a text or voice channel.
You must have the
create_instant_invite
permission to
do this.- Parameters:
-
-
max_age (Optional[
int
]) – How long the invite should last in seconds. If it’s 0 then the invite
doesn’t expire. Defaults to0
. -
max_uses (Optional[
int
]) – How many uses the invite could be used for. If it’s 0 then there
are unlimited uses. Defaults to0
. -
temporary (Optional[
bool
]) – Denotes that the invite grants temporary membership
(i.e. they get kicked after they disconnect). Defaults toFalse
. -
unique (Optional[
bool
]) – Indicates if a unique invite URL should be created. Defaults to True.
If this is set toFalse
then it will return a previously created
invite. -
target_type (Optional[
int
]) – The type of target for this voice channel invite.1
for stream and2
for embedded-application. -
target_user_id (Optional[
int
]) – The id of theUser
whose stream to display for this invite,
required iftarget_type
is1
, the user must be streaming in the channel. -
target_application_id (Optional[
int
]) – The id of the embedded application to open for this invite,
required iftarget_type
is2
, the application must have the EMBEDDED flag. -
reason (Optional[
str
]) – The reason for creating this invite. Shows up on the audit log.
-
- Raises:
-
-
HTTPException – Invite creation failed.
-
NotFound – The channel that was passed is a category or an invalid channel.
-
- Returns:
-
The invite that was created.
- Return type:
-
Invite
- await invites()
-
This function is a coroutine.
Returns a list of all active instant invites from this channel.
You must have
manage_channels
to get this information.- Raises:
-
-
Forbidden – You do not have proper permissions to get the information.
-
HTTPException – An error occurred while fetching the information.
-
- Returns:
-
The list of invites that are currently active.
- Return type:
-
List[
Invite
]
-
Messageable
Methods
-
asyncfetch_message -
defhistory -
asyncpins -
asyncsend -
asynctrigger_typing -
deftyping
- class discord.abc.Messageable
-
An ABC that details the common operations on a model that can send messages.
The following implement this ABC:
-
TextChannel
-
DMChannel
-
GroupChannel
-
User
-
Member
-
Context
- async for … in history(*, limit=100, before=None, after=None, around=None, oldest_first=None)
-
Returns an
AsyncIterator
that enables receiving the destination’s message history.You must have
read_message_history
permissions to use this.Examples
Usage
counter = 0 async for message in channel.history(limit=200): if message.author == client.user: counter += 1
Flattening into a list:
messages = await channel.history(limit=123).flatten() # messages is now a list of Message...
All parameters are optional.
- Parameters:
-
-
limit (Optional[
int
]) – The number of messages to retrieve.
IfNone
, retrieves every message in the channel. Note, however,
that this would make it a slow operation. -
before (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages before this date or message.
If a date is provided it must be a timezone-naive datetime representing UTC time. -
after (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages after this date or message.
If a date is provided it must be a timezone-naive datetime representing UTC time. -
around (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages around this date or message.
If a date is provided it must be a timezone-naive datetime representing UTC time.
When using this argument, the maximum limit is 101. Note that if the limit is an
even number, then this will return at most limit + 1 messages. -
oldest_first (Optional[
bool
]) – If set toTrue
, return messages in oldest->newest order. Defaults toTrue
if
after
is specified, otherwiseFalse
.
-
- Raises:
-
-
Forbidden – You do not have permissions to get channel message history.
-
HTTPException – The request to get message history failed.
-
- Yields:
-
Message
– The message with the message data parsed.
- async with typing()
-
Returns a context manager that allows you to type for an indefinite period of time.
This is useful for denoting long computations in your bot.
Note
This is both a regular context manager and an async context manager.
This means that bothwith
andasync with
work with this.Example Usage:
async with channel.typing(): # do expensive stuff here await channel.send('done!')
- await send(content=None, *, tts=False, embed=None, embeds=None, components=None, file=None, files=None, stickers=None, delete_after=None, nonce=None, allowed_mentions=None, reference=None, mention_author=None, suppress_embeds=False, suppress_notifications=False)
-
This function is a coroutine.
Sends a message to the destination with the content given.
The content must be a type that can convert to a string through
str(content)
.
If the content is set toNone
(the default), then theembed
parameter must
be provided.To upload a single file, the
file
parameter should be used with a
singleFile
object. To upload multiple files, thefiles
parameter should be used with alist
ofFile
objects.If the
embed
parameter is provided, it must be of typeEmbed
and
it must be a rich embed type.- Parameters:
-
-
content (
str
) – The content of the message to send. -
tts (
bool
) – Indicates if the message should be sent using text-to-speech. -
embed (
Embed
) – The rich embed for the content. -
embeds (List[
Embed
]) – A list containing up to ten embeds -
components (List[Union[
ActionRow
, List[Union[Button
,BaseSelect
]]]]) – A list of up to fiveButton
’s or oneBaseSelect
like object. -
file (
File
) – The file to upload. -
files (List[
File
]) – Alist
of files to upload. Must be a maximum of 10. -
stickers (List[
GuildSticker
]) – A list of up to 3discord.GuildSticker
that should be sent with the message. -
nonce (
int
) – The nonce to use for sending this message. If the message was successfully sent,
then the message will have a nonce with this value. -
delete_after (
float
) – 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. -
allowed_mentions (
AllowedMentions
) –Controls the mentions being processed in this message. If this is
passed, then the object is merged withallowed_mentions
.
The merging behaviour only overrides attributes that have been explicitly passed
to the object, otherwise it uses the attributes set inallowed_mentions
.
If no object is passed at all then the defaults given byallowed_mentions
are used instead.New in version 1.4.
-
reference (Union[
Message
,MessageReference
]) –A reference to the
Message
to which you are replying, this can be created using
to_reference()
or passed directly as aMessage
. You can control
whether this mentions the author of the referenced message using thereplied_user
attribute ofallowed_mentions
or by settingmention_author
.New in version 1.6.
-
mention_author (Optional[
bool
]) –If set, overrides the
replied_user
attribute ofallowed_mentions
.New in version 1.6.
-
suppress_embeds (
bool
) – Whether to supress embeds send with the message, default toFalse
-
suppress_notifications (
bool
) –Whether to suppress desktop- & push-notifications for this message, default to
False
Users will still see a ping-symbol when they are mentioned in the message, or the message is in a dm channel.
New in version 2.0.
-
- Raises:
-
-
HTTPException – Sending the message failed.
-
Forbidden – You do not have the proper permissions to send the message.
-
InvalidArgument – The
files
list is not of the appropriate size,
you specified bothfile
andfiles
,
or thereference
object is not aMessage
orMessageReference
.
-
- Returns:
-
The message that was sent.
- Return type:
-
Message
- await trigger_typing()
-
This function is a coroutine.
Triggers a typing indicator to the destination.
Typing indicator will go away after 10 seconds, or after a message is sent.
- await fetch_message(id)
-
This function is a coroutine.
Retrieves a single
Message
from the destination.This can only be used by bot accounts.
- Parameters:
-
id (
int
) – The message ID to look for. - Raises:
-
-
NotFound – The specified message was not found.
-
Forbidden – You do not have the permissions required to get a message.
-
HTTPException – Retrieving the message failed.
-
- Returns:
-
The message asked for.
- Return type:
-
Message
- await pins()
-
This function is a coroutine.
Retrieves all messages that are currently pinned in the channel.
Note
Due to a limitation with the Discord API, the
Message
objects returned by this method do not contain complete
Message.reactions
data.- Raises:
-
HTTPException – Retrieving the pinned messages failed.
- Returns:
-
The messages that are currently pinned.
- Return type:
-
List[
Message
]
-
Connectable
- class discord.abc.Connectable
-
An ABC that details the common operations on a channel that can
connect to a voice server.The following implement this ABC:
-
VoiceChannel
-
StageChannel
-
Discord Models
Models are classes that are received from Discord and are not meant to be created by
the user of the library.
Danger
The classes listed below are not intended to be created by users and are also
read-only.
For example, this means that you should not make your own User
instances
nor should you modify the User
instance yourself.
If you want to get one of these model classes instances they’d have to be through
the cache, and a common way of doing so is through the utils.find()
function
or attributes of model classes that you receive from the events specified in the
Event Reference.
Note
Nearly all classes here have __slots__ defined which means that it is
impossible to have dynamic attributes to the data classes.
ClientUser
Attributes
- avatar
- avatar_url
- banner_url
- bot
- color
- colour
- created_at
- default_avatar
- default_avatar_url
- discriminator
- display_name
- id
- locale
- mention
- mfa_enabled
- name
- public_flags
- system
Methods
-
defavatar_url_as -
defbanner_url_as -
asyncedit -
defis_avatar_animated -
defis_banner_animated -
defmentioned_in -
defpermissions_in
- class discord.ClientUser
-
Represents your Discord user.
- x == y
-
Checks if two users are equal.
- x != y
-
Checks if two users are not equal.
- hash(x)
-
Return the user’s hash.
- str(x)
-
Returns the user’s name with discriminator.
- name
-
The user’s username.
- Type:
-
str
- id
-
The user’s unique ID.
- Type:
-
int
- discriminator
-
The user’s discriminator. This is given when the username has conflicts.
- Type:
-
str
- avatar
-
The avatar hash the user has. Could be
None
.- Type:
-
Optional[
str
]
- bot
-
Specifies if the user is a bot account.
- Type:
-
bool
- system
-
Specifies if the user is a system user (i.e. represents Discord officially).
- Type:
-
bool
- locale
-
The IETF language tag used to identify the language the user is using.
- Type:
-
Optional[
str
]
- mfa_enabled
-
Specifies if the user has MFA turned on and working.
- Type:
-
bool
- await edit(**fields)
-
This function is a coroutine.
Edits the current profile of the client.
Note
To upload an avatar, a bytes-like object must be passed in that
represents the image being uploaded. If this is done through a file
then the file must be opened viaopen('some_filename', 'rb')
and
the bytes-like object is given through the use offp.read()
.The only image formats supported for uploading is JPEG and PNG.
- Parameters:
-
-
username (
str
) – The new username you wish to change to. -
avatar (
bytes
) – A bytes-like object representing the image to upload.
Could beNone
to denote no avatar.
-
- Raises:
-
-
HTTPException – Editing your profile failed.
-
InvalidArgument – Wrong image format passed for
avatar
.
-
- property avatar_url
-
Returns an
Asset
for the avatar the user has.If the user does not have a traditional avatar, an asset for
the default avatar is returned instead.This is equivalent to calling
avatar_url_as()
with
the default parameters (i.e. webp/gif detection and a size of 1024).- Type:
-
Asset
- avatar_url_as(*, format=None, static_format=‘webp’, size=1024)
-
Returns an
Asset
for the avatar the user has.If the user does not have a traditional avatar, an asset for
the default avatar is returned instead.The format must be one of ‘webp’, ‘jpeg’, ‘jpg’, ‘png’ or ‘gif’, and
‘gif’ is only valid for animated avatars. The size must be a power of 2
between 16 and 4096.- Parameters:
-
-
format (Optional[
str
]) – The format to attempt to convert the avatar to.
If the format isNone
, then it is automatically
detected into either ‘gif’ or static_format depending on the
avatar being animated or not. -
static_format (Optional[
str
]) – Format to attempt to convert only non-animated avatars to.
Defaults to ‘webp’ -
size (
int
) – The size of the image to display.
-
- Raises:
-
InvalidArgument – Bad image format passed to
format
orstatic_format
, or
invalidsize
. - Returns:
-
The resulting CDN asset.
- Return type:
-
Asset
-
Returns an asset for the banner the user has, if any.
This is equal to callingbanner_url_as()
with the default arguments.- Returns:
-
The resulting CDN asset if any.
- Return type:
-
Optional[
Asset
] - Type:
-
Optional[
Asset
]
-
Returns an
Asset
for the banner the user has. Could beNone
.The format must be one of ‘webp’, ‘jpeg’, ‘jpg’, ‘png’ or ‘gif’, and
‘gif’ is only valid for animated banners. The size must be a power of 2
between 16 and 4096.- Parameters:
-
-
format (Optional[
str
]) – The format to attempt to convert the banner to.
If the format isNone
, then it is automatically
detected into either ‘gif’ or static_format depending on the
banner being animated or not. -
static_format (Optional[
str
]) – Format to attempt to convert only non-animated banner to.
Defaults to ‘webp’ -
size (
int
) – The size of the image to display.
-
- Raises:
-
InvalidArgument – Bad image format passed to
format
orstatic_format
, or
invalidsize
. - Returns:
-
The resulting CDN asset if any.
- Return type:
-
Optional[
Asset
]
- property color
-
A property that returns a color denoting the rendered color
for the user. This always returnsColour.default()
.There is an alias for this named
colour
.- Type:
-
Colour
- property colour
-
A property that returns a colour denoting the rendered colour
for the user. This always returnsColour.default()
.There is an alias for this named
color
.- Type:
-
Colour
- property created_at
-
Returns the user’s creation time in UTC.
This is when the user’s Discord account was created.
- Type:
-
datetime.datetime
- property default_avatar
-
Returns the default avatar for a given user. This is calculated by the user’s discriminator.
- Type:
-
DefaultAvatar
- property default_avatar_url
-
Returns a URL for a user’s default avatar.
- Type:
-
Asset
- property display_name
-
Returns the user’s display name.
For regular users this is just their username, but
if they have a guild specific nickname then that
is returned instead.- Type:
-
str
- is_avatar_animated()
-
bool
: Indicates if the user has an animated avatar.
-
bool
: Indicates if the user has an animated banner.
- property mention
-
Returns a string that allows you to mention the given user.
- Type:
-
str
- mentioned_in(message)
-
Checks if the user is mentioned in the specified message.
- Parameters:
-
message (
Message
) – The message to check if you’re mentioned in. - Returns:
-
Indicates if the user is mentioned in the message.
- Return type:
-
bool
- permissions_in(channel)
-
An alias for
abc.GuildChannel.permissions_for()
.Basically equivalent to:
channel.permissions_for(self)
- Parameters:
-
channel (
abc.GuildChannel
) – The channel to check your permissions for.
- property public_flags
-
The publicly available flags the user has.
- Type:
-
PublicUserFlags
User
Attributes
- avatar
- avatar_url
- banner_url
- bot
- color
- colour
- created_at
- default_avatar
- default_avatar_url
- discriminator
- display_name
- dm_channel
- id
- mention
- mutual_guilds
- name
- public_flags
- system
Methods
-
defavatar_url_as -
defbanner_url_as -
asynccreate_dm -
asyncfetch_message -
defhistory -
defis_avatar_animated -
defis_banner_animated -
defmentioned_in -
defpermissions_in -
asyncpins -
asyncsend -
asynctrigger_typing -
deftyping
- class discord.User
-
Represents a Discord user.
- x == y
-
Checks if two users are equal.
- x != y
-
Checks if two users are not equal.
- hash(x)
-
Return the user’s hash.
- str(x)
-
Returns the user’s name with discriminator.
- name
-
The user’s username.
- Type:
-
str
- id
-
The user’s unique ID.
- Type:
-
int
- discriminator
-
The user’s discriminator. This is given when the username has conflicts.
- Type:
-
str
- avatar
-
The avatar hash the user has. Could be None.
- Type:
-
Optional[
str
]
- bot
-
Specifies if the user is a bot account.
- Type:
-
bool
- system
-
Specifies if the user is a system user (i.e. represents Discord officially).
- Type:
-
bool
- async for … in history(*, limit=100, before=None, after=None, around=None, oldest_first=None)
-
Returns an
AsyncIterator
that enables receiving the destination’s message history.You must have
read_message_history
permissions to use this.Examples
Usage
counter = 0 async for message in channel.history(limit=200): if message.author == client.user: counter += 1
Flattening into a list:
messages = await channel.history(limit=123).flatten() # messages is now a list of Message...
All parameters are optional.
- Parameters:
-
-
limit (Optional[
int
]) – The number of messages to retrieve.
IfNone
, retrieves every message in the channel. Note, however,
that this would make it a slow operation. -
before (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages before this date or message.
If a date is provided it must be a timezone-naive datetime representing UTC time. -
after (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages after this date or message.
If a date is provided it must be a timezone-naive datetime representing UTC time. -
around (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages around this date or message.
If a date is provided it must be a timezone-naive datetime representing UTC time.
When using this argument, the maximum limit is 101. Note that if the limit is an
even number, then this will return at most limit + 1 messages. -
oldest_first (Optional[
bool
]) – If set toTrue
, return messages in oldest->newest order. Defaults toTrue
if
after
is specified, otherwiseFalse
.
-
- Raises:
-
-
Forbidden – You do not have permissions to get channel message history.
-
HTTPException – The request to get message history failed.
-
- Yields:
-
Message
– The message with the message data parsed.
- async with typing()
-
Returns a context manager that allows you to type for an indefinite period of time.
This is useful for denoting long computations in your bot.
Note
This is both a regular context manager and an async context manager.
This means that bothwith
andasync with
work with this.Example Usage:
async with channel.typing(): # do expensive stuff here await channel.send('done!')
- property dm_channel
-
Returns the channel associated with this user if it exists.
If this returns
None
, you can create a DM channel by calling the
create_dm()
coroutine function.- Type:
-
Optional[
DMChannel
]
- property mutual_guilds
-
The guilds that the user shares with the client.
Note
This will only return mutual guilds within the client’s internal cache.
New in version 1.7.
- Type:
-
List[
Guild
]
- await create_dm()
-
This function is a coroutine.
Creates a
DMChannel
with this user.This should be rarely called, as this is done transparently for most
people.- Returns:
-
The channel that was created.
- Return type:
-
DMChannel
- property avatar_url
-
Returns an
Asset
for the avatar the user has.If the user does not have a traditional avatar, an asset for
the default avatar is returned instead.This is equivalent to calling
avatar_url_as()
with
the default parameters (i.e. webp/gif detection and a size of 1024).- Type:
-
Asset
- avatar_url_as(*, format=None, static_format=‘webp’, size=1024)
-
Returns an
Asset
for the avatar the user has.If the user does not have a traditional avatar, an asset for
the default avatar is returned instead.The format must be one of ‘webp’, ‘jpeg’, ‘jpg’, ‘png’ or ‘gif’, and
‘gif’ is only valid for animated avatars. The size must be a power of 2
between 16 and 4096.- Parameters:
-
-
format (Optional[
str
]) – The format to attempt to convert the avatar to.
If the format isNone
, then it is automatically
detected into either ‘gif’ or static_format depending on the
avatar being animated or not. -
static_format (Optional[
str
]) – Format to attempt to convert only non-animated avatars to.
Defaults to ‘webp’ -
size (
int
) – The size of the image to display.
-
- Raises:
-
InvalidArgument – Bad image format passed to
format
orstatic_format
, or
invalidsize
. - Returns:
-
The resulting CDN asset.
- Return type:
-
Asset
-
Returns an asset for the banner the user has, if any.
This is equal to callingbanner_url_as()
with the default arguments.- Returns:
-
The resulting CDN asset if any.
- Return type:
-
Optional[
Asset
] - Type:
-
Optional[
Asset
]
-
Returns an
Asset
for the banner the user has. Could beNone
.The format must be one of ‘webp’, ‘jpeg’, ‘jpg’, ‘png’ or ‘gif’, and
‘gif’ is only valid for animated banners. The size must be a power of 2
between 16 and 4096.- Parameters:
-
-
format (Optional[
str
]) – The format to attempt to convert the banner to.
If the format isNone
, then it is automatically
detected into either ‘gif’ or static_format depending on the
banner being animated or not. -
static_format (Optional[
str
]) – Format to attempt to convert only non-animated banner to.
Defaults to ‘webp’ -
size (
int
) – The size of the image to display.
-
- Raises:
-
InvalidArgument – Bad image format passed to
format
orstatic_format
, or
invalidsize
. - Returns:
-
The resulting CDN asset if any.
- Return type:
-
Optional[
Asset
]
- property color
-
A property that returns a color denoting the rendered color
for the user. This always returnsColour.default()
.There is an alias for this named
colour
.- Type:
-
Colour
- property colour
-
A property that returns a colour denoting the rendered colour
for the user. This always returnsColour.default()
.There is an alias for this named
color
.- Type:
-
Colour
- property created_at
-
Returns the user’s creation time in UTC.
This is when the user’s Discord account was created.
- Type:
-
datetime.datetime
- property default_avatar
-
Returns the default avatar for a given user. This is calculated by the user’s discriminator.
- Type:
-
DefaultAvatar
- property default_avatar_url
-
Returns a URL for a user’s default avatar.
- Type:
-
Asset
- property display_name
-
Returns the user’s display name.
For regular users this is just their username, but
if they have a guild specific nickname then that
is returned instead.- Type:
-
str
- await fetch_message(id)
-
This function is a coroutine.
Retrieves a single
Message
from the destination.This can only be used by bot accounts.
- Parameters:
-
id (
int
) – The message ID to look for. - Raises:
-
-
NotFound – The specified message was not found.
-
Forbidden – You do not have the permissions required to get a message.
-
HTTPException – Retrieving the message failed.
-
- Returns:
-
The message asked for.
- Return type:
-
Message
- is_avatar_animated()
-
bool
: Indicates if the user has an animated avatar.
-
bool
: Indicates if the user has an animated banner.
- property mention
-
Returns a string that allows you to mention the given user.
- Type:
-
str
- mentioned_in(message)
-
Checks if the user is mentioned in the specified message.
- Parameters:
-
message (
Message
) – The message to check if you’re mentioned in. - Returns:
-
Indicates if the user is mentioned in the message.
- Return type:
-
bool
- permissions_in(channel)
-
An alias for
abc.GuildChannel.permissions_for()
.Basically equivalent to:
channel.permissions_for(self)
- Parameters:
-
channel (
abc.GuildChannel
) – The channel to check your permissions for.
- await pins()
-
This function is a coroutine.
Retrieves all messages that are currently pinned in the channel.
Note
Due to a limitation with the Discord API, the
Message
objects returned by this method do not contain complete
Message.reactions
data.- Raises:
-
HTTPException – Retrieving the pinned messages failed.
- Returns:
-
The messages that are currently pinned.
- Return type:
-
List[
Message
]
- property public_flags
-
The publicly available flags the user has.
- Type:
-
PublicUserFlags
- await send(content=None, *, tts=False, embed=None, embeds=None, components=None, file=None, files=None, stickers=None, delete_after=None, nonce=None, allowed_mentions=None, reference=None, mention_author=None, suppress_embeds=False, suppress_notifications=False)
-
This function is a coroutine.
Sends a message to the destination with the content given.
The content must be a type that can convert to a string through
str(content)
.
If the content is set toNone
(the default), then theembed
parameter must
be provided.To upload a single file, the
file
parameter should be used with a
singleFile
object. To upload multiple files, thefiles
parameter should be used with alist
ofFile
objects.If the
embed
parameter is provided, it must be of typeEmbed
and
it must be a rich embed type.- Parameters:
-
-
content (
str
) – The content of the message to send. -
tts (
bool
) – Indicates if the message should be sent using text-to-speech. -
embed (
Embed
) – The rich embed for the content. -
embeds (List[
Embed
]) – A list containing up to ten embeds -
components (List[Union[
ActionRow
, List[Union[Button
,BaseSelect
]]]]) – A list of up to fiveButton
’s or oneBaseSelect
like object. -
file (
File
) – The file to upload. -
files (List[
File
]) – Alist
of files to upload. Must be a maximum of 10. -
stickers (List[
GuildSticker
]) – A list of up to 3discord.GuildSticker
that should be sent with the message. -
nonce (
int
) – The nonce to use for sending this message. If the message was successfully sent,
then the message will have a nonce with this value. -
delete_after (
float
) – 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. -
allowed_mentions (
AllowedMentions
) –Controls the mentions being processed in this message. If this is
passed, then the object is merged withallowed_mentions
.
The merging behaviour only overrides attributes that have been explicitly passed
to the object, otherwise it uses the attributes set inallowed_mentions
.
If no object is passed at all then the defaults given byallowed_mentions
are used instead.New in version 1.4.
-
reference (Union[
Message
,MessageReference
]) –A reference to the
Message
to which you are replying, this can be created using
to_reference()
or passed directly as aMessage
. You can control
whether this mentions the author of the referenced message using thereplied_user
attribute ofallowed_mentions
or by settingmention_author
.New in version 1.6.
-
mention_author (Optional[
bool
]) –If set, overrides the
replied_user
attribute ofallowed_mentions
.New in version 1.6.
-
suppress_embeds (
bool
) – Whether to supress embeds send with the message, default toFalse
-
suppress_notifications (
bool
) –Whether to suppress desktop- & push-notifications for this message, default to
False
Users will still see a ping-symbol when they are mentioned in the message, or the message is in a dm channel.
New in version 2.0.
-
- Raises:
-
-
HTTPException – Sending the message failed.
-
Forbidden – You do not have the proper permissions to send the message.
-
InvalidArgument – The
files
list is not of the appropriate size,
you specified bothfile
andfiles
,
or thereference
object is not aMessage
orMessageReference
.
-
- Returns:
-
The message that was sent.
- Return type:
-
Message
- await trigger_typing()
-
This function is a coroutine.
Triggers a typing indicator to the destination.
Typing indicator will go away after 10 seconds, or after a message is sent.
Attachment
Methods
-
defis_spoiler -
asyncread -
asyncsave -
defto_dict -
asyncto_file
- class discord.Attachment
-
Represents an attachment from Discord.
- str(x)
-
Returns the URL of the attachment.
- x == y
-
Checks if the attachment is equal to another attachment.
- x != y
-
Checks if the attachment is not equal to another attachment.
- hash(x)
-
Returns the hash of the attachment.
Changed in version 1.7: Attachment can now be casted to
str
and is hashable.- id
-
The attachment ID.
- Type:
-
int
- size
-
The attachment size in bytes.
- Type:
-
int
- height
-
The attachment’s height, in pixels. Only applicable to images and videos.
- Type:
-
Optional[
int
]
- width
-
The attachment’s width, in pixels. Only applicable to images and videos.
- Type:
-
Optional[
int
]
- filename
-
The attachment’s filename.
- Type:
-
str
- url
-
The attachment URL. If the message this attachment was attached
to is deleted, then this will 404.- Type:
-
str
- proxy_url
-
The proxy URL. This is a cached version of the
url
in the
case of images. When the message is deleted, this URL might be valid for a few
minutes or not valid at all.- Type:
-
str
- content_type
-
The attachment’s media type
- Type:
-
Optional[
str
]
- ephemeral
-
Whether the attachment is part of a ephemeral message.
- Type:
-
bool
- description
-
The description for the file.
- Type:
-
Optional[
str
]
- is_spoiler()
-
bool
: Whether this attachment contains a spoiler.
- to_dict()
-
dict
: A minimal dictionary containing the filename and description of the attachment.
- await save(fp, *, seek_begin=True, use_cached=False)
-
This function is a coroutine.
Saves this attachment into a file-like object.
- Parameters:
-
-
fp (Union[
io.BufferedIOBase
,os.PathLike
]) – The file-like object to save this attachment to or the filename
to use. If a filename is passed then a file is created with that
filename and used instead. -
seek_begin (
bool
) – Whether to seek to the beginning of the file after saving is
successfully done. -
use_cached (
bool
) – Whether to useproxy_url
rather thanurl
when downloading
the attachment. This will allow attachments to be saved after deletion
more often, compared to the regular URL which is generally deleted right
after the message is deleted. Note that this can still fail to download
deleted attachments if too much time has passed and it does not work
on some types of attachments.
-
- Raises:
-
-
HTTPException – Saving the attachment failed.
-
NotFound – The attachment was deleted.
-
- Returns:
-
The number of bytes written.
- Return type:
-
int
- await read(*, use_cached=False)
-
This function is a coroutine.
Retrieves the content of this attachment as a
bytes
object.New in version 1.1.
- Parameters:
-
use_cached (
bool
) – Whether to useproxy_url
rather thanurl
when downloading
the attachment. This will allow attachments to be saved after deletion
more often, compared to the regular URL which is generally deleted right
after the message is deleted. Note that this can still fail to download
deleted attachments if too much time has passed and it does not work
on some types of attachments. - Raises:
-
-
HTTPException – Downloading the attachment failed.
-
Forbidden – You do not have permissions to access this attachment
-
NotFound – The attachment was deleted.
-
- Returns:
-
The contents of the attachment.
- Return type:
-
bytes
- await to_file(*, use_cached=False, spoiler=False, description=MISSING)
-
This function is a coroutine.
Converts the attachment into a
File
suitable for sending via
abc.Messageable.send()
.New in version 1.3.
- Parameters:
-
-
use_cached (
bool
) –Whether to use
proxy_url
rather thanurl
when downloading
the attachment. This will allow attachments to be saved after deletion
more often, compared to the regular URL which is generally deleted right
after the message is deleted. Note that this can still fail to download
deleted attachments if too much time has passed and it does not work
on some types of attachments.New in version 1.4.
-
spoiler (
bool
) –Whether the file is a spoiler.
New in version 1.4.
-
description (
bool
) –The description (alt text) for the file.
This will be default to the
description
.
Set the value toNone
to supress this.
.. versionadded:: 2.0
-
- Raises:
-
-
HTTPException – Downloading the attachment failed.
-
Forbidden – You do not have permissions to access this attachment
-
NotFound – The attachment was deleted.
-
- Returns:
-
The attachment as a file suitable for sending.
- Return type:
-
File
Asset
Methods
-
asyncread -
asyncsave
- class discord.Asset
-
Represents a CDN asset on Discord.
- str(x)
-
Returns the URL of the CDN asset.
- len(x)
-
Returns the length of the CDN asset’s URL.
- bool(x)
-
Checks if the Asset has a URL.
- x == y
-
Checks if the asset is equal to another asset.
- x != y
-
Checks if the asset is not equal to another asset.
- hash(x)
-
Returns the hash of the asset.
- await read()
-
This function is a coroutine.
Retrieves the content of this asset as a
bytes
object.Warning
PartialEmoji
won’t have a connection state if user created,
and a URL won’t be present if a custom image isn’t associated with
the asset, e.g. a guild with no custom icon.New in version 1.1.
- Raises:
-
-
DiscordException – There was no valid URL or internal connection state.
-
HTTPException – Downloading the asset failed.
-
NotFound – The asset was deleted.
-
- Returns:
-
The content of the asset.
- Return type:
-
bytes
- await save(fp, *, seek_begin=True)
-
This function is a coroutine.
Saves this asset into a file-like object.
- Parameters:
-
-
fp (Union[BinaryIO,
os.PathLike
]) – Same as inAttachment.save()
. -
seek_begin (
bool
) – Same as inAttachment.save()
.
-
- Raises:
-
-
DiscordException – There was no valid URL or internal connection state.
-
HTTPException – Downloading the asset failed.
-
NotFound – The asset was deleted.
-
- Returns:
-
The number of bytes written.
- Return type:
-
int
Message
Attributes
- activity
- all_buttons
- all_components
- all_select_menus
- application
- attachments
- author
- channel
- channel_mentions
- clean_content
- components
- content
- created_at
- edited_at
- embeds
- flags
- guild
- id
- jump_url
- mention_everyone
- mentions
- nonce
- pinned
- raw_channel_mentions
- raw_mentions
- raw_role_mentions
- reactions
- reference
- role_mentions
- stickers
- system_content
- thread
- tts
- type
- webhook_id
Methods
-
asyncadd_reaction -
asyncclear_reaction -
asyncclear_reactions -
asynccreate_thread -
asyncdelete -
asyncedit -
defis_system -
asyncpin -
asyncpublish -
asyncremove_reaction -
asyncreply -
defto_reference -
asyncunpin
- class discord.Message
-
Represents a message from Discord.
- x == y
-
Checks if two messages are equal.
- x != y
-
Checks if two messages are not equal.
- hash(x)
-
Returns the message’s hash.
- tts
-
Specifies if the message was done with text-to-speech.
This can only be accurately received inon_message()
due to
a discord limitation.- Type:
-
bool
- type
-
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 forsystem_content
.- Type:
-
MessageType
-
A
Member
that sent the message. Ifchannel
is a
private channel or the user has left the guild, then it is aUser
instead.- Type:
-
abc.User
- content
-
The actual contents of the message.
- Type:
-
str
- nonce
-
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
-
A list of embeds the message has.
- Type:
-
List[
Embed
]
- components
-
A list of components the message has.
- Type:
-
List[
ActionRow
]:
- channel
-
The
TextChannel
,ThreadChannel
orVoiceChannel
that the message was sent from.
Could be aDMChannel
orGroupChannel
if it’s a private message.- Type:
-
Union[
abc.Messageable
,ThreadChannel
]
- reference
-
The message that this message references. This is only applicable to messages of
typeMessageType.pins_add
, crossposted messages created by a
followed channel integration, or message replies.New in version 1.5.
- Type:
-
Optional[
MessageReference
]
- mention_everyone
-
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.- Type:
-
bool
- mentions
-
A list of
Member
that were mentioned. If the message is in a private message
then the list will be ofUser
instead. For messages that are not of type
MessageType.default
, this array can be used to aid in system messages.
For more information, seesystem_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.- Type:
-
List[
abc.User
]
- channel_mentions
-
A list of
abc.GuildChannel
that were mentioned. If the message is in a private message
then the list is always empty.- Type:
-
List[
abc.GuildChannel
]
- role_mentions
-
A list of
Role
that were mentioned. If the message is in a private message
then the list is always empty.- Type:
-
List[
Role
]
- id
-
The message ID.
- Type:
-
int
- webhook_id
-
If this message was sent by a webhook, then this is the webhook ID’s that sent this
message.- Type:
-
Optional[
int
]
- attachments
-
A list of attachments given to a message.
- Type:
-
List[
Attachment
]
- pinned
-
Specifies if the message is currently pinned.
- Type:
-
bool
- flags
-
Extra features of the message.
New in version 1.3.
- Type:
-
MessageFlags
- reactions
-
Reactions to a message. Reactions can be either custom emoji or standard unicode emoji.
- Type:
-
List[
Reaction
]
- activity
-
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.
- Type:
-
Optional[
dict
]
-
- application
-
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.
- Type:
-
Optional[
dict
]
-
- stickers
-
A list of stickers given to the message.
New in version 1.6.
- Type:
-
List[
Sticker
]
- guild
-
The guild that the message belongs to, if applicable.
- Type:
-
Optional[
Guild
]
- raw_mentions
-
A property that returns an array of user IDs matched with
the syntax of<@user_id>
in the message content.This allows you to receive the user IDs of mentioned users
even in a private message context.- Type:
-
List[
int
]
- raw_channel_mentions
-
A property that returns an array of channel IDs matched with
the syntax of<#channel_id>
in the message content.- Type:
-
List[
int
]
- raw_role_mentions
-
A property that returns an array of role IDs matched with
the syntax of<@&role_id>
in the message content.- Type:
-
List[
int
]
- clean_content
-
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
.This will also transform @everyone and @here mentions into
non-mentions.Note
This does not affect markdown. If you want to escape
or remove markdown then useutils.escape_markdown()
orutils.remove_markdown()
respectively, along with this function.- Type:
-
str
- property created_at
-
The message’s creation time in UTC.
- Type:
-
datetime.datetime
- property edited_at
-
A naive UTC datetime object containing the edited time of the message.
- Type:
-
Optional[
datetime.datetime
]
- property jump_url
-
Returns a URL that allows the client to jump to this message.
- Type:
-
str
- is_system()
-
bool
: Whether the message is a system message.New in version 1.3.
- system_content
-
A property that returns the content that is rendered
regardless of theMessage.type
.In the case of
MessageType.default
, this just returns the
regularMessage.content
. Otherwise this returns an English
message denoting the contents of the system message.- Type:
-
str
- property all_components
-
Returns all
Button
’s andSelectMenu
’s that are contained in the message
- property all_buttons
-
Returns all
Button
’s that are contained in the message
-
Returns all
SelectMenu
’s that are contained in the message
- property thread
-
The thread that belongs to this message, if there is one
- Type:
-
Optional[
ThreadChannel
]
- await delete(*, delay=None)
-
This function is a coroutine.
Deletes the message.
Your own messages could be deleted without any proper permissions. However, to
delete other people’s messages, you need themanage_messages
permission.Changed in version 1.1: Added the new
delay
keyword-only parameter.- Parameters:
-
delay (Optional[
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. - Raises:
-
-
Forbidden – You do not have proper permissions to delete the message.
-
NotFound – The message was deleted already
-
HTTPException – Deleting the message failed.
-
- await edit(*, content=MISSING, embed=MISSING, embeds=MISSING, components=MISSING, attachments=MISSING, keep_existing_attachments=False, delete_after=None, allowed_mentions=MISSING, suppress_embeds=MISSING)
-
This function is a coroutine.
Edits the message.
The content must be able to be transformed into a string via
str(content)
.Warning
Since API v10, the
attachments
must contain all attachments that should be present after edit,
including retained and new attachments.Changed in version 1.3: The
suppress
keyword-only parameter was added.Changed in version 2.0: The
suppress
keyword-only parameter was renamed tosuppress_embeds
.Changed in version 2.0: The
components`, ``attachments
andkeep_existing_attachments
keyword-only parameters were added.- Parameters:
-
-
content (Optional[
str
]) – The new content to replace the message with.
Could beNone
to remove the content. -
embed (Optional[
Embed
]) – The new embed to replace the original with.
Could beNone
to remove all embeds. -
embeds (Optional[List[
Embed
]]) –A list containing up to 10 embeds`to send.
IfNone
or empty, all embeds will be removed.If passed,
embed
does also count towards the limit of 10 embeds. -
components (List[Union[
ActionRow
, List[Union[Button
,BaseSelect
]]]]) – A list of up to fiveButton
’s or oneBaseSelect
like object. -
attachments (List[Union[
Attachment
,File
]]) –A list containing previous attachments to keep as well as new files to upload.
You can usekeep_existing_attachments
to auto-add the existing attachments to the list.
IfNone
or empty, all attachments will be removed.Note
New files will always appear under existing ones.
-
keep_existing_attachments (
bool
) –Whether to auto-add existing attachments to
attachments
, defaults toFalse
.Note
Only needed when
attachments
are passed, otherwise will be ignored. -
suppress_embeds (
bool
) – Whether to suppress embeds for the message. This removes
all the embeds if set toTrue
. If set toFalse
this brings the embeds back if they were suppressed.
Requiresmanage_messages
permissions for messages that aren’t from the bot. -
delete_after (Optional[
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[
AllowedMentions
]) –Controls the mentions being processed in this message. If this is
passed, then the object is merged withallowed_mentions
.
The merging behaviour only overrides attributes that have been explicitly passed
to the object, otherwise it uses the attributes set inallowed_mentions
.
If no object is passed at all then the defaults given byallowed_mentions
are used instead.New in version 1.4.
-
- 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.
-
- await publish()
-
This function is a coroutine.
Publishes this message to your announcement channel.
If the message is not your own then the
manage_messages
permission is needed.- Raises:
-
-
Forbidden – You do not have the proper permissions to publish this message.
-
HTTPException – Publishing the message failed.
-
- await pin(*, reason=None)
-
This function is a coroutine.
Pins the message.
You must have the
manage_messages
permission to do
this in a non-private channel context.- Parameters:
-
reason (Optional[
str
]) –The reason for pinning the message. Shows up on the audit log.
New in version 1.4.
- 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.
-
- await unpin(*, reason=None)
-
This function is a coroutine.
Unpins the message.
You must have the
manage_messages
permission to do
this in a non-private channel context.- Parameters:
-
reason (Optional[
str
]) –The reason for unpinning the message. Shows up on the audit log.
New in version 1.4.
- 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.
-
- await add_reaction(emoji)
-
This function is a coroutine.
Add a reaction to the message.
The emoji may be a unicode emoji or a custom guild
Emoji
.You must have the
read_message_history
permission
to use this. If nobody else has reacted to the message using this
emoji, theadd_reactions
permission is required.- Parameters:
-
emoji (Union[
Emoji
,Reaction
,PartialEmoji
,str
]) – The emoji to react with. - 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.
-
InvalidArgument – The emoji parameter is invalid.
-
- await remove_reaction(emoji, member)
-
This function is a coroutine.
Remove a reaction by the member from the message.
The emoji may be a unicode emoji or a custom guild
Emoji
.If the reaction is not your own (i.e.
member
parameter is not you) then
themanage_messages
permission is needed.The
member
parameter must represent a member and meet
theabc.Snowflake
abc.- Parameters:
-
-
emoji (Union[
Emoji
,Reaction
,PartialEmoji
,str
]) – The emoji to remove. -
member (
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.
-
InvalidArgument – The emoji parameter is invalid.
-
- await clear_reaction(emoji)
-
This function is a coroutine.
Clears a specific reaction from the message.
The emoji may be a unicode emoji or a custom guild
Emoji
.You need the
manage_messages
permission to use this.New in version 1.3.
- Parameters:
-
emoji (Union[
Emoji
,Reaction
,PartialEmoji
,str
]) – The emoji to clear. - 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.
-
InvalidArgument – The emoji parameter is invalid.
-
- await clear_reactions()
-
This function is a coroutine.
Removes all the reactions from the message.
You need the
manage_messages
permission to use this.- Raises:
-
-
HTTPException – Removing the reactions failed.
-
Forbidden – You do not have the proper permissions to remove all the reactions.
-
- await reply(content=None, **kwargs)
-
This function is a coroutine.
A shortcut method to
abc.Messageable.send()
to reply to the
Message
.New in version 1.6.
- Raises:
-
-
HTTPException – Sending the message failed.
-
Forbidden – You do not have the proper permissions to send the message.
-
InvalidArgument – The
files
list is not of the appropriate size or
you specified bothfile
andfiles
.
-
- Returns:
-
The message that was sent.
- Return type:
-
Message
- await create_thread(name, auto_archive_duration=None, slowmode_delay=0, reason=None)
-
This function is a coroutine.
Creates a new thread in the channel of the message with this message as the
starter_message
.- Parameters:
-
-
name (
str
) – The name of the thread. -
auto_archive_duration (Optional[
AutoArchiveDuration
]) – Amount of time after that the thread will auto-hide from the channel list -
slowmode_delay (
int
) – Amount of seconds a user has to wait before sending another message (0-21600) -
reason (Optional[
str
]) – The reason for creating the thread. Shows up in the audit log.
-
- Raises:
-
-
TypeError – The channel of the message is not a text or news channel,
or the message has already a thread,
orauto_archive_duration
is not a valid member ofAutoArchiveDuration
-
ValueError – The
name
is of invalid length -
Forbidden – The bot is missing permissions to create threads in this channel
-
HTTPException – Creating the thread failed
-
- Returns:
-
The created thread on success
- Return type:
-
ThreadChannel
- to_reference(*, fail_if_not_exists=True)
-
Creates a
MessageReference
from the current message.New in version 1.6.
- Parameters:
-
fail_if_not_exists (
bool
) –Whether replying using the message reference should raise
HTTPException
if the message no longer exists or Discord could not fetch the message.New in version 1.7.
- Returns:
-
The reference to this message.
- Return type:
-
MessageReference
Methods
-
asyncdelete -
asyncedit
- class discord.EphemeralMessage
-
Like a normal
Message
but with a modifiededit()
method and withoutdelete()
method.- guild
-
The guild that the message belongs to, if applicable.
- Type:
-
Optional[
Guild
]
- property all_components
-
Returns all
Button
’s andSelectMenu
’s that are contained in the message
- property all_buttons
-
Returns all
Button
’s that are contained in the message
-
Returns all
SelectMenu
’s that are contained in the message
- await edit(*, content=MISSING, embed=MISSING, embeds=MISSING, components=MISSING, attachments=MISSING, keep_existing_attachments=False, allowed_mentions=MISSING, suppress=False, delete_after=None)
-
This function is a coroutine.
Edits the message.
- Parameters:
-
-
content (Optional[
str
]) – The new content to replace the message with.
Could beNone
to remove the content. -
embed (Optional[
Embed
]) – The new embed to replace the original with.
Could beNone
to remove all embeds. -
embeds (Optional[List[
Embed
]]) –A list containing up to 10 embeds`to send.
IfNone
or empty, all embeds will be removed.If passed,
embed
does also count towards the limit of 10 embeds. -
components (List[Union[
ActionRow
, List[Union[Button
,BaseSelect
]]]]) – A list of up to fiveButton
’s or oneBaseSelect
like object. -
attachments (List[Union[
Attachment
,File
]]) –A list containing previous attachments to keep as well as new files to upload.
You can usekeep_existing_attachments
to auto-add the existing attachments to the list.
If an empty list ([]
) is passed, all attachment will be removed.Note
New files will always appear under existing ones.
-
keep_existing_attachments (
bool
) –Whether to auto-add existing attachments to
attachments
, defaultFalse
.Note
Only needed when
attachments
are passed, otherwise will be ignored. -
suppress (
bool
) – Whether to suppress embeds for the message. IfTrue
this will remove all embeds from the message.
If ´False` it adds them back. -
delete_after (
float
) – If provided, the number of seconds to wait in the background
before deleting the response we just edited. If the deletion fails,
then it is silently ignored. -
allowed_mentions (Optional[
AllowedMentions
]) – Controls the mentions being processed in this message. If this is
passed, then the object is merged withallowed_mentions
.
The merging behaviour only overrides attributes that have been explicitly passed
to the object, otherwise it uses the attributes set inallowed_mentions
.
If no object is passed at all then the defaults given byallowed_mentions
are used instead.
-
- await delete(*, delay=None)
-
This function is a coroutine.
Deletes the message.
Note
This can only be used while the interaction token is valid. So within 15 minutes after the interaction.
- Parameters:
-
delay (Optional[
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. - Raises:
-
-
NotFound – The message was deleted already or the interaction token expired
-
HTTPException – Deleting the message failed.
-
DeletedReferencedMessage
Attributes
- channel_id
- guild_id
- id
- class discord.DeletedReferencedMessage
-
A special sentinel type that denotes whether the
resolved message referenced message had since been deleted.The purpose of this class is to separate referenced messages that could not be
fetched and those that were previously fetched but have since been deleted.New in version 1.6.
- property id
-
The message ID of the deleted referenced message.
- Type:
-
int
- property channel_id
-
The channel ID of the deleted referenced message.
- Type:
-
int
- property guild_id
-
The guild ID of the deleted referenced message.
- Type:
-
Optional[
int
]
Reaction
Methods
-
asyncclear -
asyncremove -
defusers
- class discord.Reaction
-
Represents a reaction to a message.
Depending on the way this object was created, some of the attributes can
have a value ofNone
.- x == y
-
Checks if two reactions are equal. This works by checking if the emoji
is the same. So two messages with the same reaction will be considered
“equal”.
- x != y
-
Checks if two reactions are not equal.
- hash(x)
-
Returns the reaction’s hash.
- str(x)
-
Returns the string form of the reaction’s emoji.
- emoji
-
The reaction emoji. May be a custom emoji, or a unicode emoji.
- Type:
-
Union[
Emoji
,PartialEmoji
,str
]
- count
-
Number of times this reaction was made
- Type:
-
int
- me
-
If the user sent this reaction.
- Type:
-
bool
- message
-
Message this reaction is for.
- Type:
-
Message
- async for … in users(limit=None, after=None)
-
Returns an
AsyncIterator
representing the users that have reacted to the message.The
after
parameter must represent a member
and meet theabc.Snowflake
abc.Examples
Usage
# I do not actually recommend doing this. async for user in reaction.users(): await channel.send('{0} has reacted with {1.emoji}!'.format(user, reaction))
Flattening into a list:
users = await reaction.users().flatten() # users is now a list of User... winner = random.choice(users) await channel.send('{} has won the raffle.'.format(winner))
- Parameters:
-
-
limit (
int
) – The maximum number of results to return.
If not provided, returns all the users who
reacted to the message. -
after (
abc.Snowflake
) – For pagination, reactions are sorted by member.
-
- Raises:
-
HTTPException – Getting the users for the reaction failed.
- Yields:
-
Union[
User
,Member
] – The member (if retrievable) or the user that has reacted
to this message. The case where it can be aMember
is
in a guild message context. Sometimes it can be aUser
if the member has left the guild.
- property custom_emoji
-
If this is a custom emoji.
- Type:
-
bool
- await remove(user)
-
This function is a coroutine.
Remove the reaction by the provided
User
from the message.If the reaction is not your own (i.e.
user
parameter is not you) then
themanage_messages
permission is needed.The
user
parameter must represent a user or member and meet
theabc.Snowflake
abc.- Parameters:
-
user (
abc.Snowflake
) – The user or member from 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 user you specified, or the reaction’s message was not found.
-
- await clear()
-
This function is a coroutine.
Clears this reaction from the message.
You need the
manage_messages
permission to use this.New in version 1.3.
- 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.
-
InvalidArgument – The emoji parameter is invalid.
-
Guild
Attributes
- afk_channel
- afk_timeout
- application_commands
- banner
- banner_url
- bitrate_limit
- cached_automod_rules
- categories
- channels
- chunked
- created_at
- default_notifications
- default_role
- description
- discovery_splash
- discovery_splash_url
- emoji_limit
- emojis
- events
- explicit_content_filter
- features
- filesize_limit
- icon
- icon_url
- id
- large
- max_members
- max_presences
- max_video_channel_users
- me
- member_count
- members
- mfa_level
- name
- owner
- owner_id
- preferred_locale
- premium_progress_bar_enabled
- premium_subscriber_role
- premium_subscribers
- premium_subscription_count
- premium_tier
- public_updates_channel
- roles
- rules_channel
- scheduled_events
- self_role
- shard_id
- splash
- splash_url
- stage_channels
- sticker_limit
- system_channel
- system_channel_flags
- text_channels
- thread_channels
- unavailable
- verification_level
- voice_channels
- voice_client
Methods
-
defaudit_logs -
asyncautomod_rules -
asyncban -
defbanner_url_as -
defbans -
defby_category -
asyncchange_voice_state -
asyncchunk -
asynccreate_automod_rule -
asynccreate_category -
asynccreate_category_channel -
asynccreate_custom_emoji -
asynccreate_forum_channel -
asynccreate_integration -
asynccreate_role -
asynccreate_scheduled_event -
asynccreate_stage_channel -
asynccreate_sticker -
asynccreate_template -
asynccreate_text_channel -
asynccreate_voice_channel -
asyncdelete -
defdiscovery_splash_url_as -
asyncedit -
asyncedit_role_positions -
asyncestimate_pruned_members -
asyncfetch_ban -
asyncfetch_channels -
asyncfetch_emoji -
asyncfetch_emojis -
asyncfetch_event -
asyncfetch_events -
asyncfetch_member -
deffetch_members -
asyncfetch_roles -
defget_application_command -
defget_channel -
defget_event -
defget_member -
defget_member_named -
defget_role -
defget_scheduled_event -
deficon_url_as -
asyncintegrations -
asyncinvites -
defis_icon_animated -
asynckick -
asyncleave -
asyncprune_members -
asyncquery_members -
defsplash_url_as -
asynctemplates -
asyncunban -
asyncvanity_invite -
asyncwebhooks -
asyncwelcome_screen -
asyncwidget
- class discord.Guild
-
Represents a Discord guild.
This is referred to as a “server” in the official Discord UI.
- x == y
-
Checks if two guilds are equal.
- x != y
-
Checks if two guilds are not equal.
- hash(x)
-
Returns the guild’s hash.
- str(x)
-
Returns the guild’s name.
- name
-
The guild name.
- Type:
-
str
- emojis
-
All emojis that the guild owns.
- Type:
-
Tuple[
Emoji
, …]
- afk_timeout
-
The timeout to get sent to the AFK channel.
- Type:
-
int
- afk_channel
-
The channel that denotes the AFK channel.
None
if it doesn’t exist.- Type:
-
Optional[
VoiceChannel
]
- icon
-
The guild’s icon.
- Type:
-
Optional[
str
]
- id
-
The guild’s ID.
- Type:
-
int
- owner_id
-
The guild owner’s ID. Use
Guild.owner
instead.- Type:
-
int
- unavailable
-
Indicates if the guild is unavailable. If this is
True
then the
reliability of other attributes outside ofGuild.id
is slim, and they might
all beNone
. It is best to not do anything with the guild if it is unavailable.Check the
on_guild_unavailable()
andon_guild_available()
events.- Type:
-
bool
- max_presences
-
The maximum amount of presences for the guild.
- Type:
-
Optional[
int
]
- max_members
-
The maximum amount of members for the guild.
Note
This attribute is only available via
Client.fetch_guild()
.- Type:
-
Optional[
int
]
- max_video_channel_users
-
The maximum amount of users in a video channel.
New in version 1.4.
- Type:
-
Optional[
int
]
-
The guild’s banner.
- Type:
-
Optional[
str
]
- description
-
The guild’s description.
- Type:
-
Optional[
str
]
- mfa_level
-
Indicates the guild’s two-factor authorisation level. If this value is 0 then
the guild does not require 2FA for their administrative members. If the value is
1 then they do.- Type:
-
int
- verification_level
-
The guild’s verification level.
- Type:
-
VerificationLevel
- explicit_content_filter
-
The guild’s explicit content filter.
- Type:
-
ContentFilter
- default_notifications
-
The guild’s notification settings.
- Type:
-
NotificationLevel
- features
-
A list of features that the guild has. They are currently as follows:
-
VIP_REGIONS
: Guild has VIP voice regions -
VANITY_URL
: Guild can have a vanity invite URL (e.g. discord.gg/discord-api) -
INVITE_SPLASH
: Guild’s invite page can have a special splash. -
VERIFIED
: Guild is a verified server. -
PARTNERED
: Guild is a partnered server. -
MORE_EMOJI
: Guild is allowed to have more than 50 custom emoji. -
MORE_STICKER
: Guild is allowed to have more than 60 custom sticker. -
DISCOVERABLE
: Guild shows up in Server Discovery. -
FEATURABLE
: Guild is able to be featured in Server Discovery. -
COMMUNITY
: Guild is a community server. -
PUBLIC
: Guild is a public guild. -
NEWS
: Guild can create news channels. -
BANNER
: Guild can upload and use a banner (i.e.banner_url()
). -
ANIMATED_ICON
: Guild can upload an animated icon. -
PUBLIC_DISABLED
: Guild cannot be public. -
WELCOME_SCREEN_ENABLED
: Guild has enabled the welcome screen -
MEMBER_VERIFICATION_GATE_ENABLED
: Guild has Membership Screening enabled. -
PREVIEW_ENABLED
: Guild can be viewed before being accepted via Membership Screening.
- Type:
-
List[
str
]
-
- splash
-
The guild’s invite splash.
- Type:
-
Optional[
str
]
- premium_tier
-
The premium tier for this guild. Corresponds to “Nitro Server” in the official UI.
The number goes from 0 to 3 inclusive.- Type:
-
int
- premium_subscription_count
-
The number of “boosts” this guild currently has.
- Type:
-
int
- preferred_locale
-
The preferred locale for the guild. Used when filtering Server Discovery
results to a specific language.- Type:
-
Optional[
str
]
- discovery_splash
-
The guild’s discovery splash.
.. versionadded:: 1.3- Type:
-
str
- premium_progress_bar_enabled
-
Whether the guild has the boost progress bar enabled.
- Type:
-
bool
- async for … in fetch_members(*, limit=1000, after=None)
-
Retrieves an
AsyncIterator
that enables receiving the guild’s members. In order to use this,
Intents.members()
must be enabled.Note
This method is an API call. For general usage, consider
members
instead.New in version 1.3.
All parameters are optional.
- Parameters:
-
-
limit (Optional[
int
]) – The number of members to retrieve. Defaults to 1000.
PassNone
to fetch all members. Note that this is potentially slow. -
after (Optional[Union[
abc.Snowflake
,datetime.datetime
]]) – Retrieve members after this date or object.
If a date is provided it must be a timezone-naive datetime representing UTC time.
-
- Raises:
-
-
ClientException – The members intent is not enabled.
-
HTTPException – Getting the members failed.
-
- Yields:
-
Member
– The member with the member data parsed.
Examples
Usage
async for member in guild.fetch_members(limit=150): print(member.name)
Flattening into a list
members = await guild.fetch_members(limit=150).flatten() # members is now a list of Member...
- async for … in audit_logs(*, limit=100, before=None, after=None, oldest_first=None, user=None, action=None)
-
Returns an
AsyncIterator
that enables receiving the guild’s audit logs.You must have the
view_audit_log
permission to use this.Examples
Getting the first 100 entries:
async for entry in guild.audit_logs(limit=100): print('{0.user} did {0.action} to {0.target}'.format(entry))
Getting entries for a specific action:
async for entry in guild.audit_logs(action=discord.AuditLogAction.ban): print('{0.user} banned {0.target}'.format(entry))
Getting entries made by a specific user:
entries = await guild.audit_logs(limit=None, user=guild.me).flatten() await channel.send('I made {} moderation actions.'.format(len(entries)))
- Parameters:
-
-
limit (Optional[
int
]) – The number of entries to retrieve. IfNone
retrieve all entries. -
before (Union[
abc.Snowflake
,datetime.datetime
]) – Retrieve entries before this date or entry.
If a date is provided it must be a timezone-naive datetime representing UTC time. -
after (Union[
abc.Snowflake
,datetime.datetime
]) – Retrieve entries after this date or entry.
If a date is provided it must be a timezone-naive datetime representing UTC time. -
oldest_first (
bool
) – If set toTrue
, return entries in oldest->newest order. Defaults toTrue
if
after
is specified, otherwiseFalse
. -
user (
abc.Snowflake
) – The moderator to filter entries from. -
action (
AuditLogAction
) – The action to filter with.
-
- Raises:
-
-
Forbidden – You are not allowed to fetch audit logs
-
HTTPException – An error occurred while fetching the audit logs.
-
- Yields:
-
AuditLogEntry
– The audit log entry.
- property application_commands
-
A list of application-commands from this application that are registered only in this guild.
- Type:
-
List[
ApplicationCommand
]
- get_application_command(id)
-
Optional[
ApplicationCommand
]: Returns an application-command from this application that are registered only in this guild with the given id
- property channels
-
A list of channels that belongs to this guild.
- Type:
-
List[
abc.GuildChannel
]
- property events
-
A list of scheduled events that belong to this guild.
- Type:
-
List[
GuildScheduledEvent
]
- property scheduled_events
-
A list of scheduled events that belong to this guild.
- Type:
-
List[
GuildScheduledEvent
]
- property cached_automod_rules
-
A list of auto moderation rules that are cached.
Note
This may be empty or incomplete if
automod_rules()
was not used before.- Type:
-
List[
AutoModRules
]
- get_event(id)
-
Returns a scheduled event with the given ID.
- Parameters:
-
id (
int
) – The ID of the event to get. - Returns:
-
The scheduled event or
None
if not found. - Return type:
-
Optional[
GuildScheduledEvent
]
- get_scheduled_event(id)
-
Returns a scheduled event with the given ID.
- Parameters:
-
id (
int
) – The ID of the event to get. - Returns:
-
The scheduled event or
None
if not found. - Return type:
-
Optional[
GuildScheduledEvent
]
- property large
-
Indicates if the guild is a ‘large’ guild.
A large guild is defined as having more than
large_threshold
count
members, which for this library is set to the maximum of 250.- Type:
-
bool
- property voice_channels
-
A list of voice channels that belongs to this guild.
This is sorted by the position and are in UI order from top to bottom.
- Type:
-
List[
VoiceChannel
]
- property stage_channels
-
A list of voice channels that belongs to this guild.
New in version 1.7.
This is sorted by the position and are in UI order from top to bottom.
- Type:
-
List[
StageChannel
]
- property me
-
Similar to
Client.user
except an instance ofMember
.
This is essentially used to get the member version of yourself.- Type:
-
Member
- property voice_client
-
Returns the
VoiceProtocol
associated with this guild, if any.- Type:
-
Optional[
VoiceProtocol
]
- property text_channels
-
A list of text channels that belongs to this guild.
This is sorted by the position and are in UI order from top to bottom.
- Type:
-
List[
TextChannel
]
- property thread_channels
-
A list of thread channels the guild has.
This is sorted by the position of the threads
parent
and are in UI order from top to bottom.- Type:
-
List[
ThreadChannel
]
- property categories
-
A list of categories that belongs to this guild.
This is sorted by the position and are in UI order from top to bottom.
- Type:
-
List[
CategoryChannel
]
- by_category()
-
Returns every
CategoryChannel
and their associated channels.These channels and categories are sorted in the official Discord UI order.
If the channels do not have a category, then the first element of the tuple is
None
.- Returns:
-
The categories and their associated channels.
- Return type:
-
List[Tuple[Optional[
CategoryChannel
], List[abc.GuildChannel
]]]
- get_channel(channel_id)
-
Returns a channel with the given ID.
- Parameters:
-
channel_id (
int
) – The ID to search for. - Returns:
-
The returned channel or
None
if not found. - Return type:
-
Optional[Union[
abc.GuildChannel
,ThreadChannel
]]
- property system_channel
-
Returns the guild’s channel used for system messages.
If no channel is set, then this returns
None
.- Type:
-
Optional[
TextChannel
]
- property system_channel_flags
-
Returns the guild’s system channel settings.
- Type:
-
SystemChannelFlags
- await welcome_screen()
-
WelcomeScreen
: fetches the welcome screen from the guild.
- property rules_channel
-
Return’s the guild’s channel used for the rules.
The guild must be a Community guild.If no channel is set, then this returns
None
.New in version 1.3.
- Type:
-
Optional[
TextChannel
]
- property public_updates_channel
-
Return’s the guild’s channel where admins and
moderators of the guilds receive notices from Discord. The guild must be a
Community guild.If no channel is set, then this returns
None
.New in version 1.4.
- Type:
-
Optional[
TextChannel
]
- property emoji_limit
-
The maximum number of emoji slots this guild has.
- Type:
-
int
- property sticker_limit
-
The maximum number of sticker slots this guild has.
- Type:
-
int
- property bitrate_limit
-
The maximum bitrate for voice channels this guild can have.
- Type:
-
float
- property filesize_limit
-
The maximum number of bytes files can have when uploaded to this guild.
- Type:
-
int
- property members
-
A list of members that belong to this guild.
- Type:
-
List[
Member
]
- get_member(user_id)
-
Returns a member with the given ID.
- Parameters:
-
user_id (
int
) – The ID to search for. - Returns:
-
The member or
None
if not found. - Return type:
-
Optional[
Member
]
- property premium_subscribers
-
A list of members who have “boosted” this guild.
- Type:
-
List[
Member
]
- property roles
-
Returns a
list
of the guild’s roles in hierarchy order.The first element of this list will be the lowest role in the
hierarchy.- Type:
-
List[
Role
]
- get_role(role_id)
-
Returns a role with the given ID.
- Parameters:
-
role_id (
int
) – The ID to search for. - Returns:
-
The role or
None
if not found. - Return type:
-
Optional[
Role
]
- property default_role
-
Gets the @everyone role that all members have by default.
- Type:
-
Role
- property premium_subscriber_role
-
Gets the premium subscriber role, AKA “boost” role, in this guild.
New in version 1.6.
- Type:
-
Optional[
Role
]
- property self_role
-
Gets the role associated with this client’s user, if any.
New in version 1.6.
- Type:
-
Optional[
Role
]
- property owner
-
The member that owns the guild.
- Type:
-
Optional[
Member
]
- property icon_url
-
Returns the guild’s icon asset.
- Type:
-
Asset
- is_icon_animated()
-
bool
: Returns True if the guild has an animated icon.
- icon_url_as(*, format=None, static_format=‘webp’, size=1024)
-
Returns an
Asset
for the guild’s icon.The format must be one of ‘webp’, ‘jpeg’, ‘jpg’, ‘png’ or ‘gif’, and
‘gif’ is only valid for animated avatars. The size must be a power of 2
between 16 and 4096.- Parameters:
-
-
format (Optional[
str
]) – The format to attempt to convert the icon to.
If the format isNone
, then it is automatically
detected into either ‘gif’ or static_format depending on the
icon being animated or not. -
static_format (Optional[
str
]) – Format to attempt to convert only non-animated icons to. -
size (
int
) – The size of the image to display.
-
- Raises:
-
InvalidArgument – Bad image format passed to
format
or invalidsize
. - Returns:
-
The resulting CDN asset.
- Return type:
-
Asset
-
Returns the guild’s banner asset.
- Type:
-
Asset
-
Returns an
Asset
for the guild’s banner.The format must be one of ‘webp’, ‘jpeg’, or ‘png’. The
size must be a power of 2 between 16 and 4096.- Parameters:
-
-
format (
str
) – The format to attempt to convert the banner to. -
size (
int
) – The size of the image to display.
-
- Raises:
-
InvalidArgument – Bad image format passed to
format
or invalidsize
. - Returns:
-
The resulting CDN asset.
- Return type:
-
Asset
- property splash_url
-
Returns the guild’s invite splash asset.
- Type:
-
Asset
- splash_url_as(*, format=‘webp’, size=2048)
-
Returns an
Asset
for the guild’s invite splash.The format must be one of ‘webp’, ‘jpeg’, ‘jpg’, or ‘png’. The
size must be a power of 2 between 16 and 4096.- Parameters:
-
-
format (
str
) – The format to attempt to convert the splash to. -
size (
int
) – The size of the image to display.
-
- Raises:
-
InvalidArgument – Bad image format passed to
format
or invalidsize
. - Returns:
-
The resulting CDN asset.
- Return type:
-
Asset
- property discovery_splash_url
-
Returns the guild’s discovery splash asset.
New in version 1.3.
- Type:
-
Asset
- discovery_splash_url_as(*, format=‘webp’, size=2048)
-
Returns an
Asset
for the guild’s discovery splash.The format must be one of ‘webp’, ‘jpeg’, ‘jpg’, or ‘png’. The
size must be a power of 2 between 16 and 4096.New in version 1.3.
- Parameters:
-
-
format (
str
) – The format to attempt to convert the splash to. -
size (
int
) – The size of the image to display.
-
- Raises:
-
InvalidArgument – Bad image format passed to
format
or invalidsize
. - Returns:
-
The resulting CDN asset.
- Return type:
-
Asset
- property member_count
-
Returns the true member count regardless of it being loaded fully or not.
Warning
Due to a Discord limitation, in order for this attribute to remain up-to-date and
accurate, it requiresIntents.members
to be specified.- Type:
-
int
- property chunked
-
Returns a boolean indicating if the guild is “chunked”.
A chunked guild means that
member_count
is equal to the
number of members stored in the internalmembers
cache.If this value returns
False
, then you should request for
offline members.- Type:
-
bool
- property shard_id
-
Returns the shard ID for this guild if applicable.
- Type:
-
int
- property created_at
-
Returns the guild’s creation time in UTC.
- Type:
-
datetime.datetime
- get_member_named(name)
-
Returns the first member found that matches the name provided.
The name can have an optional discriminator argument, e.g. “Jake#0001”
or “Jake” will both do the lookup. However the former will give a more
precise result. Note that the discriminator must have all 4 digits
for this to work.If a nickname is passed, then it is looked up via the nickname. Note
however, that a nickname + discriminator combo will not lookup the nickname
but rather the username + discriminator combo due to nickname + discriminator
not being unique.If no member is found,
None
is returned.- Parameters:
-
name (
str
) – The name of the member to lookup with an optional discriminator. - Returns:
-
The member in this guild with the associated name. If not found
thenNone
is returned. - Return type:
-
Optional[
Member
]
- await create_text_channel(name, *, overwrites=None, category=None, reason=None, **options)
-
This function is a coroutine.
Creates a
TextChannel
for the guild.Note that you need the
manage_channels
permission
to create the channel.The
overwrites
parameter can be used to create a ‘secret’
channel upon creation. This parameter expects adict
of
overwrites with the target (either aMember
or aRole
)
as the key and aPermissionOverwrite
as the value.Note
Creating a channel of a specified position will not update the position of
other channels to follow suit. A follow-up call toedit()
will be required to update the position of the channel in the channel list.Examples
Creating a basic channel:
channel = await guild.create_text_channel('cool-channel')
Creating a “secret” channel:
overwrites = { guild.default_role: discord.PermissionOverwrite(read_messages=False), guild.me: discord.PermissionOverwrite(read_messages=True) } channel = await guild.create_text_channel('secret', overwrites=overwrites)
- Parameters:
-
-
name (
str
) – The channel’s name. -
overwrites – A
dict
of target (either a role or a member) to
PermissionOverwrite
to apply upon creation of a channel.
Useful for creating secret channels. -
category (Optional[
CategoryChannel
]) – The category to place the newly created channel under.
The permissions will be automatically synced to category if no
overwrites are provided. -
position (
int
) – The position in the channel list. This is a number that starts
at 0. e.g. the top channel is position 0. -
topic (Optional[
str
]) – The new channel’s topic. -
slowmode_delay (
int
) – Specifies the slowmode rate limit for user in this channel, in seconds.
The maximum value possible is 21600. -
default_thread_slowmode_delay (
int
) – The initialslowmode_delay
to set on newly created threads in the channel.
This field is copied to the thread at creation time and does not live update. -
nsfw (
bool
) – To mark the channel as NSFW or not. -
reason (Optional[
str
]) – The reason for creating this channel. Shows up on the audit log.
-
- Raises:
-
-
Forbidden – You do not have the proper permissions to create this channel.
-
HTTPException – Creating the channel failed.
-
InvalidArgument – The permission overwrite information is not in proper form.
-
- Returns:
-
The channel that was just created.
- Return type:
-
TextChannel
- await create_voice_channel(name, *, overwrites=None, category=None, reason=None, **options)
-
This function is a coroutine.
This is similar to
create_text_channel()
except makes aVoiceChannel
instead, in addition
to having the following new parameters.- Parameters:
-
-
bitrate (
int
) – The channel’s preferred audio bitrate in bits per second. -
user_limit (
int
) – The channel’s limit for number of members that can be in a voice channel. -
rtc_region (Optional[
VoiceRegion
]) –The region for the voice channel’s voice communication.
A value ofNone
indicates automatic voice region detection.New in version 1.7.
-
- Raises:
-
-
Forbidden – You do not have the proper permissions to create this channel.
-
HTTPException – Creating the channel failed.
-
InvalidArgument – The permission overwrite information is not in proper form.
-
- Returns:
-
The channel that was just created.
- Return type:
-
VoiceChannel
- await create_stage_channel(name, *, topic=None, category=None, overwrites=None, reason=None, position=None)
-
This function is a coroutine.
This is similar to
create_text_channel()
except makes aStageChannel
instead, in addition
to having the following new parameters.- Parameters:
-
-
topic (Optional[
str
]) – The topic of the Stage instance (1-120 characters) -
note:: (..) – The
slowmode_delay
andnsfw
parameters are not supported in this function. -
versionadded: (..) – 1.7:
-
- Raises:
-
-
Forbidden – You do not have the proper permissions to create this channel.
-
HTTPException – Creating the channel failed.
-
InvalidArgument – The permission overwrite information is not in proper form.
-
- Returns:
-
The channel that was just created.
- Return type:
-
StageChannel
- await create_forum_channel(name, *, topic=None, slowmode_delay=None, default_post_slowmode_delay=None, default_auto_archive_duration=None, overwrites=None, nsfw=None, category=None, position=None, reason=None)
-
This function is a coroutine.
Same as
create_text_channel()
excepts that it creates a forum channel instead- Parameters:
-
-
name (
str
) – The name of the channel -
overwrites – A
dict
of target (either a role or a member) to
PermissionOverwrite
to apply upon creation of a channel.
Useful for creating secret channels. -
category (Optional[
CategoryChannel
]) – The category to place the newly created channel under.
The permissions will be automatically synced to category if no
overwrites are provided. -
position (
int
) – The position in the channel list. This is a number that starts
at 0. e.g. the top channel is position 0. -
topic (Optional[
str
]) – The new channel’s topic. -
slowmode_delay (
int
) – Specifies the slowmode rate limit for user in this channel, in seconds.
The maximum value possible is 21600. -
default_post_slowmode_delay (
int
) – The initialslowmode_delay
to set on newly created threads in the channel.
This field is copied to the thread at creation time and does not live update. -
default_auto_archive_duration (
AutoArchiveDuration
) – The default duration that the clients use (not the API) for newly created threads in the channel,
in minutes, to automatically archive the thread after recent activity -
nsfw (
bool
) – To mark the channel as NSFW or not. -
reason (Optional[
str
]) – The reason for creating this channel. Shows up on the audit log.
-
- Raises:
-
-
Forbidden – You do not have the proper permissions to create this channel.
-
HTTPException – Creating the channel failed.
-
InvalidArgument – The permission overwrite information is not in proper form,
or thedefault_auto_archive_duration
is not a valid member ofAutoArchiveDuration
-
- Returns:
-
The channel that was just created
- Return type:
-
ForumChannel
- await create_category(name, *, overwrites=None, reason=None, position=None)
-
This function is a coroutine.
Same as
create_text_channel()
except makes aCategoryChannel
instead.Note
The
category
parameter is not supported in this function since categories
cannot have categories.- Raises:
-
-
Forbidden – You do not have the proper permissions to create this channel.
-
HTTPException – Creating the channel failed.
-
InvalidArgument – The permission overwrite information is not in proper form.
-
- Returns:
-
The channel that was just created.
- Return type:
-
CategoryChannel
- await create_category_channel(name, *, overwrites=None, reason=None, position=None)
-
This function is a coroutine.
Same as
create_text_channel()
except makes aCategoryChannel
instead.Note
The
category
parameter is not supported in this function since categories
cannot have categories.- Raises:
-
-
Forbidden – You do not have the proper permissions to create this channel.
-
HTTPException – Creating the channel failed.
-
InvalidArgument – The permission overwrite information is not in proper form.
-
- Returns:
-
The channel that was just created.
- Return type:
-
CategoryChannel
- await leave()
-
This function is a coroutine.
Leaves the guild.
Note
You cannot leave the guild that you own, you must delete it instead
viadelete()
.- Raises:
-
HTTPException – Leaving the guild failed.
- await delete()
-
This function is a coroutine.
Deletes the guild. You must be the guild owner to delete the
guild.- Raises:
-
-
HTTPException – Deleting the guild failed.
-
Forbidden – You do not have permissions to delete the guild.
-
- await edit(*, reason=None, **fields)
-
This function is a coroutine.
Edits the guild.
You must have the
manage_guild
permission
to edit the guild.Changed in version 1.4: The rules_channel and public_updates_channel keyword-only parameters were added.
- Parameters:
-
-
name (
str
) – The new name of the guild. -
description (
str
) – The new description of the guild. This is only available to guilds that
containPUBLIC
inGuild.features
. -
icon (
bytes
) – A bytes-like object representing the icon. Only PNG/JPEG is supported.
GIF is only available to guilds that containANIMATED_ICON
inGuild.features
.
Could beNone
to denote removal of the icon. -
banner (
bytes
) – A bytes-like object representing the banner.
Could beNone
to denote removal of the banner. -
splash (
bytes
) – A bytes-like object representing the invite splash.
Only PNG/JPEG supported. Could beNone
to denote removing the
splash. This is only available to guilds that containINVITE_SPLASH
inGuild.features
. -
region (
VoiceRegion
) – The new region for the guild’s voice communication. -
afk_channel (Optional[
VoiceChannel
]) – The new channel that is the AFK channel. Could beNone
for no AFK channel. -
afk_timeout (
int
) – The number of seconds until someone is moved to the AFK channel. -
owner (
Member
) – The new owner of the guild to transfer ownership to. Note that you must
be owner of the guild to do this. -
verification_level (
VerificationLevel
) – The new verification level for the guild. -
default_notifications (
NotificationLevel
) – The new default notification level for the guild. -
explicit_content_filter (
ContentFilter
) – The new explicit content filter for the guild. -
vanity_code (
str
) – The new vanity code for the guild. -
system_channel (Optional[
TextChannel
]) – The new channel that is used for the system channel. Could beNone
for no system channel. -
system_channel_flags (
SystemChannelFlags
) – The new system channel settings to use with the new system channel. -
preferred_locale (
str
) – The new preferred locale for the guild. Used as the primary language in the guild.
If set, this must be an ISO 639 code, e.g.en-US
orja
orzh-CN
. -
rules_channel (Optional[
TextChannel
]) – The new channel that is used for rules. This is only available to
guilds that containPUBLIC
inGuild.features
. Could beNone
for no rules
channel. -
public_updates_channel (Optional[
TextChannel
]) – The new channel that is used for public updates from Discord. This is only available to
guilds that containPUBLIC
inGuild.features
. Could beNone
for no
public updates channel. -
reason (Optional[
str
]) – The reason for editing this guild. Shows up on the audit log.
-
- Raises:
-
-
Forbidden – You do not have permissions to edit the guild.
-
HTTPException – Editing the guild failed.
-
InvalidArgument – The image format passed in to
icon
is invalid. It must be
PNG or JPG. This is also raised if you are not the owner of the
guild and request an ownership transfer.
-
- await fetch_channels()
-
This function is a coroutine.
Retrieves all
abc.GuildChannel
that the guild has.Note
This method is an API call. For general usage, consider
channels
instead.New in version 1.2.
- Raises:
-
-
InvalidData – An unknown channel type was received from Discord.
-
HTTPException – Retrieving the channels failed.
-
- Returns:
-
All channels in the guild.
- Return type:
-
List[
abc.GuildChannel
]
- await fetch_member(member_id)
-
This function is a coroutine.
Retrieves a
Member
from a guild ID, and a member ID.Note
This method is an API call. If you have
Intents.members
and member cache enabled, considerget_member()
instead.- Parameters:
-
member_id (
int
) – The member’s ID to fetch from. - Raises:
-
-
Forbidden – You do not have access to the guild.
-
HTTPException – Fetching the member failed.
-
- Returns:
-
The member from the member ID.
- Return type:
-
Member
- await fetch_ban(user)
-
This function is a coroutine.
Retrieves the
BanEntry
for a user.You must have the
ban_members
permission
to get this information.- Parameters:
-
user (
abc.Snowflake
) – The user to get ban information from. - Raises:
-
-
Forbidden – You do not have proper permissions to get the information.
-
NotFound – This user is not banned.
-
HTTPException – An error occurred while fetching the information.
-
- Returns:
-
The
BanEntry
object for the specified user. - Return type:
-
BanEntry
- bans(limit=None, before=None, after=None)
-
Retrieves an
AsyncIterator
that enables receiving the guild’s bans.You must have the
ban_members
permission
to get this information.Note
This method is an API call. Use it careful.
All parameters are optional.
- Parameters:
-
-
limit (Optional[
int
]) – The number of bans to retrieve. Defaults to all.
Note that this is potentially slow. -
before (Optional[Union[
abc.Snowflake
,datetime.datetime
]]) – Retrieve members before this date or object.
If a date is provided it must be a timezone-naive datetime representing UTC time. -
after (Optional[Union[
abc.Snowflake
,datetime.datetime
]]) – Retrieve members after this date or object.
If a date is provided it must be a timezone-naive datetime representing UTC time.
-
- Raises:
-
-
Forbidden – You do not have proper permissions to get the information.
-
HTTPException – Getting the bans failed.
-
- Yields:
-
BanEntry
– The ban entry containing the user and an optional reason.
Examples
Usage
async for ban_entry in guild.bans(limit=150): print(ban_entry.user)
Flattening into a list
ban_entries = await guild.bans(limit=150).flatten() # ban_entries is now a list of BanEntry...
- await prune_members(*, days, compute_prune_count=True, roles=None, reason=None)
-
This function is a coroutine.
Prunes the guild from its inactive members.
The inactive members are denoted if they have not logged on in
days
number of days, and they have no roles.You must have the
kick_members
permission
to use this.To check how many members you would prune without actually pruning,
see theestimate_pruned_members()
function.To prune members that have specific roles see the
roles
parameter.Changed in version 1.4: The
roles
keyword-only parameter was added.- Parameters:
-
-
days (
int
) – The number of days before counting as inactive. -
reason (Optional[
str
]) – The reason for doing this action. Shows up on the audit log. -
compute_prune_count (
bool
) – Whether to compute the prune count. This defaults toTrue
which makes it prone to timeouts in very large guilds. In order
to prevent timeouts, you must set this toFalse
. If this is
set toFalse
, then this function will always returnNone
. -
roles (Optional[List[
abc.Snowflake
]]) – A list ofabc.Snowflake
that represent roles to include in the pruning process. If a member
has a role that is not specified, they’ll be excluded.
-
- Raises:
-
-
Forbidden – You do not have permissions to prune members.
-
HTTPException – An error occurred while pruning members.
-
InvalidArgument – An integer was not passed for
days
.
-
- Returns:
-
The number of members pruned. If
compute_prune_count
isFalse
then this returnsNone
. - Return type:
-
Optional[
int
]
- await templates()
-
This function is a coroutine.
Gets the list of templates from this guild.
Requires
manage_guild
permissions.New in version 1.7.
- Raises:
-
Forbidden – You don’t have permissions to get the templates.
- Returns:
-
The templates for this guild.
- Return type:
-
List[
Template
]
- await webhooks()
-
This function is a coroutine.
Gets the list of webhooks from this guild.
Requires
manage_webhooks
permissions.- Raises:
-
Forbidden – You don’t have permissions to get the webhooks.
- Returns:
-
The webhooks for this guild.
- Return type:
-
List[
Webhook
]
- await estimate_pruned_members(*, days, roles=None)
-
This function is a coroutine.
Similar to
prune_members()
except instead of actually
pruning members, it returns how many members it would prune
from the guild had it been called.- Parameters:
-
-
days (
int
) – The number of days before counting as inactive. -
roles (Optional[List[
abc.Snowflake
]]) –A list of
abc.Snowflake
that represent roles to include in the estimate. If a member
has a role that is not specified, they’ll be excluded.New in version 1.7.
-
- Raises:
-
-
Forbidden – You do not have permissions to prune members.
-
HTTPException – An error occurred while fetching the prune members estimate.
-
InvalidArgument – An integer was not passed for
days
.
-
- Returns:
-
The number of members estimated to be pruned.
- Return type:
-
int
- await invites()
-
This function is a coroutine.
Returns a list of all active instant invites from the guild.
You must have the
manage_guild
permission to get
this information.- Raises:
-
-
Forbidden – You do not have proper permissions to get the information.
-
HTTPException – An error occurred while fetching the information.
-
- Returns:
-
The list of invites that are currently active.
- Return type:
-
List[
Invite
]
- await create_template(*, name, description=None)
-
This function is a coroutine.
Creates a template for the guild.
You must have the
manage_guild
permission to
do this.New in version 1.7.
- Parameters:
-
-
name (
str
) – The name of the template. -
description (Optional[
str
]) – The description of the template.
-
- await create_integration(*, type, id)
-
This function is a coroutine.
Attaches an integration to the guild.
You must have the
manage_guild
permission to
do this.New in version 1.4.
- Parameters:
-
-
type (
str
) – The integration type (e.g. Twitch). -
id (
int
) – The integration ID.
-
- Raises:
-
-
Forbidden – You do not have permission to create the integration.
-
HTTPException – The account could not be found.
-
- await integrations()
-
This function is a coroutine.
Returns a list of all integrations attached to the guild.
You must have themanage_guild
permission to
do this.
.. versionadded:: 1.4
:raises Forbidden: You do not have permission to create the integration.
:raises HTTPException: Fetching the integrations failed.- Returns:
-
The list of integrations that are attached to the guild.
- Return type:
-
List[
Integration
]
- await fetch_emojis()
-
This function is a coroutine.
Retrieves all custom
Emoji
s from the guild.Note
This method is an API call. For general usage, consider
emojis
instead.- Raises:
-
HTTPException – An error occurred fetching the emojis.
- Returns:
-
The retrieved emojis.
- Return type:
-
List[
Emoji
]
- await fetch_emoji(emoji_id)
-
This function is a coroutine.
Retrieves a custom
Emoji
from the guild.Note
This method is an API call.
For general usage, consider iterating overemojis
instead.- Parameters:
-
emoji_id (
int
) – The emoji’s ID. - Raises:
-
-
NotFound – The emoji requested could not be found.
-
HTTPException – An error occurred fetching the emoji.
-
- Returns:
-
The retrieved emoji.
- Return type:
-
Emoji
- await create_custom_emoji(*, name, image, roles=None, reason=None)
-
This function is a coroutine.
Creates a custom
Emoji
for the guild.There is currently a limit of 50 static and animated emojis respectively per guild,
unless the guild has theMORE_EMOJI
feature which extends the limit to 200.You must have the
manage_emojis
permission to
do this.- Parameters:
-
-
name (
str
) – The emoji name. Must be at least 2 characters. -
image (
bytes
) – The bytes-like object representing the image data to use.
Only JPG, PNG and GIF images are supported. -
roles (Optional[List[
Role
]]) – Alist
ofRole
s that can use this emoji. Leave empty to make it available to everyone. -
reason (Optional[
str
]) – The reason for creating this emoji. Shows up on the audit log.
-
- Raises:
-
-
Forbidden – You are not allowed to create emojis.
-
HTTPException – An error occurred creating an emoji.
-
- Returns:
-
The created emoji.
- Return type:
-
Emoji
- await fetch_roles()
-
This function is a coroutine.
Retrieves all
Role
that the guild has.Note
This method is an API call. For general usage, consider
roles
instead.New in version 1.3.
- Raises:
-
HTTPException – Retrieving the roles failed.
- Returns:
-
All roles in the guild.
- Return type:
-
List[
Role
]
- await create_role(*, reason=None, **fields)
-
This function is a coroutine.
Creates a
Role
for the guild.All fields are optional.
You must have the
manage_roles
permission to
do this.Changed in version 1.6: Can now pass
int
tocolour
keyword-only parameter.- Parameters:
-
-
name (
str
) – The role name. Defaults to ‘new role’. -
permissions (
Permissions
) – The permissions to have. Defaults to no permissions. -
colour (Union[
Colour
,int
]) – The colour for the role. Defaults toColour.default()
.
This is aliased tocolor
as well. -
hoist (
bool
) – Indicates if the role should be shown separately in the member list.
Defaults toFalse
. -
mentionable (
bool
) – Indicates if the role should be mentionable by others.
Defaults toFalse
. -
reason (Optional[
str
]) – The reason for creating this role. Shows up on the audit log.
-
- Raises:
-
-
Forbidden – You do not have permissions to create the role.
-
HTTPException – Creating the role failed.
-
InvalidArgument – An invalid keyword argument was given.
-
- Returns:
-
The newly created role.
- Return type:
-
Role
- await edit_role_positions(positions, *, reason=None)
-
This function is a coroutine.
Bulk edits a list of
Role
in the guild.You must have the
manage_roles
permission to
do this.New in version 1.4.
Example:
positions = { bots_role: 1, # penultimate role tester_role: 2, admin_role: 6 } await guild.edit_role_positions(positions=positions)
- Parameters:
-
-
positions – A
dict
ofRole
toint
to change the positions
of each given role. -
reason (Optional[
str
]) – The reason for editing the role positions. Shows up on the audit log.
-
- Raises:
-
-
Forbidden – You do not have permissions to move the roles.
-
HTTPException – Moving the roles failed.
-
InvalidArgument – An invalid keyword argument was given.
-
- Returns:
-
A list of all the roles in the guild.
- Return type:
-
List[
Role
]
- await kick(user, *, reason=None)
-
This function is a coroutine.
Kicks a user from the guild.
The user must meet the
abc.Snowflake
abc.You must have the
kick_members
permission to
do this.- Parameters:
-
-
user (
abc.Snowflake
) – The user to kick from their guild. -
reason (Optional[
str
]) – The reason the user got kicked.
-
- Raises:
-
-
Forbidden – You do not have the proper permissions to kick.
-
HTTPException – Kicking failed.
-
- await ban(user, *, reason=None, delete_message_days=None, delete_message_seconds=0)
-
This function is a coroutine.
Bans a user from the guild.
The user must meet the
abc.Snowflake
abc.You must have the
ban_members
permission to
do this.- Parameters:
-
-
user (
abc.Snowflake
) – The user to ban from their guild. -
delete_message_days (
int
) –The number of days worth of messages to delete from the user
in the guild. The minimum is 0 and the maximum is 7.Deprecated since version 2.0.
-
delete_message_seconds (
int
) – The number of days worth of messages to delete from the user
in the guild. The minimum is 0 and the maximum is 604800 (7 days). -
reason (Optional[
str
]) – The reason the user got banned.
-
- Raises:
-
-
Forbidden – You do not have the proper permissions to ban.
-
HTTPException – Banning failed.
-
- await unban(user, *, reason=None)
-
This function is a coroutine.
Unbans a user from the guild.
The user must meet the
abc.Snowflake
abc.You must have the
ban_members
permission to
do this.- Parameters:
-
-
user (
abc.Snowflake
) – The user to unban. -
reason (Optional[
str
]) – The reason for doing this action. Shows up on the audit log.
-
- Raises:
-
-
Forbidden – You do not have the proper permissions to unban.
-
HTTPException – Unbanning failed.
-
- await vanity_invite()
-
This function is a coroutine.
Returns the guild’s special vanity invite.
The guild must have
VANITY_URL
infeatures
.You must have the
manage_guild
permission to use
this as well.- Raises:
-
-
Forbidden – You do not have the proper permissions to get this.
-
HTTPException – Retrieving the vanity invite failed.
-
- Returns:
-
The special vanity invite.
- Return type:
-
Invite
- await widget()
-
This function is a coroutine.
Returns the widget of the guild.
Note
The guild must have the widget enabled to get this information.
- Raises:
-
-
Forbidden – The widget for this guild is disabled.
-
HTTPException – Retrieving the widget failed.
-
- Returns:
-
The guild’s widget.
- Return type:
-
Widget
- await chunk(*, cache=True)
-
This function is a coroutine.
Requests all members that belong to this guild. In order to use this,
Intents.members()
must be enabled.This is a websocket operation and can be slow.
New in version 1.5.
- Parameters:
-
cache (
bool
) – Whether to cache the members as well. - Raises:
-
ClientException – The members intent is not enabled.
- await query_members(query=None, *, limit=5, user_ids=None, presences=False, cache=True)
-
This function is a coroutine.
Request members that belong to this guild whose username starts with
the query given.This is a websocket operation and can be slow.
New in version 1.3.
- Parameters:
-
-
query (Optional[
str
]) – The string that the username’s start with. -
limit (
int
) – The maximum number of members to send back. This must be
a number between 5 and 100. -
presences (
bool
) –Whether to request for presences to be provided. This defaults
toFalse
.New in version 1.6.
-
cache (
bool
) – Whether to cache the members internally. This makes operations
such asget_member()
work for those that matched. -
user_ids (Optional[List[
int
]]) –List of user IDs to search for. If the user ID is not in the guild then it won’t be returned.
New in version 1.4.
-
- Raises:
-
-
asyncio.TimeoutError – The query timed out waiting for the members.
-
ValueError – Invalid parameters were passed to the function
-
ClientException – The presences intent is not enabled.
-
- Returns:
-
The list of members that have matched the query.
- Return type:
-
List[
Member
]
- await change_voice_state(*, channel, self_mute=False, self_deaf=False)
-
This function is a coroutine.
Changes client’s voice state in the guild.
New in version 1.4.
- Parameters:
-
-
channel (Optional[
VoiceChannel
]) – Channel the client wants to join. UseNone
to disconnect. -
self_mute (
bool
) – Indicates if the client should be self-muted. -
self_deaf (
bool
) – Indicates if the client should be self-deafened.
-
- await create_sticker(name, file, tags, description=None, *, reason=None)
-
This function is a coroutine.
Create a new sticker for the guild.
Requires the
MANAGE_EMOJIS_AND_STICKERS
permission.- Parameters:
-
-
name (
str
) – The name of the sticker (2-30 characters). -
tags (Union[
str
, List[str
]]) – Autocomplete/suggestion tags for the sticker separated by,
or in a list. (max 200 characters). -
description (Optional[
str
]) – The description of the sticker (None or 2-100 characters). -
file (Union[
UploadFile
,str
]) – The sticker file to upload or the path to it, must be a PNG, APNG, GIF or Lottie JSON file, max 500 KB -
reason (Optional[
str
]) – The reason for creating the sticker., shows up in the audit-log.
-
- Raises:
-
-
discord.Forbidden: – You don’t have the permissions to upload stickers in this guild.
-
discord.HTTPException: – Creating the sticker failed.
-
ValueError – Any of name, description or tags is too short/long.
-
- Returns:
-
The new GuildSticker created on success.
- Return type:
-
GuildSticker
- await fetch_events(with_user_count=True)
-
This function is a coroutine.
Retrieves a
list
of scheduled events the guild has.Note
This method is an API call.
For general usage, consider iterating overevents
instead.- Parameters:
-
with_user_count (
bool
) – Whether to include the number of interested users the event has, defaultTrue
. - Returns:
-
A list of scheduled events the guild has.
- Return type:
-
Optional[List[
GuildScheduledEvent
]]
- await fetch_event(id, with_user_count=True)
-
This function is a coroutine.
Fetches the
GuildScheduledEvent
with the given id.- Parameters:
-
-
id (
int
) – The id of the event to fetch. -
with_user_count (
bool
) – Whether to include the number of interested users the event has, defaultTrue
.
-
- Returns:
-
The event on success.
- Return type:
-
Optional[
GuildScheduledEvent
]
- await create_scheduled_event(name, entity_type, start_time, end_time=None, channel=None, description=None, location=None, cover_image=None, *, reason=None)
-
This function is a coroutine.
Schedules a new Event in this guild. Requires
MANAGE_EVENTS
at least in thechannel
or in the entire guild iftype
isexternal
.- Parameters:
-
-
name (
str
) – The name of the scheduled event. 1-100 characters long. -
entity_type (
EventEntityType
) –The entity_type of the scheduled event.
Important
end_time
andlocation
must be provided if entity_type isexternal
, otherwisechannel
-
start_time (
datetime.datetime
) – The time when the event will start. Must be a valid date in the future. -
end_time (Optional[
datetime.datetime
]) –The time when the event will end. Must be a valid date in the future.
Important
If
entity_type
isexternal
this must be provided. -
channel (Optional[Union[
StageChannel
,VoiceChannel
]]) – The channel in which the event takes place.
Must be provided ifentity_type
isstage
orvoice
. -
description (Optional[
str
]) – The description of the scheduled event. 1-1000 characters long. -
location (Optional[
str
]) –The location where the event will take place. 1-100 characters long.
Important
This must be provided if
entity_type
isexternal
-
cover_image (Optional[
bytes
]) – The cover image of the scheduled event. -
reason (Optional[
str
]) – The reason for scheduling the event, shows up in the audit-log.
-
- Returns:
-
The scheduled event on success.
- Return type:
-
GuildScheduledEvent
- Raises:
-
-
TypeError: – Any parameter is of wrong type.
-
errors.InvalidArgument: – entity_type is
stage
orvoice
butchannel
is not provided
orexternal
but nolocation
and/orend_time
provided. -
ValueError: – The value of any parameter is invalid. (e.g. to long/short)
-
errors.Forbidden: – You don’t have permissions to schedule the event.
-
discord.HTTPException: – Scheduling the event failed.
-
- await automod_rules()
-
This function is a coroutine.
Fetches the Auto Moderation rules for this guild
Warning
This is an API-call, use it carefully.
- Returns:
-
A list of AutoMod rules the guild has
- Return type:
-
List[
AutoModRule
]
- await create_automod_rule(name, event_type, trigger_type, trigger_metadata, actions, enabled=True, exempt_roles=[], exempt_channels=[], *, reason=None)
-
This function is a coroutine.
Creates a new AutoMod rule for this guild
- Parameters:
-
-
name (
str
) – The name, the rule should have. Only valid if it’s not a preset rule. -
event_type (
AutoModEventType
) – Indicates in what event context a rule should be checked. -
trigger_type (
AutoModTriggerType
) – Characterizes the type of content which can trigger the rule. -
trigger_metadata (
AutoModTriggerMetadata
) – Additional data used to determine whether a rule should be triggered.
Different fields are relevant based on the value oftrigger_type
. -
actions (List[
AutoModAction
]) – The actions which will execute when the rule is triggered. -
enabled (
bool
) – Whether the rule is enabled, defaultTrue
. -
exempt_roles (List[
Snowflake
]) – Up to 20Role
’s, that should not be affected by the rule. -
exempt_channels (List[
Snowflake
]) – Up to 50TextChannel
/VoiceChannel
’s, that should not be affected by the rule. -
reason (Optional[
str
]) – The reason for creating the rule. Shows up in the audit log.
-
- Raises:
-
-
discord.Forbidden – The bot is missing permissions to create AutoMod rules
-
HTTPException – Creating the rule failed
-
- Returns:
-
The AutoMod rule created
- Return type:
-
AutoModRule
- class discord.BanEntry
-
A namedtuple which represents a ban returned from
bans()
.- reason
-
The reason this user was banned.
- Type:
-
Optional[
str
]
- user
-
The
User
that was banned.- Type:
-
User
GuildScheduledEvent
Methods
-
asyncdelete -
asyncedit -
deficon_url_as -
asyncusers
- class discord.GuildScheduledEvent
-
Represents a scheduled event in a guild
Warning
Do not initialize this class manually. Use
fetch_event()
/fetch_events()
or to create onecreate_scheduled_event()
instead.- id
-
The id of the event
- Type:
-
int
- name
-
The name of the event
- Type:
-
str
- description
-
The description of the event
- Type:
-
str
- start_time
-
When the event will start
- Type:
-
datetime.datetime
- end_time
-
Optional, when the event will end
- Type:
-
Optional[
datetime.datetime
]
- creator
-
The creator of the event
- Type:
-
User
- status
-
The status of the event
- Type:
-
EventStatus
- entity_type
-
The type of the scheduled event
- Type:
-
EventEntityType
- async for … in await users(limit=100, before=None, after=None, with_member=False)
-
Returns an
AsyncIterator
that enables receiving the interest users of the event.All parameters are optional.
- Parameters:
-
-
limit (Optional[
int
]) – The number of users to retrieve.
IfNone
, retrieves every user of the event.
Note, however, that this would make it a slow operation. -
before (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve users before this user.
If a date is provided it must be a timezone-naive datetime representing UTC time. -
after (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve users after this user.
If a date is provided it must be a timezone-naive datetime representing UTC time. -
with_member (Optional[
bool
]) – If set toTrue
, return theMember
instead of theUser
if it is part of the guild the event is in.
-
Examples
# Usage counter = 0 async for user in event.users(limit=200): if user.id > 264905529753600000: # all accounts created before 2018 counter += 1 # Flattening into a list users = await event.users(limit=123).flatten() # users is now a list of Member/User...
- Raises:
-
-
Forbidden – You do not have permissions to get the event users.
-
HTTPException – The request to get event users failed.
-
- Yields:
-
Union[
Member
,User
] – The user or member.
- property location
-
The location of the event if
entity_type
isexternal
.
- property channel
-
Optional[Union[
StageChannel
,VoiceChannel
]]:
The channel the event is scheduled in ifentity_type
isstage
orvoice
.
- property icon_url
-
Returns the event image asset.
- Type:
-
Asset
- icon_url_as(*, format=‘webp’, size=1024)
-
Returns an
Asset
for the event image.The format must be one of ‘webp’, ‘jpeg’, or ‘png’. The
size must be a power of 2 between 16 and 4096.- Parameters:
-
-
format (
str
) – The format to attempt to convert the icon to. -
size (
int
) – The size of the image to display.
-
- Raises:
-
InvalidArgument – Bad image format passed to
format
or invalidsize
. - Returns:
-
The resulting CDN asset.
- Return type:
-
Asset
- await edit(reason=None, **fields)
-
This function is a coroutine.
Modify the event. Requires
MANAGE_EVENTS
permissions.- Parameters:
-
-
name (
str
) – The new name of the event -
description (
str
) – The new description of the event -
start_time (
datetime.datetime
) – The new start time of the event -
end_time (Optional[
datetime.datetime
]) – The new end time of the event -
status (
EventStatus
) – The new status of the event. -
entity_type (
EventEntityType
) – The new type of the scheduled event -
location (
str
) – The new location of the event. Ifentity_type
isexternal
-
channel (Optional[Union[
StageChannel, :class:`VoiceChannel
]]) – The new channel the event is scheduled in ifentity_type
isEventEntityType.stage
orEventEntityType.voice
. -
reason (Optional[
str
]) – The reason for editing the event, shows up in the audit-log.
-
- Returns:
-
The updatet event.
- Return type:
-
GuildScheduledEvent
- await delete(*, reason=None)
-
Deletes the event. Requires
MANAGE_EVENTS
permissions.- Parameters:
-
reason (Optional[
str
]) – The reason for deleting the event, shows up in the audit-log. - Return type:
-
None
AutoModRule
- class discord.AutoModRule
-
Represents a rule for auto moderation
Warning
Do not initialize this class directly. Use
create_automod_rule()
instead.- id
-
The id of this rule
- Type:
-
int
- guild
-
The guild this rule belongs to
- Type:
-
Guild
- name
-
The name of the rule
- Type:
-
str
- creator_id
-
The id of the user wich created this rule
- Type:
-
int
- event_type
-
The event wich will trigger this rule
- Type:
-
AutoModEventType
- trigger_type
-
The type of content which will trigger the rule
- Type:
-
AutoModEventType
- trigger_metadata
-
Additional data used to determine whether a rule should be triggered.
Different fields are relevant based on the value oftrigger_type
.- Type:
-
AutoModTriggerMetadata
- actions
-
The actions which will execute when the rule is triggered
- Type:
-
List[
AutoModAction
]
- enabled
-
Whether the rule is enabled
- Type:
-
bool
- property exempt_roles
-
Yields the roles that should not be affected by the rule (Maximum of 20)
Note
This is equal to
for role_id in self._exempt_roles: role = self.guild.get_role(int(role_id)) yield role or Object(int(role_id))
- Yields:
-
Union[
Role
,Object
] – An excluded role or an object with the id if the role is not found
- property exempt_channels
-
Yields the channels that should not be affected by the rule (Maximum of 20)
Note
This is equal to
for channel_id in self._exempt_channels: channel = self.guild.get_role(int(channel_id)) yield channel or Object(channel_id, _type=GuildChannel, state=self._state)
- Yields:
-
Union[
Role
,Object
] – An excluded channel or anobject
with the id if the channel is not found
- property creator
-
Returns the creator of the rule
Note
The
Intents.members
must be enabled, otherwise this may return « None«- Raises:
-
ClientException: – If the member is not found and
members
intent is not enabled. - Returns:
-
The member, that created the rule.
- Return type:
-
Optional[Member]
- property created_at
-
When the rule was created in UTC
- Type:
-
datetime.datetime
- await delete(*, reason)
-
This function is a coroutine.
Deletes the automod rule, this requires the
manage_server
permission.- Parameters:
-
reason (Optional[
str
]) – The reason for deleting this rule. Shows up in the audit log. - Raises:
-
-
discord.Forbidden – The bot is missing permissions to delete the rule
-
HTTPException – Deleting the rule failed
-
- await edit(*, name=MISSING, event_type=MISSING, trigger_type=MISSING, trigger_metadata=MISSING, actions=MISSING, enabled=MISSING, exempt_roles=MISSING, exempt_channels=MISSING, reason=None)
-
This function is a coroutine.
Edits the automod rule, this requires the
manage_server
permission.You only need to provide the parameters you want to edit the.
- Parameters:
-
-
name (
str
) – The name, the rule should have. Only valid if it’s not a preset rule. -
event_type (
AutoModEventType
) – Indicates in what event context a rule should be checked. -
trigger_type (
AutoModTriggerType
) – Characterizes the type of content which can trigger the rule -
trigger_metadata (
AutoModTriggerMetadata
) – Additional data used to determine whether a rule should be triggered.
Different fields are relevant based on the value oftrigger_type
. -
actions (List[
AutoModAction
]) – The actions which will execute when the rule is triggered. -
enabled (
bool
) – Whether the rule is enabled. -
exempt_roles (List[
Snowflake
]) – Up to 20Role
’s, that should not be affected by the rule. -
exempt_channels (List[
Snowflake
]) – Up to 50TextChannel
/VoiceChannel
’s, that should not be affected by the rule. -
reason (Optional[
str
]) – The reason for editing the rule. Shows up in the audit log.
-
- Raises:
-
-
discord.Forbidden – The bot is missing permissions to edit the rule
-
HTTPException – Editing the rule failed
-
- Returns:
-
The updated rule on success.
- Return type:
-
AutoModRule
AutoModActionPayload
Attributes
- action
- alert_system_message_id
- channel
- channel_id
- content
- guild
- guild_id
- matched_content
- matched_keyword
- member
- message_id
- rule_id
- rule_trigger_type
- user
- user_id
- class discord.AutoModActionPayload
-
Represents the payload for an
on_automod_action()
event- guild_id
-
The id of the guild in which action was executed
- Type:
-
int
- action
-
The action wich was executed
- Type:
-
AutoModAction
- rule_id
-
The id of the rule which action belongs to
- Type:
-
int
- rule_trigger_type
-
The trigger type of rule wich was triggered
- Type:
-
AutoModTriggerType
- user_id
-
The id of the user which generated the content which triggered the rule
- Type:
-
int
- channel_id
-
The id of the channel in which user content was posted
- Type:
-
Optional[
int
]
- message_id
-
The id of any user message which content belongs to
Note
This wil not exists if message was blocked by automod or content was not part of any message
- Type:
-
Optional[
int
]
- alert_system_message_id
-
The id of any system auto moderation messages posted as the result of this action
Note
This will only exist if the
type
of theaction
issend_alert_message
- Type:
-
Optional[
int
]
- content
-
The user generated text content
Important
The
Intents.message_content
intent is required to get a non-empty value for this field- Type:
-
str
- matched_keyword
-
The word ot phrase configured in the rule that triggered the rule
- Type:
-
str
- matched_content
-
The substring in
content
that triggered the ruleImportant
The
message_content
intent is required to get a non-empty value for this field- Type:
-
str
- property guild
-
The guild in which action was executed
- Returns:
-
The guild object
- Return type:
-
Guild
- property channel
-
The channel in wich user content was posted, if any.
- Returns:
-
The
TextChannel
,VoiceChannel
orThreadChannel
the user content was posted in. - Return type:
-
Optional[
abc.GuildChannel
]
- property user
-
The user which content triggered the rule
Note
This can return
None
if the user is not in the cache- Returns:
-
The user that triggered the rule
- Return type:
-
User
- property member
-
The corresponding
Member
of theuser
in theguild
.Note
Intents.members
must be enabled in order to use this- Raises:
-
ClientException: – If the member is not found and
members
intent is not enabled. - Returns:
-
The guild member
- Return type:
-
Optional[Member]
WelcomeScreen
- class discord.WelcomeScreen
-
Represents a welcome screen for a guild returned by
welcome_screen()
.Warning
Do not initialize this class directly. Use
welcome_screen()
instead.- guild
-
The guild the welcome screen belongs to
- Type:
-
Guild
- description
-
The description of the welcome screen
- Type:
-
str
- welcome_channels
-
- Type:
-
List[
WelcomeScreenChannel
]
Integration
- class discord.Integration
-
Represents a guild integration.
.. versionadded:: 1.4
.. attribute:: idThe integration ID.
- type:
-
int
- name
-
The integration name.
- Type:
-
str
- guild
-
The guild of the integration.
- Type:
-
Guild
- type
-
The integration type (i.e. Twitch).
- Type:
-
str
- enabled
-
Whether the integration is currently enabled.
- Type:
-
bool
- account
-
The account linked to this integration.
- Type:
-
IntegrationAccount
- user
-
The user that added this integration.
- Type:
-
User
- await delete()
-
This function is a coroutine.
Deletes the integration.
You must have themanage_guild
permission to
do this.
:raises Forbidden: You do not have permission to delete the integration.
:raises HTTPException: Deleting the integration failed.
- class discord.IntegrationAccount
-
Represents an integration account.
.. versionadded:: 1.4
.. attribute:: idThe account ID.
- type:
-
int
- name
-
The account name.
- Type:
-
str
Member
Attributes
- activities
- activity
- avatar
- avatar_url
- banner
- banner_color
- banner_url
- bot
- color
- colour
- communication_disabled_until
- created_at
- default_avatar
- default_avatar_url
- desktop_status
- discriminator
- display_avatar_url
- display_banner_url
- display_name
- dm_channel
- flags
- guild
- guild_avatar_url
- guild_banner_url
- guild_permissions
- hex_banner_color
- id
- joined_at
- mention
- mobile_status
- mutual_guilds
- name
- nick
- pending
- premium_since
- public_flags
- raw_status
- role_ids
- roles
- status
- system
- top_role
- voice
- web_status
Methods
-
asyncadd_roles -
defavatar_url_as -
asyncban -
defbanner_url_as -
asynccreate_dm -
defdisplay_avatar_url_as -
defdisplay_banner_url_as -
asyncedit -
asyncfetch_message -
defguild_avatar_url_as -
defguild_banner_url_as -
defhistory -
defis_avatar_animated -
defis_banner_animated -
defis_guild_avatar_animated -
defis_guild_banner_animated -
defis_on_mobile -
asynckick -
defmentioned_in -
asyncmove_to -
defpermissions_in -
asyncpins -
asyncremove_roles -
asyncremove_timeout -
asyncrequest_to_speak -
asyncsend -
asynctimeout -
asynctrigger_typing -
deftyping -
asyncunban
- class discord.Member
-
Represents a Discord member to a
Guild
.This implements a lot of the functionality of
User
.- x == y
-
Checks if two members are equal.
Note that this works withUser
instances too.
- x != y
-
Checks if two members are not equal.
Note that this works withUser
instances too.
- hash(x)
-
Returns the member’s hash.
- str(x)
-
Returns the member’s name with the discriminator.
- joined_at
-
A datetime object that specifies the date and time in UTC that the member joined the guild.
If the member left and rejoined the guild, this will be the latest date. In certain cases, this can beNone
.- Type:
-
Optional[
datetime.datetime
]
- activities
-
The activities that the user is currently doing.
Note
Due to a Discord API limitation, a user’s Spotify activity may not appear
if they are listening to a song with a title longer
than 128 characters. See GH-1738 for more information.- Type:
-
Tuple[Union[
BaseActivity
,Spotify
]]
- guild
-
The guild that the member belongs to.
- Type:
-
Guild
- nick
-
The guild specific nickname of the user.
- Type:
-
Optional[
str
]
- flags
-
Guild specific flags for the member
- Type:
-
GuildMemberFlags
- pending
-
Whether the member is pending member verification.
New in version 1.6.
- Type:
-
bool
- premium_since
-
A datetime object that specifies the date and time in UTC when the member used their
Nitro boost on the guild, if available. This could beNone
.- Type:
-
Optional[
datetime.datetime
]
- async for … in history(*, limit=100, before=None, after=None, around=None, oldest_first=None)
-
Returns an
AsyncIterator
that enables receiving the destination’s message history.You must have
read_message_history
permissions to use this.Examples
Usage
counter = 0 async for message in channel.history(limit=200): if message.author == client.user: counter += 1
Flattening into a list:
messages = await channel.history(limit=123).flatten() # messages is now a list of Message...
All parameters are optional.
- Parameters:
-
-
limit (Optional[
int
]) – The number of messages to retrieve.
IfNone
, retrieves every message in the channel. Note, however,
that this would make it a slow operation. -
before (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages before this date or message.
If a date is provided it must be a timezone-naive datetime representing UTC time. -
after (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages after this date or message.
If a date is provided it must be a timezone-naive datetime representing UTC time. -
around (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages around this date or message.
If a date is provided it must be a timezone-naive datetime representing UTC time.
When using this argument, the maximum limit is 101. Note that if the limit is an
even number, then this will return at most limit + 1 messages. -
oldest_first (Optional[
bool
]) – If set toTrue
, return messages in oldest->newest order. Defaults toTrue
if
after
is specified, otherwiseFalse
.
-
- Raises:
-
-
Forbidden – You do not have permissions to get channel message history.
-
HTTPException – The request to get message history failed.
-
- Yields:
-
Message
– The message with the message data parsed.
- async with typing()
-
Returns a context manager that allows you to type for an indefinite period of time.
This is useful for denoting long computations in your bot.
Note
This is both a regular context manager and an async context manager.
This means that bothwith
andasync with
work with this.Example Usage:
async with channel.typing(): # do expensive stuff here await channel.send('done!')
- property raw_status
-
The member’s overall status as a string value.
New in version 1.5.
- Type:
-
str
- property status
-
The member’s overall status. If the value is unknown, then it will be a
str
instead.- Type:
-
Status
- property mobile_status
-
The member’s status on a mobile device, if applicable.
- Type:
-
Status
- property desktop_status
-
The member’s status on the desktop client, if applicable.
- Type:
-
Status
- property web_status
-
The member’s status on the web client, if applicable.
- Type:
-
Status
- is_on_mobile()
-
bool
: A helper function that determines if a member is active on a mobile device.
- property colour
-
A property that returns a colour denoting the rendered colour
for the member. If the default colour is the one rendered then an instance
ofColour.default()
is returned.There is an alias for this named
color
.- Type:
-
Colour
- property color
-
A property that returns a color denoting the rendered color for
the member. If the default color is the one rendered then an instance ofColour.default()
is returned.There is an alias for this named
colour
.- Type:
-
Colour
- property role_ids
-
An iterable of
int
contain the ID’s of the roles the member has.
You can use this to check on an efficient way whether a member has a role or not- Type:
-
utils.SnowflakeList
- property roles
-
A
list
ofRole
that the member belongs to. Note
that the first element of this list is always the default ‘@everyone’
role.These roles are sorted by their position in the role hierarchy.
- Type:
-
List[
Role
]
- property mention
-
Returns a string that allows you to mention the member.
- Type:
-
str
- property display_name
-
Returns the user’s display name.
For regular users this is just their username, but
if they have a guild specific nickname then that
is returned instead.- Type:
-
str
- property guild_avatar_url
-
Returns the guild-specific banner asset for the member if any.
- Type:
-
Optional[
Asset
]
- guild_avatar_url_as(*, format=None, static_format=‘webp’, size=1024)
-
Returns an
Asset
for the guild-specific avatar of the member if any, elseNone
.The format must be one of ‘webp’, ‘jpeg’, or ‘png’. The
size must be a power of 2 between 16 and 4096.- Parameters:
-
-
format (
str
) – The format to attempt to convert the avatar to. -
size (
int
) – The size of the image to display.
-
- Raises:
-
InvalidArgument – Bad image format passed to
format
or invalidsize
. - Returns:
-
The resulting CDN asset if any.
- Return type:
-
Optional[
Asset
]
- is_guild_avatar_animated()
-
bool
: Indicates if the member has an animated guild-avatar.
- property display_avatar_url
-
Returns the guild-specific avatar asset for the member if he has one, else the default avatar asset
- Type:
-
Asset
- display_avatar_url_as(format=None, static_format=‘webp’, size=1024)
-
Asset
: Same behaviour asUser.avatar_url_as()
andguild_avatar_url_as()
but it prefers the guild-specific avatar
-
Returns the guild-specific banner asset for the member if any.
- Type:
-
Optional[
Asset
]
-
Returns an
Asset
for the guild-specific banner of the member if any, elseNone
.The format must be one of ‘webp’, ‘jpeg’, ‘gif’ or ‘png’. The
size must be a power of 2 between 16 and 4096.- Parameters:
-
-
format (
str
) – The format to attempt to convert the banner to. -
size (
int
) – The size of the image to display.
-
- Raises:
-
InvalidArgument – Bad image format passed to
format
or invalidsize
. - Returns:
-
The resulting CDN asset if any.
- Return type:
-
Optional[
Asset
}
-
bool
: Indicates if the member has an animated guild-banner.
-
Returns the guild-specific banner asset for the member if he has one, else the default banner asset if any.
- Type:
-
Optional[
Asset
]
-
Asset
: Same behaviour asUser.banner_url_as()
andguild_banner_url_as()
but it prefers the guild-specific banner
- property activity
-
Returns the primary
activity the user is currently doing. Could beNone
if no activity is being done.Note
Due to a Discord API limitation, this may be
None
if
the user is listening to a song on Spotify with a title longer
than 128 characters. See GH-1738 for more information.Note
A user may have multiple activities, these can be accessed under
activities
.- Type:
-
Union[
BaseActivity
,Spotify
]
- mentioned_in(message)
-
Checks if the member is mentioned in the specified message.
- Parameters:
-
message (
Message
) – The message to check if you’re mentioned in. - Returns:
-
Indicates if the member is mentioned in the message.
- Return type:
-
bool
- permissions_in(channel)
-
An alias for
abc.GuildChannel.permissions_for()
.Basically equivalent to:
channel.permissions_for(self)
- Parameters:
-
channel (
abc.GuildChannel
) – The channel to check your permissions for. - Returns:
-
The resolved permissions for the member.
- Return type:
-
Permissions
- property top_role
-
Returns the member’s highest role.
This is useful for figuring where a member stands in the role
hierarchy chain.- Type:
-
Role
- property guild_permissions
-
Returns the member’s guild permissions.
This only takes into consideration the guild permissions
and not most of the implied permissions or any of the
channel permission overwrites. For 100% accurate permission
calculation, please use eitherpermissions_in()
or
abc.GuildChannel.permissions_for()
.This does take into consideration guild ownership and the
administrator implication.- Type:
-
Permissions
- property voice
-
Returns the member’s current voice state.
- Type:
-
Optional[
VoiceState
]
- property communication_disabled_until
-
The time until the member is timeouted, if any
- Type:
-
Optional[
datetime.datetime
]
- await timeout(until, *, reason=None)
-
This function is a coroutine.
A shortcut method to timeout a member.
The
moderate_members
permission is needed to do this.- Parameters:
-
-
until (
datetime.datetime
) –Until when the member should be timeouted.
This can be a timezone aware :class`~datetime.datetime` object or atimedelta
object.Note
This can be max 28 days from current time!
-
reason (Optional[
str
]) – The reason for sending the member to timeout — Shows up in the audit-log
-
- Raises:
-
-
TypeError – The passed
datetime
object is not timezone aware -
Forbidden – The bot missing access to timeout this member
-
HTTPException – Timeouting the member failed
-
- await remove_timeout(*, reason=None)
-
This function is a coroutine.
A shortcut method to remove a member from timeout.
The
moderate_members
permission is needed to do this.- Parameters:
-
reason (Optional[
str
]) – The reason for removing the member from timeout — Shows up in the audit-log - Raises:
-
-
Forbidden – The bot missing access to remove this member from timeout
-
HTTPException – Removing the member from timeout failed
-
- await ban(**kwargs)
-
This function is a coroutine.
Bans this member. Equivalent to
Guild.ban()
.
- await unban(*, reason=None)
-
This function is a coroutine.
Unbans this member. Equivalent to
Guild.unban()
.
- await kick(*, reason=None)
-
This function is a coroutine.
Kicks this member. Equivalent to
Guild.kick()
.
- await edit(*, reason=None, **fields)
-
This function is a coroutine.
Edits the member’s data.
Depending on the parameter passed, this requires different permissions listed below:
Parameter
Permission
nick
Permissions.manage_nicknames
mute
Permissions.mute_members
deafen
Permissions.deafen_members
roles
Permissions.manage_roles
voice_channel
Permissions.move_members
flags
Permissions.moderate_members
communication_disabled_until
Permissions.moderate_members
All parameters are optional.
Changed in version 1.1: Can now pass
None
tovoice_channel
to kick a member from voice.- Parameters:
-
-
nick (Optional[
str
]) – The member’s new nickname. UseNone
to remove the nickname. -
mute (
bool
) – Indicates if the member should be guild muted or un-muted. -
deafen (
bool
) – Indicates if the member should be guild deafened or un-deafened. -
suppress (
bool
) –Indicates if the member should be suppressed in stage channels.
New in version 1.7.
-
roles (Optional[List[
Role
]]) – The member’s new list of roles. This replaces the roles. -
voice_channel (Optional[
VoiceChannel
]) – The voice channel to move the member to.
PassNone
to kick them from voice. -
flags (Optional[
GuildMemberFlags
]) – The new flags for this member.
Note that you currently only update thebypasses_verification
flag value. -
communication_disabled_until (Optional[
datetime.datetime
]) –Temporarily puts the member in timeout until this time.
IfNone
, then the member is removed from timeout.Note
The
datetime
object must be timezone aware. -
reason (Optional[
str
]) – The reason for editing this member. Shows up on the audit log.
-
- Raises:
-
-
TypeError – The
datetime
object passed tocommunication_disabled_until
is not timezone aware -
Forbidden – You do not have the proper permissions to the action requested.
-
HTTPException – The operation failed.
-
- await request_to_speak()
-
This function is a coroutine.
Request to speak in the connected channel.
Only applies to stage channels.
Note
Requesting members that are not the client is equivalent
toedit
providingsuppress
asFalse
.New in version 1.7.
- Raises:
-
-
Forbidden – You do not have the proper permissions to the action requested.
-
HTTPException – The operation failed.
-
- await move_to(channel, *, reason=None)
-
This function is a coroutine.
Moves a member to a new voice channel (they must be connected first).
You must have the
move_members
permission to
use this.This raises the same exceptions as
edit()
.Changed in version 1.1: Can now pass
None
to kick a member from voice.- Parameters:
-
-
channel (Optional[
VoiceChannel
]) – The new voice channel to move the member to.
PassNone
to kick them from voice. -
reason (Optional[
str
]) – The reason for doing this action. Shows up on the audit log.
-
- await add_roles(*roles, reason=None, atomic=True)
-
This function is a coroutine.
Gives the member a number of
Role
s.You must have the
manage_roles
permission to
use this, and the addedRole
s must appear lower in the list
of roles than the highest role of the member.- Parameters:
-
-
*roles (
abc.Snowflake
) – An argument list ofabc.Snowflake
representing aRole
to give to the member. -
reason (Optional[
str
]) – The reason for adding these roles. Shows up on the audit log. -
atomic (
bool
) – Whether to atomically add roles. This will ensure that multiple
operations will always be applied regardless of the current
state of the cache.
-
- Raises:
-
-
Forbidden – You do not have permissions to add these roles.
-
HTTPException – Adding roles failed.
-
- property avatar
-
Equivalent to
User.avatar
- property avatar_url
-
Equivalent to
User.avatar_url
- avatar_url_as(*, format=None, static_format=‘webp’, size=1024)
-
Returns an
Asset
for the avatar the user has.If the user does not have a traditional avatar, an asset for
the default avatar is returned instead.The format must be one of ‘webp’, ‘jpeg’, ‘jpg’, ‘png’ or ‘gif’, and
‘gif’ is only valid for animated avatars. The size must be a power of 2
between 16 and 4096.- Parameters:
-
-
format (Optional[
str
]) – The format to attempt to convert the avatar to.
If the format isNone
, then it is automatically
detected into either ‘gif’ or static_format depending on the
avatar being animated or not. -
static_format (Optional[
str
]) – Format to attempt to convert only non-animated avatars to.
Defaults to ‘webp’ -
size (
int
) – The size of the image to display.
-
- Raises:
-
InvalidArgument – Bad image format passed to
format
orstatic_format
, or
invalidsize
. - Returns:
-
The resulting CDN asset.
- Return type:
-
Asset
-
Equivalent to
User.banner
-
Equivalent to
User.banner_color
-
Equivalent to
User.banner_url
-
Returns an
Asset
for the banner the user has. Could beNone
.The format must be one of ‘webp’, ‘jpeg’, ‘jpg’, ‘png’ or ‘gif’, and
‘gif’ is only valid for animated banners. The size must be a power of 2
between 16 and 4096.- Parameters:
-
-
format (Optional[
str
]) – The format to attempt to convert the banner to.
If the format isNone
, then it is automatically
detected into either ‘gif’ or static_format depending on the
banner being animated or not. -
static_format (Optional[
str
]) – Format to attempt to convert only non-animated banner to.
Defaults to ‘webp’ -
size (
int
) – The size of the image to display.
-
- Raises:
-
InvalidArgument – Bad image format passed to
format
orstatic_format
, or
invalidsize
. - Returns:
-
The resulting CDN asset if any.
- Return type:
-
Optional[
Asset
]
- property bot
-
Equivalent to
User.bot
- await create_dm()
-
This function is a coroutine.
Creates a
DMChannel
with this user.This should be rarely called, as this is done transparently for most
people.- Returns:
-
The channel that was created.
- Return type:
-
DMChannel
- property created_at
-
Equivalent to
User.created_at
- property default_avatar
-
Equivalent to
User.default_avatar
- property default_avatar_url
-
Equivalent to
User.default_avatar_url
- property discriminator
-
Equivalent to
User.discriminator
- property dm_channel
-
Equivalent to
User.dm_channel
- await fetch_message(id)
-
This function is a coroutine.
Retrieves a single
Message
from the destination.This can only be used by bot accounts.
- Parameters:
-
id (
int
) – The message ID to look for. - Raises:
-
-
NotFound – The specified message was not found.
-
Forbidden – You do not have the permissions required to get a message.
-
HTTPException – Retrieving the message failed.
-
- Returns:
-
The message asked for.
- Return type:
-
Message
-
Equivalent to
User.hex_banner_color
- property id
-
Equivalent to
User.id
- is_avatar_animated()
-
bool
: Indicates if the user has an animated avatar.
-
bool
: Indicates if the user has an animated banner.
- property mutual_guilds
-
Equivalent to
User.mutual_guilds
- property name
-
Equivalent to
User.name
- await pins()
-
This function is a coroutine.
Retrieves all messages that are currently pinned in the channel.
Note
Due to a limitation with the Discord API, the
Message
objects returned by this method do not contain complete
Message.reactions
data.- Raises:
-
HTTPException – Retrieving the pinned messages failed.
- Returns:
-
The messages that are currently pinned.
- Return type:
-
List[
Message
]
- property public_flags
-
Equivalent to
User.public_flags
- await remove_roles(*roles, reason=None, atomic=True)
-
This function is a coroutine.
Removes
Role
s from this member.You must have the
manage_roles
permission to
use this, and the removedRole
s must appear lower in the list
of roles than the highest role of the member.- Parameters:
-
-
*roles (
abc.Snowflake
) – An argument list ofabc.Snowflake
representing aRole
to remove from the member. -
reason (Optional[
str
]) – The reason for removing these roles. Shows up on the audit log. -
atomic (
bool
) – Whether to atomically remove roles. This will ensure that multiple
operations will always be applied regardless of the current
state of the cache.
-
- Raises:
-
-
Forbidden – You do not have permissions to remove these roles.
-
HTTPException – Removing the roles failed.
-
- await send(content=None, *, tts=False, embed=None, embeds=None, components=None, file=None, files=None, stickers=None, delete_after=None, nonce=None, allowed_mentions=None, reference=None, mention_author=None, suppress_embeds=False, suppress_notifications=False)
-
This function is a coroutine.
Sends a message to the destination with the content given.
The content must be a type that can convert to a string through
str(content)
.
If the content is set toNone
(the default), then theembed
parameter must
be provided.To upload a single file, the
file
parameter should be used with a
singleFile
object. To upload multiple files, thefiles
parameter should be used with alist
ofFile
objects.If the
embed
parameter is provided, it must be of typeEmbed
and
it must be a rich embed type.- Parameters:
-
-
content (
str
) – The content of the message to send. -
tts (
bool
) – Indicates if the message should be sent using text-to-speech. -
embed (
Embed
) – The rich embed for the content. -
embeds (List[
Embed
]) – A list containing up to ten embeds -
components (List[Union[
ActionRow
, List[Union[Button
,BaseSelect
]]]]) – A list of up to fiveButton
’s or oneBaseSelect
like object. -
file (
File
) – The file to upload. -
files (List[
File
]) – Alist
of files to upload. Must be a maximum of 10. -
stickers (List[
GuildSticker
]) – A list of up to 3discord.GuildSticker
that should be sent with the message. -
nonce (
int
) – The nonce to use for sending this message. If the message was successfully sent,
then the message will have a nonce with this value. -
delete_after (
float
) – 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. -
allowed_mentions (
AllowedMentions
) –Controls the mentions being processed in this message. If this is
passed, then the object is merged withallowed_mentions
.
The merging behaviour only overrides attributes that have been explicitly passed
to the object, otherwise it uses the attributes set inallowed_mentions
.
If no object is passed at all then the defaults given byallowed_mentions
are used instead.New in version 1.4.
-
reference (Union[
Message
,MessageReference
]) –A reference to the
Message
to which you are replying, this can be created using
to_reference()
or passed directly as aMessage
. You can control
whether this mentions the author of the referenced message using thereplied_user
attribute ofallowed_mentions
or by settingmention_author
.New in version 1.6.
-
mention_author (Optional[
bool
]) –If set, overrides the
replied_user
attribute ofallowed_mentions
.New in version 1.6.
-
suppress_embeds (
bool
) – Whether to supress embeds send with the message, default toFalse
-
suppress_notifications (
bool
) –Whether to suppress desktop- & push-notifications for this message, default to
False
Users will still see a ping-symbol when they are mentioned in the message, or the message is in a dm channel.
New in version 2.0.
-
- Raises:
-
-
HTTPException – Sending the message failed.
-
Forbidden – You do not have the proper permissions to send the message.
-
InvalidArgument – The
files
list is not of the appropriate size,
you specified bothfile
andfiles
,
or thereference
object is not aMessage
orMessageReference
.
-
- Returns:
-
The message that was sent.
- Return type:
-
Message
- property system
-
Equivalent to
User.system
- await trigger_typing()
-
This function is a coroutine.
Triggers a typing indicator to the destination.
Typing indicator will go away after 10 seconds, or after a message is sent.
GuildMemberFlags
- class discord.GuildMemberFlags
-
Wraps up the Discord Guild Member flags.
- x == y
-
Checks if two GuildMemberFlags are equal.
- x != y
-
Checks if two GuildMemberFlags are not equal.
- hash(x)
-
Return the flag’s hash.
- 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.
- value
-
The raw value. This value is a bit array field of a 53-bit integer
representing the currently available flags. You should query
flags via the properties rather than using this raw value.- Type:
-
int
- rejoined
-
Returns
True
if the member has left and rejoined the guild- Type:
-
bool
- completed_onboarding
-
Returns
True
if the member has completed onboarding- Type:
-
bool
- bypasses_verification
-
Returns
True
if the member bypasses guild verification requirementsNote
This flag is editable and let you manually “verify” the member.
This requiresmoderate_members
permissions.- Type:
-
bool
- started_onboarding
-
Returns
True
if the member has started onboarding- Type:
-
bool
Spotify
Attributes
- album
- album_cover_url
- artist
- artists
- color
- colour
- created_at
- duration
- end
- name
- party_id
- position
- start
- title
- track_id
- type
- class discord.Spotify
-
Represents a Spotify listening activity from Discord. This is a special case of
Activity
that makes it easier to work with the Spotify integration.- x == y
-
Checks if two activities are equal.
- x != y
-
Checks if two activities are not equal.
- hash(x)
-
Returns the activity’s hash.
- str(x)
-
Returns the string ‘Spotify’.
- property type
-
Returns the activity’s type. This is for compatibility with
Activity
.It always returns
ActivityType.listening
.- Type:
-
ActivityType
- property created_at
-
When the user started listening in UTC.
New in version 1.3.
- Type:
-
Optional[
datetime.datetime
]
- property colour
-
Returns the Spotify integration colour, as a
Colour
.There is an alias for this named
color
- Type:
-
Colour
- property color
-
Returns the Spotify integration colour, as a
Colour
.There is an alias for this named
colour
- Type:
-
Colour
- property name
-
The activity’s name. This will always return “Spotify”.
- Type:
-
str
- property title
-
The title of the song being played.
- Type:
-
str
- property artists
-
The artists of the song being played.
- Type:
-
List[
str
]
- property artist
-
The artist of the song being played.
This does not attempt to split the artist information into
multiple artists. Useful if there’s only a single artist.- Type:
-
str
- property album
-
The album that the song being played belongs to.
- Type:
-
str
- property album_cover_url
-
The album cover image URL from Spotify’s CDN.
- Type:
-
str
- property track_id
-
The track ID used by Spotify to identify this song.
- Type:
-
str
- property start
-
When the user started playing this song in UTC.
- Type:
-
datetime.datetime
- property end
-
When the user will stop playing this song in UTC.
- Type:
-
datetime.datetime
- property duration
-
The duration of the song being played.
- Type:
-
datetime.timedelta
- property position
-
The current position of the song being played.
- Type:
-
float
- property party_id
-
The party ID of the listening party.
- Type:
-
str
VoiceState
- class discord.VoiceState
-
Represents a Discord user’s voice state.
- deaf
-
Indicates if the user is currently deafened by the guild.
- Type:
-
bool
- mute
-
Indicates if the user is currently muted by the guild.
- Type:
-
bool
- self_mute
-
Indicates if the user is currently muted by their own accord.
- Type:
-
bool
- self_deaf
-
Indicates if the user is currently deafened by their own accord.
- Type:
-
bool
- self_stream
-
Indicates if the user is currently streaming via ‘Go Live’ feature.
New in version 1.3.
- Type:
-
bool
- self_video
-
Indicates if the user is currently broadcasting video.
- Type:
-
bool
- suppress
-
Indicates if the user is suppressed from speaking.
Only applies to stage channels.
New in version 1.7.
- Type:
-
bool
- requested_to_speak_at
-
A datetime object that specifies the date and time in UTC that the member
requested to speak. It will beNone
if they are not requesting to speak
anymore or have been accepted to speak.Only applicable to stage channels.
New in version 1.7.
- Type:
-
Optional[
datetime.datetime
]
- afk
-
Indicates if the user is currently in the AFK channel in the guild.
- Type:
-
bool
- channel
-
The voice channel that the user is currently connected to.
None
if the user
is not currently in a voice channel.- Type:
-
Optional[Union[
VoiceChannel
,StageChannel
]]
Emoji
Methods
-
asyncdelete -
asyncedit -
defis_usable -
defurl_as
- class discord.Emoji
-
Represents a custom emoji.
Depending on the way this object was created, some of the attributes can
have a value ofNone
.- x == y
-
Checks if two emoji are the same.
- x != y
-
Checks if two emoji are not the same.
- hash(x)
-
Return the emoji’s hash.
- iter(x)
-
Returns an iterator of
(field, value)
pairs. This allows this class
to be used as an iterable in list/dict/etc constructions.
- str(x)
-
Returns the emoji rendered for discord.
- name
-
The name of the emoji.
- Type:
-
str
- id
-
The emoji’s ID.
- Type:
-
int
- require_colons
-
If colons are required to use this emoji in the client (:PJSalt: vs PJSalt).
- Type:
-
bool
- animated
-
Whether an emoji is animated or not.
- Type:
-
bool
- managed
-
If this emoji is managed by a Twitch integration.
- Type:
-
bool
- guild_id
-
The guild ID the emoji belongs to.
- Type:
-
int
- available
-
Whether the emoji is available for use.
- Type:
-
bool
- user
-
The user that created the emoji. This can only be retrieved using
Guild.fetch_emoji()
and
having themanage_emojis
permission.- Type:
-
Optional[
User
]
- property created_at
-
Returns the emoji’s creation time in UTC.
- Type:
-
datetime.datetime
- property url
-
Returns the asset of the emoji.
This is equivalent to calling
url_as()
with
the default parameters (i.e. png/gif detection).- Type:
-
Asset
- property roles
-
A
list
of roles that is allowed to use this emoji.If roles is empty, the emoji is unrestricted.
- Type:
-
List[
Role
]
- property guild
-
The guild this emoji belongs to.
- Type:
-
Guild
- url_as(*, format=None, static_format=‘png’)
-
Returns an
Asset
for the emoji’s url.The format must be one of ‘webp’, ‘jpeg’, ‘jpg’, ‘png’ or ‘gif’.
‘gif’ is only valid for animated emojis.New in version 1.6.
- Parameters:
-
-
format (Optional[
str
]) – The format to attempt to convert the emojis to.
If the format isNone
, then it is automatically
detected as either ‘gif’ or static_format, depending on whether the
emoji is animated or not. -
static_format (Optional[
str
]) – Format to attempt to convert only non-animated emoji’s to.
Defaults to ‘png’
-
- Raises:
-
InvalidArgument – Bad image format passed to
format
orstatic_format
. - Returns:
-
The resulting CDN asset.
- Return type:
-
Asset
- is_usable()
-
bool
: Whether the bot can use this emoji.New in version 1.3.
- await delete(*, reason=None)
-
This function is a coroutine.
Deletes the custom emoji.
You must have
manage_emojis
permission to
do this.- Parameters:
-
reason (Optional[
str
]) – The reason for deleting this emoji. Shows up on the audit log. - Raises:
-
-
Forbidden – You are not allowed to delete emojis.
-
HTTPException – An error occurred deleting the emoji.
-
- await edit(*, name=None, roles=None, reason=None)
-
This function is a coroutine.
Edits the custom emoji.
You must have
manage_emojis
permission to
do this.- Parameters:
-
-
name (
str
) – The new emoji name. -
roles (Optional[list[
Role
]]) – Alist
ofRole
s that can use this emoji. Leave empty to make it available to everyone. -
reason (Optional[
str
]) – The reason for editing this emoji. Shows up on the audit log.
-
- Raises:
-
-
Forbidden – You are not allowed to edit emojis.
-
HTTPException – An error occurred editing the emoji.
-
PartialEmoji
- class discord.PartialEmoji
-
Represents a “partial” emoji.
This model will be given in two scenarios:
-
“Raw” data events such as
on_raw_reaction_add()
-
Custom emoji that the bot cannot see from e.g.
Message.reactions
- x == y
-
Checks if two emoji are the same.
- x != y
-
Checks if two emoji are not the same.
- hash(x)
-
Return the emoji’s hash.
- str(x)
-
Returns the emoji rendered for discord.
- name
-
The custom emoji name, if applicable, or the unicode codepoint
of the non-custom emoji. This can beNone
if the emoji
got deleted (e.g. removing a reaction with a deleted emoji).- Type:
-
Optional[
str
]
- animated
-
Whether the emoji is animated or not.
- Type:
-
bool
- id
-
The ID of the custom emoji, if applicable.
- Type:
-
Optional[
int
]
- classmethod from_string(string)
-
Converts a (custom) emoji as they are in a message into a partial emoji object.
Note
To get them, type a custom emoji into the chat, put an
in front of it and send it.
You can then use what comes out when you add a reaction or similar.Warning
This does not support the :emoji: format for (standard) emojis
- is_custom_emoji()
-
bool
: Checks if this is a custom non-Unicode emoji.
- is_unicode_emoji()
-
bool
: Checks if this is a Unicode emoji.
- property created_at
-
Returns the emoji’s creation time in UTC, or None if Unicode emoji.
New in version 1.6.
- Type:
-
Optional[
datetime.datetime
]
- property url
-
Returns the asset of the emoji, if it is custom.
This is equivalent to calling
url_as()
with
the default parameters (i.e. png/gif detection).- Type:
-
Asset
- url_as(*, format=None, static_format=‘png’)
-
Returns an
Asset
for the emoji’s url, if it is custom.The format must be one of ‘webp’, ‘jpeg’, ‘jpg’, ‘png’ or ‘gif’.
‘gif’ is only valid for animated emojis.New in version 1.7.
- Parameters:
-
-
format (Optional[
str
]) – The format to attempt to convert the emojis to.
If the format isNone
, then it is automatically
detected as either ‘gif’ or static_format, depending on whether the
emoji is animated or not. -
static_format (Optional[
str
]) – Format to attempt to convert only non-animated emoji’s to.
Defaults to ‘png’
-
- Raises:
-
InvalidArgument – Bad image format passed to
format
orstatic_format
. - Returns:
-
The resulting CDN asset.
- Return type:
-
Asset
-
Role
Attributes
- color
- colour
- created_at
- guild
- hoist
- icon
- icon_url
- id
- managed
- members
- mention
- mentionable
- name
- permissions
- position
- tags
- unicode_emoji
Methods
-
asyncdelete -
asyncedit -
deficon_url_as -
defis_bot_managed -
defis_default -
defis_integration -
defis_premium_subscriber
- class discord.Role
-
Represents a Discord role in a
Guild
.- x == y
-
Checks if two roles are equal.
- x != y
-
Checks if two roles are not equal.
- x > y
-
Checks if a role is higher than another in the hierarchy.
- x < y
-
Checks if a role is lower than another in the hierarchy.
- x >= y
-
Checks if a role is higher or equal to another in the hierarchy.
- x <= y
-
Checks if a role is lower or equal to another in the hierarchy.
- hash(x)
-
Return the role’s hash.
- str(x)
-
Returns the role’s name.
- id
-
The ID for the role.
- Type:
-
int
- name
-
The name of the role.
- Type:
-
str
- guild
-
The guild the role belongs to.
- Type:
-
Guild
- hoist
-
Indicates if the role will be displayed separately from other members.
- Type:
-
bool
- icon
-
The role-icon hash
- Type:
-
Optional[
str
]
- unicode_emoji
-
The unicode emoji of the role (shows as role-icon)
- Type:
-
Optional[
str
]
- position
-
The position of the role. This number is usually positive. The bottom
role has a position of 0.- Type:
-
int
- managed
-
Indicates if the role is managed by the guild through some form of
integrations such as Twitch.- Type:
-
bool
- mentionable
-
Indicates if the role can be mentioned by users.
- Type:
-
bool
- tags
-
The role tags associated with this role.
- Type:
-
Optional[
RoleTags
]
- is_default()
-
bool
: Checks if the role is the default role.
- is_bot_managed()
-
bool
: Whether the role is associated with a bot.New in version 1.6.
- is_premium_subscriber()
-
bool
: Whether the role is the premium subscriber, AKA “boost”, role for the guild.New in version 1.6.
- is_integration()
-
bool
: Whether the role is managed by an integration.New in version 1.6.
- property permissions
-
Returns the role’s permissions.
- Type:
-
Permissions
- property colour
-
Returns the role colour. An alias exists under
color
.- Type:
-
Colour
- property color
-
Returns the role color. An alias exists under
colour
.- Type:
-
Colour
- property created_at
-
Returns the role’s creation time in UTC.
- Type:
-
datetime.datetime
- property mention
-
Returns a string that allows you to mention a role.
- Type:
-
str
- property members
-
Returns all the members with this role.
- Type:
-
List[
Member
]
- property icon_url
-
Returns the role icon asset.
- Type:
-
Asset
- icon_url_as(*, format=‘webp’, size=1024)
-
Returns an
Asset
for the role icon.The format must be one of ‘webp’, ‘jpeg’, or ‘png’. The
size must be a power of 2 between 16 and 4096.- Parameters:
-
-
format (
str
) – The format to attempt to convert the icon to. -
size (
int
) – The size of the image to display.
-
- Raises:
-
InvalidArgument – Bad image format passed to
format
or invalidsize
. - Returns:
-
The resulting CDN asset.
- Return type:
-
Asset
- await edit(*, reason=None, **fields)
-
This function is a coroutine.
Edits the role.
You must have the
manage_roles
permission to
use this.All fields are optional.
Changed in version 1.4: Can now pass
int
tocolour
keyword-only parameter.- Parameters:
-
-
name (
str
) – The new role name to change to. -
permissions (
Permissions
) – The new permissions to change to. -
colour (Union[
Colour
,int
]) – The new colour to change to. (aliased to color as well) -
hoist (
bool
) – Indicates if the role should be shown separately in the member list. -
mentionable (
bool
) – Indicates if the role should be mentionable by others. -
position (
int
) – The new role’s position. This must be below your top role’s
position or it will fail. -
unicode_emoji (
str
) – The new role-icon as a unicode-emoji
This is only available for guilds that containROLE_ICON
inGuild.features
. -
icon (
bytes
) – A bytes-like object representing the new role-icon. Only PNG/JPEG is supported.
This is only available for guilds that containROLE_ICON
inGuild.features
.
Could beNone
to denote removal of the icon. -
reason (Optional[
str
]) – The reason for editing this role. Shows up on the audit log.
-
- Raises:
-
-
Forbidden – You do not have permissions to change the role.
-
HTTPException – Editing the role failed.
-
InvalidArgument – An invalid position was given or the default
role was asked to be moved.
-
- await delete(*, reason=None)
-
This function is a coroutine.
Deletes the role.
You must have the
manage_roles
permission to
use this.- Parameters:
-
reason (Optional[
str
]) – The reason for deleting this role. Shows up on the audit log. - Raises:
-
-
Forbidden – You do not have permissions to delete the role.
-
HTTPException – Deleting the role failed.
-
RoleTags
Attributes
- bot_id
- integration_id
- class discord.RoleTags
-
Represents tags on a role.
A role tag is a piece of extra information attached to a managed role
that gives it context for the reason the role is managed.While this can be accessed, a useful interface is also provided in the
Role
andGuild
classes as well.New in version 1.6.
- bot_id
-
The bot’s user ID that manages this role.
- Type:
-
Optional[
int
]
- integration_id
-
The integration ID that manages the role.
- Type:
-
Optional[
int
]
- is_bot_managed()
-
bool
: Whether the role is associated with a bot.
- is_premium_subscriber()
-
bool
: Whether the role is the premium subscriber, AKA “boost”, role for the guild.
- is_integration()
-
bool
: Whether the role is managed by an integration.
TextChannel
Attributes
- category
- category_id
- changed_roles
- created_at
- guild
- id
- jump_url
- last_message
- last_message_id
- members
- mention
- name
- overwrites
- permissions_synced
- position
- slowmode_delay
- threads
- topic
- type
Methods
-
asyncclone -
asynccreate_invite -
asynccreate_thread -
asynccreate_webhook -
asyncdelete -
asyncdelete_messages -
asyncedit -
asyncfetch_message -
asyncfollow -
defget_partial_message -
defget_thread -
defhistory -
asyncinvites -
defis_news -
defis_nsfw -
asyncmove -
defoverwrites_for -
defpermissions_for -
asyncpins -
asyncpurge -
asyncsend -
asyncset_permissions -
asynctrigger_typing -
deftyping -
asyncwebhooks
- class discord.TextChannel
-
Represents a Discord guild text channel.
- x == y
-
Checks if two channels are equal.
- x != y
-
Checks if two channels are not equal.
- hash(x)
-
Returns the channel’s hash.
- str(x)
-
Returns the channel’s name.
- name
-
The channel name.
- Type:
-
str
- guild
-
The guild the channel belongs to.
- Type:
-
Guild
- id
-
The channel ID.
- Type:
-
int
- category_id
-
The category channel ID this channel belongs to, if applicable.
- Type:
-
Optional[
int
]
- topic
-
The channel’s topic.
None
if it doesn’t exist.- Type:
-
Optional[
str
]
- position
-
The position in the channel list. This is a number that starts at 0. e.g. the
top channel is position 0.- Type:
-
int
- last_message_id
-
The last message ID of the message sent to this channel. It may
not point to an existing or valid message.- Type:
-
Optional[
int
]
- slowmode_delay
-
The number of seconds a member must wait between sending messages
in this channel. A value of 0 denotes that it is disabled.
Bots and users withmanage_channels
or
manage_messages
bypass slowmode.- Type:
-
int
- async for … in history(*, limit=100, before=None, after=None, around=None, oldest_first=None)
-
Returns an
AsyncIterator
that enables receiving the destination’s message history.You must have
read_message_history
permissions to use this.Examples
Usage
counter = 0 async for message in channel.history(limit=200): if message.author == client.user: counter += 1
Flattening into a list:
messages = await channel.history(limit=123).flatten() # messages is now a list of Message...
All parameters are optional.
- Parameters:
-
-
limit (Optional[
int
]) – The number of messages to retrieve.
IfNone
, retrieves every message in the channel. Note, however,
that this would make it a slow operation. -
before (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages before this date or message.
If a date is provided it must be a timezone-naive datetime representing UTC time. -
after (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages after this date or message.
If a date is provided it must be a timezone-naive datetime representing UTC time. -
around (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages around this date or message.
If a date is provided it must be a timezone-naive datetime representing UTC time.
When using this argument, the maximum limit is 101. Note that if the limit is an
even number, then this will return at most limit + 1 messages. -
oldest_first (Optional[
bool
]) – If set toTrue
, return messages in oldest->newest order. Defaults toTrue
if
after
is specified, otherwiseFalse
.
-
- Raises:
-
-
Forbidden – You do not have permissions to get channel message history.
-
HTTPException – The request to get message history failed.
-
- Yields:
-
Message
– The message with the message data parsed.
- async with typing()
-
Returns a context manager that allows you to type for an indefinite period of time.
This is useful for denoting long computations in your bot.
Note
This is both a regular context manager and an async context manager.
This means that bothwith
andasync with
work with this.Example Usage:
async with channel.typing(): # do expensive stuff here await channel.send('done!')
- property type
-
The channel’s Discord type.
- Type:
-
ChannelType
- get_thread(id)
-
Optional[
ThreadChannel
]: Returns the cached thread in this channel with the given ID if any, elseNone
- property threads
-
Returns a list of cached threads for this channel
- Type:
-
List[
ThreadChannel
]
- permissions_for(member)
-
Handles permission resolution for the current
Member
.This function takes into consideration the following cases:
-
Guild owner
-
Guild roles
-
Channel overrides
-
Member overrides
- Parameters:
-
member (
Member
) – The member to resolve permissions for. - Returns:
-
The resolved permissions for the member.
- Return type:
-
Permissions
-
- property members
-
Returns all members that can see this channel.
- Type:
-
List[
Member
]
- is_nsfw()
-
bool
: Checks if the channel is NSFW.
- is_news()
-
bool
: Checks if the channel is a news channel.
- property last_message
-
Fetches the last message from this channel in cache.
The message might not be valid or point to an existing message.
Reliable Fetching
For a slightly more reliable method of fetching the
last message, consider using eitherhistory()
orfetch_message()
with thelast_message_id
attribute.- Returns:
-
The last message in this channel or
None
if not found. - Return type:
-
Optional[
Message
]
- await edit(*, reason=None, **options)
-
This function is a coroutine.
Edits the channel.
You must have the
manage_channels
permission to
use this.Changed in version 1.3: The
overwrites
keyword-only parameter was added.Changed in version 1.4: The
type
keyword-only parameter was added.- Parameters:
-
-
name (
str
) – The new channel name. -
topic (
str
) – The new channel’s topic. -
position (
int
) – The new channel’s position. -
nsfw (
bool
) – To mark the channel as NSFW or not. -
sync_permissions (
bool
) – Whether to sync permissions with the channel’s new or pre-existing
category. Defaults toFalse
. -
category (Optional[
CategoryChannel
]) – The new category for this channel. Can beNone
to remove the
category. -
slowmode_delay (
int
) – Specifies the slowmode rate limit for user in this channel, in seconds.
A value of 0 disables slowmode. The maximum value possible is 21600. -
type (
ChannelType
) – Change the type of this text channel. Currently, only conversion between
ChannelType.text
andChannelType.news
is supported. This
is only available to guilds that containNEWS
inGuild.features
. -
reason (Optional[
str
]) – The reason for editing this channel. Shows up on the audit log. -
overwrites (
dict
) – Adict
of target (either a role or a member) to
PermissionOverwrite
to apply to the channel.
-
- Raises:
-
-
InvalidArgument – If position is less than 0 or greater than the number of channels, or if
the permission overwrite information is not in proper form. -
Forbidden – You do not have permissions to edit the channel.
-
HTTPException – Editing the channel failed.
-
- await clone(*, name=None, reason=None)
-
This function is a coroutine.
Clones this channel. This creates a channel with the same properties
as this channel.You must have the
manage_channels
permission to
do this.New in version 1.1.
- Parameters:
-
-
name (Optional[
str
]) – The name of the new channel. If not provided, defaults to this
channel name. -
reason (Optional[
str
]) – The reason for cloning this channel. Shows up on the audit log.
-
- Raises:
-
-
Forbidden – You do not have the proper permissions to create this channel.
-
HTTPException – Creating the channel failed.
-
- Returns:
-
The channel that was created.
- Return type:
-
abc.GuildChannel
- await delete_messages(messages)
-
This function is a coroutine.
Deletes a list of messages. This is similar to
Message.delete()
except it bulk deletes multiple messages.As a special case, if the number of messages is 0, then nothing
is done. If the number of messages is 1 then single message
delete is done. If it’s more than two, then bulk delete is used.You cannot bulk delete more than 100 messages or messages that
are older than 14 days old.You must have the
manage_messages
permission to
use this.Usable only by bot accounts.
- Parameters:
-
messages (Iterable[
abc.Snowflake
]) – An iterable of messages denoting which ones to bulk delete. - Raises:
-
-
ClientException – The number of messages to delete was more than 100.
-
Forbidden – You do not have proper permissions to delete the messages or
you’re not using a bot account. -
NotFound – If single delete, then the message was already deleted.
-
HTTPException – Deleting the messages failed.
-
- await purge(*, limit=100, check=None, before=None, after=None, around=None, oldest_first=False, bulk=True)
-
This function is a coroutine.
Purges a list of messages that meet the criteria given by the predicate
check
. If acheck
is not provided then all messages are deleted
without discrimination.You must have the
manage_messages
permission to
delete messages even if they are your own (unless you are a user
account). Theread_message_history
permission is
also needed to retrieve message history.Internally, this employs a different number of strategies depending
on the conditions met such as if a bulk delete is possible or if
the account is a user bot or not.Examples
Deleting bot’s messages
def is_me(m): return m.author == client.user deleted = await channel.purge(limit=100, check=is_me) await channel.send('Deleted {} message(s)'.format(len(deleted)))
- Parameters:
-
-
limit (Optional[
int
]) – The number of messages to search through. This is not the number
of messages that will be deleted, though it can be. -
check (Callable[[
Message
],bool
]) – The function used to check if a message should be deleted.
It must take aMessage
as its sole parameter. -
before (Optional[Union[
abc.Snowflake
,datetime.datetime
]]) – Same asbefore
inhistory()
. -
after (Optional[Union[
abc.Snowflake
,datetime.datetime
]]) – Same asafter
inhistory()
. -
around (Optional[Union[
abc.Snowflake
,datetime.datetime
]]) – Same asaround
inhistory()
. -
oldest_first (Optional[
bool
]) – Same asoldest_first
inhistory()
. -
bulk (
bool
) – IfTrue
, use bulk delete. Setting this toFalse
is useful for mass-deleting
a bot’s own messages withoutPermissions.manage_messages
. WhenTrue
, will
fall back to single delete if current account is a user bot (now deprecated), or if messages are
older than two weeks.
-
- Raises:
-
-
Forbidden – You do not have proper permissions to do the actions required.
-
HTTPException – Purging the messages failed.
-
- Returns:
-
The list of messages that were deleted.
- Return type:
-
List[
Message
]
- await webhooks()
-
This function is a coroutine.
Gets the list of webhooks from this channel.
Requires
manage_webhooks
permissions.- Raises:
-
Forbidden – You don’t have permissions to get the webhooks.
- Returns:
-
The webhooks for this channel.
- Return type:
-
List[
Webhook
]
- await create_webhook(*, name, avatar=None, reason=None)
-
This function is a coroutine.
Creates a webhook for this channel.
Requires
manage_webhooks
permissions.Changed in version 1.1: Added the
reason
keyword-only parameter.- Parameters:
-
-
name (
str
) – The webhook’s name. -
avatar (Optional[
bytes
]) – A bytes-like object representing the webhook’s default avatar.
This operates similarly toedit()
. -
reason (Optional[
str
]) – The reason for creating this webhook. Shows up in the audit logs.
-
- Raises:
-
-
HTTPException – Creating the webhook failed.
-
Forbidden – You do not have permissions to create a webhook.
-
- Returns:
-
The created webhook.
- Return type:
-
Webhook
- await follow(*, destination, reason=None)
-
Follows a channel using a webhook.
Only news channels can be followed.
Note
The webhook returned will not provide a token to do webhook
actions, as Discord does not provide it.New in version 1.3.
- Parameters:
-
-
destination (
TextChannel
) – The channel you would like to follow from. -
reason (Optional[
str
]) –The reason for following the channel. Shows up on the destination guild’s audit log.
New in version 1.4.
-
- Raises:
-
-
HTTPException – Following the channel failed.
-
Forbidden – You do not have the permissions to create a webhook.
-
- Returns:
-
The created webhook.
- Return type:
-
Webhook
- get_partial_message(message_id)
-
Creates a
PartialMessage
from the message ID.This is useful if you want to work with a message and only have its ID without
doing an unnecessary API call.New in version 1.6.
- Parameters:
-
message_id (
int
) – The message ID to create a partial message for. - Returns:
-
The partial message.
- Return type:
-
PartialMessage
- await create_thread(name, auto_archive_duration=None, slowmode_delay=0, private=False, invitable=True, *, reason=None)
-
This function is a coroutine.
Creates a new thread in this channel.
You must have the
create_public_threads
or for privatecreate_private_threads
permission to
use this.- Parameters:
-
-
name (
str
) – The name of the thread. -
auto_archive_duration (Optional[
AutoArchiveDuration
]) – Amount of time after that the thread will auto-hide from the channel list -
slowmode_delay (
int
) – Amount of seconds a user has to wait before sending another message (0-21600) -
private (
bool
) –Whether to create a private thread
Note
The guild needs to have the
PRIVATE_THREADS
feature wich they get with boost level 2 -
invitable (
bool
) – For private-threads Whether non-moderators can add new members to the thread, default :obj`True` -
reason (Optional[
str
]) – The reason for creating the thread. Shows up in the audit log.
-
- Raises:
-
-
TypeError – The channel of the message is not a text or news channel,
or the message has already a thread,
or auto_archive_duration is not a valid member ofAutoArchiveDuration
-
ValueError – The
name
is of invalid length -
Forbidden – The bot is missing permissions to create threads in this channel
-
HTTPException – Creating the thread failed
-
- Returns:
-
The created thread on success
- Return type:
-
ThreadChannel
- property category
-
The category this channel belongs to.
If there is no category then this is
None
.- Type:
-
Optional[
CategoryChannel
]
- property changed_roles
-
Returns a list of roles that have been overridden from
their default values in theroles
attribute.- Type:
-
List[
Role
]
- await create_invite(*, reason=None, **fields)
-
This function is a coroutine.
Creates an instant invite from a text or voice channel.
You must have the
create_instant_invite
permission to
do this.- Parameters:
-
-
max_age (Optional[
int
]) – How long the invite should last in seconds. If it’s 0 then the invite
doesn’t expire. Defaults to0
. -
max_uses (Optional[
int
]) – How many uses the invite could be used for. If it’s 0 then there
are unlimited uses. Defaults to0
. -
temporary (Optional[
bool
]) – Denotes that the invite grants temporary membership
(i.e. they get kicked after they disconnect). Defaults toFalse
. -
unique (Optional[
bool
]) – Indicates if a unique invite URL should be created. Defaults to True.
If this is set toFalse
then it will return a previously created
invite. -
target_type (Optional[
int
]) – The type of target for this voice channel invite.1
for stream and2
for embedded-application. -
target_user_id (Optional[
int
]) – The id of theUser
whose stream to display for this invite,
required iftarget_type
is1
, the user must be streaming in the channel. -
target_application_id (Optional[
int
]) – The id of the embedded application to open for this invite,
required iftarget_type
is2
, the application must have the EMBEDDED flag. -
reason (Optional[
str
]) – The reason for creating this invite. Shows up on the audit log.
-
- Raises:
-
-
HTTPException – Invite creation failed.
-
NotFound – The channel that was passed is a category or an invalid channel.
-
- Returns:
-
The invite that was created.
- Return type:
-
Invite
- property created_at
-
Returns the channel’s creation time in UTC.
- Type:
-
datetime.datetime
- await delete(*, reason=None)
-
This function is a coroutine.
Deletes the channel.
You must have
manage_channels
permission to use this.- Parameters:
-
reason (Optional[
str
]) – The reason for deleting this channel.
Shows up on the audit log. - Raises:
-
-
Forbidden – You do not have proper permissions to delete the channel.
-
NotFound – The channel was not found or was already deleted.
-
HTTPException – Deleting the channel failed.
-
- await fetch_message(id)
-
This function is a coroutine.
Retrieves a single
Message
from the destination.This can only be used by bot accounts.
- Parameters:
-
id (
int
) – The message ID to look for. - Raises:
-
-
NotFound – The specified message was not found.
-
Forbidden – You do not have the permissions required to get a message.
-
HTTPException – Retrieving the message failed.
-
- Returns:
-
The message asked for.
- Return type:
-
Message
- await invites()
-
This function is a coroutine.
Returns a list of all active instant invites from this channel.
You must have
manage_channels
to get this information.- Raises:
-
-
Forbidden – You do not have proper permissions to get the information.
-
HTTPException – An error occurred while fetching the information.
-
- Returns:
-
The list of invites that are currently active.
- Return type:
-
List[
Invite
]
- property jump_url
-
Returns a URL that allows the client to jump to the referenced channel.
- Type:
-
str
- property mention
-
The string that allows you to mention the channel.
- Type:
-
str
- await move(**kwargs)
-
This function is a coroutine.
A rich interface to help move a channel relative to other channels.
If exact position movement is required,
edit()
should be used instead.You must have the
manage_channels
permission to
do this.Note
Voice channels will always be sorted below text channels.
This is a Discord limitation.New in version 1.7.
- Parameters:
-
-
beginning (
bool
) – Whether to move the channel to the beginning of the
channel list (or category if given).
This is mutually exclusive withend
,before
, andafter
. -
end (
bool
) – Whether to move the channel to the end of the
channel list (or category if given).
This is mutually exclusive withbeginning
,before
, andafter
. -
before (
Snowflake
) – The channel that should be before our current channel.
This is mutually exclusive withbeginning
,end
, andafter
. -
after (
Snowflake
) – The channel that should be after our current channel.
This is mutually exclusive withbeginning
,end
, andbefore
. -
offset (
int
) – The number of channels to offset the move by. For example,
an offset of2
withbeginning=True
would move
it 2 after the beginning. A positive number moves it below
while a negative number moves it above. Note that this
number is relative and computed after thebeginning
,
end
,before
, andafter
parameters. -
category (Optional[
Snowflake
]) – The category to move this channel under.
IfNone
is given then it moves it out of the category.
This parameter is ignored if moving a category channel. -
sync_permissions (
bool
) – Whether to sync the permissions with the category (if given). -
reason (
str
) – The reason for the move.
-
- Raises:
-
-
InvalidArgument – An invalid position was given or a bad mix of arguments were passed.
-
Forbidden – You do not have permissions to move the channel.
-
HTTPException – Moving the channel failed.
-
- property overwrites
-
Returns all of the channel’s overwrites.
This is returned as a dictionary where the key contains the target which
can be either aRole
or aMember
and the value is the
overwrite as aPermissionOverwrite
.- Returns:
-
The channel’s permission overwrites.
- Return type:
-
Mapping[Union[
Role
,Member
],PermissionOverwrite
]
- overwrites_for(obj)
-
Returns the channel-specific overwrites for a member or a role.
- Parameters:
-
obj (Union[
Role
,User
]) – The role or user denoting
whose overwrite to get. - Returns:
-
The permission overwrites for this object.
- Return type:
-
PermissionOverwrite
- property permissions_synced
-
Whether or not the permissions for this channel are synced with the
category it belongs to.If there is no category then this is
False
.New in version 1.3.
- Type:
-
bool
- await pins()
-
This function is a coroutine.
Retrieves all messages that are currently pinned in the channel.
Note
Due to a limitation with the Discord API, the
Message
objects returned by this method do not contain complete
Message.reactions
data.- Raises:
-
HTTPException – Retrieving the pinned messages failed.
- Returns:
-
The messages that are currently pinned.
- Return type:
-
List[
Message
]
- await send(content=None, *, tts=False, embed=None, embeds=None, components=None, file=None, files=None, stickers=None, delete_after=None, nonce=None, allowed_mentions=None, reference=None, mention_author=None, suppress_embeds=False, suppress_notifications=False)
-
This function is a coroutine.
Sends a message to the destination with the content given.
The content must be a type that can convert to a string through
str(content)
.
If the content is set toNone
(the default), then theembed
parameter must
be provided.To upload a single file, the
file
parameter should be used with a
singleFile
object. To upload multiple files, thefiles
parameter should be used with alist
ofFile
objects.If the
embed
parameter is provided, it must be of typeEmbed
and
it must be a rich embed type.- Parameters:
-
-
content (
str
) – The content of the message to send. -
tts (
bool
) – Indicates if the message should be sent using text-to-speech. -
embed (
Embed
) – The rich embed for the content. -
embeds (List[
Embed
]) – A list containing up to ten embeds -
components (List[Union[
ActionRow
, List[Union[Button
,BaseSelect
]]]]) – A list of up to fiveButton
’s or oneBaseSelect
like object. -
file (
File
) – The file to upload. -
files (List[
File
]) – Alist
of files to upload. Must be a maximum of 10. -
stickers (List[
GuildSticker
]) – A list of up to 3discord.GuildSticker
that should be sent with the message. -
nonce (
int
) – The nonce to use for sending this message. If the message was successfully sent,
then the message will have a nonce with this value. -
delete_after (
float
) – 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. -
allowed_mentions (
AllowedMentions
) –Controls the mentions being processed in this message. If this is
passed, then the object is merged withallowed_mentions
.
The merging behaviour only overrides attributes that have been explicitly passed
to the object, otherwise it uses the attributes set inallowed_mentions
.
If no object is passed at all then the defaults given byallowed_mentions
are used instead.New in version 1.4.
-
reference (Union[
Message
,MessageReference
]) –A reference to the
Message
to which you are replying, this can be created using
to_reference()
or passed directly as aMessage
. You can control
whether this mentions the author of the referenced message using thereplied_user
attribute ofallowed_mentions
or by settingmention_author
.New in version 1.6.
-
mention_author (Optional[
bool
]) –If set, overrides the
replied_user
attribute ofallowed_mentions
.New in version 1.6.
-
suppress_embeds (
bool
) – Whether to supress embeds send with the message, default toFalse
-
suppress_notifications (
bool
) –Whether to suppress desktop- & push-notifications for this message, default to
False
Users will still see a ping-symbol when they are mentioned in the message, or the message is in a dm channel.
New in version 2.0.
-
- Raises:
-
-
HTTPException – Sending the message failed.
-
Forbidden – You do not have the proper permissions to send the message.
-
InvalidArgument – The
files
list is not of the appropriate size,
you specified bothfile
andfiles
,
or thereference
object is not aMessage
orMessageReference
.
-
- Returns:
-
The message that was sent.
- Return type:
-
Message
- await set_permissions(target, *, overwrite=see — below, reason=None, **permissions)
-
This function is a coroutine.
Sets the channel specific permission overwrites for a target in the
channel.The
target
parameter should either be aMember
or a
Role
that belongs to guild.The
overwrite
parameter, if given, must either beNone
or
PermissionOverwrite
. For convenience, you can pass in
keyword arguments denotingPermissions
attributes. If this is
done, then you cannot mix the keyword arguments with theoverwrite
parameter.If the
overwrite
parameter isNone
, then the permission
overwrites are deleted.You must have the
manage_roles
permission to use this.Examples
Setting allow and deny:
await message.channel.set_permissions(message.author, read_messages=True, send_messages=False)
Deleting overwrites
await channel.set_permissions(member, overwrite=None)
Using
PermissionOverwrite
overwrite = discord.PermissionOverwrite() overwrite.send_messages = False overwrite.read_messages = True await channel.set_permissions(member, overwrite=overwrite)
- Parameters:
-
-
target (Union[
Member
,Role
]) – The member or role to overwrite permissions for. -
overwrite (Optional[
PermissionOverwrite
]) – The permissions to allow and deny to the target, orNone
to
delete the overwrite. -
**permissions – A keyword argument list of permissions to set for ease of use.
Cannot be mixed withoverwrite
. -
reason (Optional[
str
]) – The reason for doing this action. Shows up on the audit log.
-
- Raises:
-
-
Forbidden – You do not have permissions to edit channel specific permissions.
-
HTTPException – Editing channel specific permissions failed.
-
NotFound – The role or member being edited is not part of the guild.
-
InvalidArgument – The overwrite parameter invalid or the target type was not
Role
orMember
.
-
- await trigger_typing()
-
This function is a coroutine.
Triggers a typing indicator to the destination.
Typing indicator will go away after 10 seconds, or after a message is sent.
ThreadChannel
Attributes
- archive_time
- archived
- auto_archive_duration
- category_id
- created_at
- id
- invitable
- jump_url
- locked
- me
- members
- mention
- owner
- parent_channel
- starter_message
- type
Methods
-
asyncadd_member -
asynccreate_invite -
asyncdelete -
asyncedit -
deffetch_members -
asyncfetch_message -
defget_member -
defhistory -
asyncinvites -
defis_nsfw -
asyncjoin -
asyncleave -
defpermissions_for -
asyncpins -
asyncremove_member -
asyncsend -
asynctrigger_typing -
deftyping
- class discord.ThreadChannel
-
Represents a thread in a guild
- id
-
The ID of the thread
- Type:
-
int
- type
-
The type of the thread
- Type:
-
ChannelType
- async for … in history(*, limit=100, before=None, after=None, around=None, oldest_first=None)
-
Returns an
AsyncIterator
that enables receiving the destination’s message history.You must have
read_message_history
permissions to use this.Examples
Usage
counter = 0 async for message in channel.history(limit=200): if message.author == client.user: counter += 1
Flattening into a list:
messages = await channel.history(limit=123).flatten() # messages is now a list of Message...
All parameters are optional.
- Parameters:
-
-
limit (Optional[
int
]) – The number of messages to retrieve.
IfNone
, retrieves every message in the channel. Note, however,
that this would make it a slow operation. -
before (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages before this date or message.
If a date is provided it must be a timezone-naive datetime representing UTC time. -
after (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages after this date or message.
If a date is provided it must be a timezone-naive datetime representing UTC time. -
around (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages around this date or message.
If a date is provided it must be a timezone-naive datetime representing UTC time.
When using this argument, the maximum limit is 101. Note that if the limit is an
even number, then this will return at most limit + 1 messages. -
oldest_first (Optional[
bool
]) – If set toTrue
, return messages in oldest->newest order. Defaults toTrue
if
after
is specified, otherwiseFalse
.
-
- Raises:
-
-
Forbidden – You do not have permissions to get channel message history.
-
HTTPException – The request to get message history failed.
-
- Yields:
-
Message
– The message with the message data parsed.
- async with typing()
-
Returns a context manager that allows you to type for an indefinite period of time.
This is useful for denoting long computations in your bot.
Note
This is both a regular context manager and an async context manager.
This means that bothwith
andasync with
work with this.Example Usage:
async with channel.typing(): # do expensive stuff here await channel.send('done!')
- async for … in fetch_members(limit=100, after=None)
-
Returns a
ThreadMemberIterator
that allows to retrieve the currently joined members of this thread.Note
This requires the
members()
intent to be enabled and will also add the members retrieved tomembers
Examples
Usage
print(f"The thread {channel.name} has the following members:n") async for member in thread.fetch_members(limit=200): print(member)
Flattening into a list
messages = await thread.fetch_members(limit=123).flatten() # messages is now a list of ThreadMember...
All parameters are optional.
- Parameters:
-
-
limit (
int
) – The limit of thread members to retrieve — defaults to 100 -
after (Union[
int
,datetime.datetime
]) – Get thread members after this user ID
-
- Raises:
-
ClientException – The
members
intent is not enabled. - Yields:
-
ThreadMember
– A member of this thread
- property starter_message
-
The starter message of this thread if it was started from a message and the message is cached
- Type:
-
Optional[
Message
]
- property owner
-
Returns the owner(creator) of the thread.
Depending on whether the associated guild member is cached, this returns theMember
instead of theThreadMember
Note
If the thread members are not fetched (can be done manually using
fetch_members()
)
and the guild member is not cached, this returnsNone
.- Returns:
-
The thread owner if cached
- Return type:
-
Optional[Union[
Member
,ThreadMember
]]
- property members
-
Returns a list with cached members of this thread
- Type:
-
List[
Member
]
- property locked
-
Whether the threads conversation is locked by a moderator.
If so, the thread can only be unarchived by a moderator- Type:
-
bool
- property auto_archive_duration
-
The duration after which the thread will auto hide from the channel list
- Type:
-
AutoArchiveDuration
- property archived
-
Whether the thread is archived (e.g. not showing in the channel list)
- Type:
-
bool
- property invitable
-
Private threads only:
WhenTrue
only the owner of the thread and members withmanage_threads
permissions
can add new members- Return type:
-
bool
- property archive_time
-
When the thread’s archive status was last changed, used for calculating recent activity
- Type:
-
Optional[
datetime.datetime
]
- property me
-
The thread member of the bot, or
None
if he is not a member of the thread.- Type:
-
Optional[
ThreadMember
]
- property parent_channel
-
The parent channel of this tread
- Type:
-
Union[
TextChannel
,ForumChannel
]
- property category_id
-
The ID of the threads parent channel category, if any
- Type:
-
Optional[
int
]
- property created_at
-
An aware timestamp of when the thread was created in UTC.
Note
This timestamp only exists for threads created after 9 January 2022, otherwise returns
None
.- Type:
-
Optional[
datetime.datetime
]
- property mention
-
The string that allows you to mention the thread.
- Type:
-
str
- property jump_url
-
Returns a URL that allows the client to jump to the referenced thread.
- Type:
-
str
- get_member(id)
-
ThreadMember
: Returns the thread member with the given ID, orNone
if he is not a member of the thread.
- permissions_for(member)
-
Handles permission resolution for the current
Member
.Note
threads inherit their permissions from their parent channel.
This function takes into consideration the following cases:
-
Guild owner
-
Guild roles
-
Channel overrides
-
Member overrides
- Parameters:
-
member (
Member
) – The member to resolve permissions for. - Returns:
-
The resolved permissions for the member.
- Return type:
-
Permissions
-
- is_nsfw()
-
bool
: Whether the parent channel of this thread has NSFW enabled.
- await join()
-
This function is a coroutine.
Adds the current user to the thread.
Note
Also requires the thread is not archived.
This will fire a
discord.thread_members_update()
event.
- await leave()
-
This function is a coroutine.
Removes the current user from the thread.
Note
Also requires the thread is not archived.
This will fire a
discord.thread_members_update()
event.
- await add_member(member)
-
This function is a coroutine.
Adds another member to the thread.
Note
Requires the ability to send messages in the thread.
Also requires the thread is not archived.
This will fire a
thread_members_update
event.- Parameters:
-
member (Union[
discord.Member
,int
]) – The member that should be added to the thread; could be adiscord.Member
or hisid
(e.g. anint
)
- await remove_member(member)
-
This function is a coroutine.
Removes a member from the thread.
Note
This requires the
MANAGE_THREADS
permission, or to be the creator of the thread if it is aPRIVATE_THREAD
.Also requires the thread is not archived.
This will fire a
thread_members_update
event.- Parameters:
-
member (Union[
discord.Member
,int
]) – The member that should be removed from the thread; could be adiscord.Member
or hisid
(e.g. anint
)
- await delete(*, reason=None)
-
This function is a coroutine.
Deletes the thread channel.
The bot must have
manage_channels
permission to use this.- Parameters:
-
reason (Optional[
str
]) – The reason for deleting this tread.
Shows up on the audit log. - Raises:
-
-
Forbidden – The bot is missing permissions to delete the thread.
-
NotFound – The thread was not found or was already deleted.
-
HTTPException – Deleting the thread failed.
-
- await create_invite(*, reason=None, **fields)
-
This function is a coroutine.
Creates an instant invite from this thread.
You must have the
create_instant_invite
permission to
do this.- Parameters:
-
-
max_age (
int
) – How long the invite should last in seconds. If it’s 0 then the invite
doesn’t expire. Defaults to0
. -
max_uses (
int
) – How many uses the invite could be used for. If it’s 0 then there
are unlimited uses. Defaults to0
. -
temporary (
bool
) – Denotes that the invite grants temporary membership
(i.e. they get kicked after they disconnect). Defaults toFalse
. -
unique (
bool
) – Indicates if a unique invite URL should be created. Defaults to True.
If this is set toFalse
then it will return a previously created
invite. -
reason (Optional[
str
]) – The reason for creating this invite. Shows up on the audit log.
-
- Raises:
-
HTTPException – Invite creation failed.
- Returns:
-
The invite that was created.
- Return type:
-
Invite
- await invites()
-
This function is a coroutine.
Returns a list of all active instant invites from this thread.
You must have
manage_channels
to get this information.- Raises:
-
-
Forbidden – You do not have proper permissions to get the information.
-
HTTPException – An error occurred while fetching the information.
-
- Returns:
-
The list of invites that are currently active.
- Return type:
-
List[
Invite
]
- await edit(*, name=MISSING, archived=MISSING, auto_archive_duration=MISSING, locked=MISSING, invitable=MISSING, slowmode_delay=MISSING, reason=None)
-
This function is a coroutine.
Edits the thread. In order to unarchive it, you must already be a member of it.
- Parameters:
-
-
name (Optional[
str
]) – The channel name. Must be 1-100 characters long -
archived (Optional[
bool
]) – Whether the thread is archived -
auto_archive_duration (Optional[
AutoArchiveDuration
]) – Duration in minutes to automatically archive the thread after recent activity -
locked (Optional[
bool
]) – Whether the thread is locked; when a thread is locked, only users withPermissions.manage_threads
can unarchive it -
invitable (Optional[
bool
]) – Whether non-moderators can add other non-moderators to a thread; only available on private threads -
slowmode_delay (:Optional[
int
]) – Amount of seconds a user has to wait before sending another message (0-21600);
bots, as well as users with the permissionPermissions.manage_messages
,
Permissions.manage_thread
, orPermissions.manage_channel
, are unaffected -
reason (Optional[
str
]) – The reason for editing the channel. Shows up on the audit log.
-
- Raises:
-
-
InvalidArgument: – The
auto_archive_duration
is not a valid member ofAutoArchiveDuration
-
Forbidden: – The bot missing permissions to edit the thread or the specific field
-
HTTPException: – Editing the thread failed
-
- Returns:
-
The updated thread on success
- Return type:
-
ThreadChannel
- await fetch_message(id)
-
This function is a coroutine.
Retrieves a single
Message
from the destination.This can only be used by bot accounts.
- Parameters:
-
id (
int
) – The message ID to look for. - Raises:
-
-
NotFound – The specified message was not found.
-
Forbidden – You do not have the permissions required to get a message.
-
HTTPException – Retrieving the message failed.
-
- Returns:
-
The message asked for.
- Return type:
-
Message
- await pins()
-
This function is a coroutine.
Retrieves all messages that are currently pinned in the channel.
Note
Due to a limitation with the Discord API, the
Message
objects returned by this method do not contain complete
Message.reactions
data.- Raises:
-
HTTPException – Retrieving the pinned messages failed.
- Returns:
-
The messages that are currently pinned.
- Return type:
-
List[
Message
]
- await send(content=None, *, tts=False, embed=None, embeds=None, components=None, file=None, files=None, stickers=None, delete_after=None, nonce=None, allowed_mentions=None, reference=None, mention_author=None, suppress_embeds=False, suppress_notifications=False)
-
This function is a coroutine.
Sends a message to the destination with the content given.
The content must be a type that can convert to a string through
str(content)
.
If the content is set toNone
(the default), then theembed
parameter must
be provided.To upload a single file, the
file
parameter should be used with a
singleFile
object. To upload multiple files, thefiles
parameter should be used with alist
ofFile
objects.If the
embed
parameter is provided, it must be of typeEmbed
and
it must be a rich embed type.- Parameters:
-
-
content (
str
) – The content of the message to send. -
tts (
bool
) – Indicates if the message should be sent using text-to-speech. -
embed (
Embed
) – The rich embed for the content. -
embeds (List[
Embed
]) – A list containing up to ten embeds -
components (List[Union[
ActionRow
, List[Union[Button
,BaseSelect
]]]]) – A list of up to fiveButton
’s or oneBaseSelect
like object. -
file (
File
) – The file to upload. -
files (List[
File
]) – Alist
of files to upload. Must be a maximum of 10. -
stickers (List[
GuildSticker
]) – A list of up to 3discord.GuildSticker
that should be sent with the message. -
nonce (
int
) – The nonce to use for sending this message. If the message was successfully sent,
then the message will have a nonce with this value. -
delete_after (
float
) – 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. -
allowed_mentions (
AllowedMentions
) –Controls the mentions being processed in this message. If this is
passed, then the object is merged withallowed_mentions
.
The merging behaviour only overrides attributes that have been explicitly passed
to the object, otherwise it uses the attributes set inallowed_mentions
.
If no object is passed at all then the defaults given byallowed_mentions
are used instead.New in version 1.4.
-
reference (Union[
Message
,MessageReference
]) –A reference to the
Message
to which you are replying, this can be created using
to_reference()
or passed directly as aMessage
. You can control
whether this mentions the author of the referenced message using thereplied_user
attribute ofallowed_mentions
or by settingmention_author
.New in version 1.6.
-
mention_author (Optional[
bool
]) –If set, overrides the
replied_user
attribute ofallowed_mentions
.New in version 1.6.
-
suppress_embeds (
bool
) – Whether to supress embeds send with the message, default toFalse
-
suppress_notifications (
bool
) –Whether to suppress desktop- & push-notifications for this message, default to
False
Users will still see a ping-symbol when they are mentioned in the message, or the message is in a dm channel.
New in version 2.0.
-
- Raises:
-
-
HTTPException – Sending the message failed.
-
Forbidden – You do not have the proper permissions to send the message.
-
InvalidArgument – The
files
list is not of the appropriate size,
you specified bothfile
andfiles
,
or thereference
object is not aMessage
orMessageReference
.
-
- Returns:
-
The message that was sent.
- Return type:
-
Message
- await trigger_typing()
-
This function is a coroutine.
Triggers a typing indicator to the destination.
Typing indicator will go away after 10 seconds, or after a message is sent.
ThreadMember
Methods
-
defpermissions_in -
asyncsend
- class discord.ThreadMember
-
Represents a minimal
Member
that has joined aThreadChannel
orForumPost
- id
-
The ID of the member
- Type:
-
int
- guild
-
The guild the thread member belongs to
- Type:
-
Guild
- joined_at
-
When the member joined the thread
- Type:
-
datetime.datetime
- thread_id
-
The id of the thread the member belongs to
- Type:
-
int
- guild_id
-
The ID of the guild the thread member belongs to
- Type:
-
int
- property as_guild_member
-
Returns the full guild member for the thread member if cached else
None
- Type:
-
Optional[
Member
]
- await send(*args, **kwargs)
-
A shortcut to
Member.send()
- permissions_in(channel)
-
A shorthand method to
Member.permissions_in()
- Raises:
-
TypeError – The associated guild member is not cached
- property mention
-
Returns a string the client renders as a mention of the user
VoiceChannel
Attributes
- bitrate
- category
- category_id
- changed_roles
- created_at
- guild
- id
- jump_url
- members
- mention
- name
- overwrites
- permissions_synced
- position
- rtc_region
- type
- user_limit
- voice_states
Methods
-
asyncclone -
asyncconnect -
asynccreate_invite -
asyncdelete -
asyncedit -
asyncfetch_message -
defhistory -
asyncinvites -
asyncmove -
defoverwrites_for -
defpermissions_for -
asyncpins -
asyncsend -
asyncset_permissions -
asynctrigger_typing -
deftyping
- class discord.VoiceChannel
-
Represents a Discord guild voice channel.
- x == y
-
Checks if two channels are equal.
- x != y
-
Checks if two channels are not equal.
- hash(x)
-
Returns the channel’s hash.
- str(x)
-
Returns the channel’s name.
- name
-
The channel name.
- Type:
-
str
- guild
-
The guild the channel belongs to.
- Type:
-
Guild
- id
-
The channel ID.
- Type:
-
int
- category_id
-
The category channel ID this channel belongs to, if applicable.
- Type:
-
Optional[
int
]
- position
-
The position in the channel list. This is a number that starts at 0. e.g. the
top channel is position 0.- Type:
-
int
- bitrate
-
The channel’s preferred audio bitrate in bits per second.
- Type:
-
int
- user_limit
-
The channel’s limit for number of members that can be in a voice channel.
- Type:
-
int
- rtc_region
-
The region for the voice channel’s voice communication.
A value ofNone
indicates automatic voice region detection.New in version 1.7.
- Type:
-
Optional[
VoiceRegion
]
- async for … in history(*, limit=100, before=None, after=None, around=None, oldest_first=None)
-
Returns an
AsyncIterator
that enables receiving the destination’s message history.You must have
read_message_history
permissions to use this.Examples
Usage
counter = 0 async for message in channel.history(limit=200): if message.author == client.user: counter += 1
Flattening into a list:
messages = await channel.history(limit=123).flatten() # messages is now a list of Message...
All parameters are optional.
- Parameters:
-
-
limit (Optional[
int
]) – The number of messages to retrieve.
IfNone
, retrieves every message in the channel. Note, however,
that this would make it a slow operation. -
before (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages before this date or message.
If a date is provided it must be a timezone-naive datetime representing UTC time. -
after (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages after this date or message.
If a date is provided it must be a timezone-naive datetime representing UTC time. -
around (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages around this date or message.
If a date is provided it must be a timezone-naive datetime representing UTC time.
When using this argument, the maximum limit is 101. Note that if the limit is an
even number, then this will return at most limit + 1 messages. -
oldest_first (Optional[
bool
]) – If set toTrue
, return messages in oldest->newest order. Defaults toTrue
if
after
is specified, otherwiseFalse
.
-
- Raises:
-
-
Forbidden – You do not have permissions to get channel message history.
-
HTTPException – The request to get message history failed.
-
- Yields:
-
Message
– The message with the message data parsed.
- async with typing()
-
Returns a context manager that allows you to type for an indefinite period of time.
This is useful for denoting long computations in your bot.
Note
This is both a regular context manager and an async context manager.
This means that bothwith
andasync with
work with this.Example Usage:
async with channel.typing(): # do expensive stuff here await channel.send('done!')
- property type
-
The channel’s Discord type.
- Type:
-
ChannelType
- await clone(*, name=None, reason=None)
-
This function is a coroutine.
Clones this channel. This creates a channel with the same properties
as this channel.You must have the
manage_channels
permission to
do this.New in version 1.1.
- Parameters:
-
-
name (Optional[
str
]) – The name of the new channel. If not provided, defaults to this
channel name. -
reason (Optional[
str
]) – The reason for cloning this channel. Shows up on the audit log.
-
- Raises:
-
-
Forbidden – You do not have the proper permissions to create this channel.
-
HTTPException – Creating the channel failed.
-
- Returns:
-
The channel that was created.
- Return type:
-
abc.GuildChannel
- await edit(*, reason=None, **options)
-
This function is a coroutine.
Edits the channel.
You must have the
manage_channels
permission to
use this.Changed in version 1.3: The
overwrites
keyword-only parameter was added.- Parameters:
-
-
name (
str
) – The new channel’s name. -
bitrate (
int
) – The new channel’s bitrate. -
user_limit (
int
) – The new channel’s user limit. -
position (
int
) – The new channel’s position. -
sync_permissions (
bool
) – Whether to sync permissions with the channel’s new or pre-existing
category. Defaults toFalse
. -
category (Optional[
CategoryChannel
]) – The new category for this channel. Can beNone
to remove the
category. -
reason (Optional[
str
]) – The reason for editing this channel. Shows up on the audit log. -
overwrites (
dict
) – Adict
of target (either a role or a member) to
PermissionOverwrite
to apply to the channel. -
rtc_region (Optional[
VoiceRegion
]) –The new region for the voice channel’s voice communication.
A value ofNone
indicates automatic voice region detection.New in version 1.7.
-
- Raises:
-
-
InvalidArgument – If the permission overwrite information is not in proper form.
-
Forbidden – You do not have permissions to edit the channel.
-
HTTPException – Editing the channel failed.
-
- property category
-
The category this channel belongs to.
If there is no category then this is
None
.- Type:
-
Optional[
CategoryChannel
]
- property changed_roles
-
Returns a list of roles that have been overridden from
their default values in theroles
attribute.- Type:
-
List[
Role
]
- await connect(*, timeout=60.0, reconnect=True, cls=<class ‘discord.voice_client.VoiceClient’>)
-
This function is a coroutine.
Connects to voice and creates a
VoiceClient
to establish
your connection to the voice server.- Parameters:
-
-
timeout (
float
) – The timeout in seconds to wait for the voice endpoint. -
reconnect (
bool
) – Whether the bot should automatically attempt
a reconnect if a part of the handshake fails
or the gateway goes down. -
cls (Type[
VoiceProtocol
]) – A type that subclassesVoiceProtocol
to connect with.
Defaults toVoiceClient
.
-
- Raises:
-
-
asyncio.TimeoutError – Could not connect to the voice channel in time.
-
ClientException – You are already connected to a voice channel.
-
OpusNotLoaded – The opus library has not been loaded.
-
- Returns:
-
A voice client that is fully connected to the voice server.
- Return type:
-
VoiceProtocol
- await create_invite(*, reason=None, **fields)
-
This function is a coroutine.
Creates an instant invite from a text or voice channel.
You must have the
create_instant_invite
permission to
do this.- Parameters:
-
-
max_age (Optional[
int
]) – How long the invite should last in seconds. If it’s 0 then the invite
doesn’t expire. Defaults to0
. -
max_uses (Optional[
int
]) – How many uses the invite could be used for. If it’s 0 then there
are unlimited uses. Defaults to0
. -
temporary (Optional[
bool
]) – Denotes that the invite grants temporary membership
(i.e. they get kicked after they disconnect). Defaults toFalse
. -
unique (Optional[
bool
]) – Indicates if a unique invite URL should be created. Defaults to True.
If this is set toFalse
then it will return a previously created
invite. -
target_type (Optional[
int
]) – The type of target for this voice channel invite.1
for stream and2
for embedded-application. -
target_user_id (Optional[
int
]) – The id of theUser
whose stream to display for this invite,
required iftarget_type
is1
, the user must be streaming in the channel. -
target_application_id (Optional[
int
]) – The id of the embedded application to open for this invite,
required iftarget_type
is2
, the application must have the EMBEDDED flag. -
reason (Optional[
str
]) – The reason for creating this invite. Shows up on the audit log.
-
- Raises:
-
-
HTTPException – Invite creation failed.
-
NotFound – The channel that was passed is a category or an invalid channel.
-
- Returns:
-
The invite that was created.
- Return type:
-
Invite
- property created_at
-
Returns the channel’s creation time in UTC.
- Type:
-
datetime.datetime
- await delete(*, reason=None)
-
This function is a coroutine.
Deletes the channel.
You must have
manage_channels
permission to use this.- Parameters:
-
reason (Optional[
str
]) – The reason for deleting this channel.
Shows up on the audit log. - Raises:
-
-
Forbidden – You do not have proper permissions to delete the channel.
-
NotFound – The channel was not found or was already deleted.
-
HTTPException – Deleting the channel failed.
-
- await fetch_message(id)
-
This function is a coroutine.
Retrieves a single
Message
from the destination.This can only be used by bot accounts.
- Parameters:
-
id (
int
) – The message ID to look for. - Raises:
-
-
NotFound – The specified message was not found.
-
Forbidden – You do not have the permissions required to get a message.
-
HTTPException – Retrieving the message failed.
-
- Returns:
-
The message asked for.
- Return type:
-
Message
- await invites()
-
This function is a coroutine.
Returns a list of all active instant invites from this channel.
You must have
manage_channels
to get this information.- Raises:
-
-
Forbidden – You do not have proper permissions to get the information.
-
HTTPException – An error occurred while fetching the information.
-
- Returns:
-
The list of invites that are currently active.
- Return type:
-
List[
Invite
]
- property jump_url
-
Returns a URL that allows the client to jump to the referenced channel.
- Type:
-
str
- property members
-
Returns all members that are currently inside this voice channel.
- Type:
-
List[
Member
]
- property mention
-
The string that allows you to mention the channel.
- Type:
-
str
- await move(**kwargs)
-
This function is a coroutine.
A rich interface to help move a channel relative to other channels.
If exact position movement is required,
edit()
should be used instead.You must have the
manage_channels
permission to
do this.Note
Voice channels will always be sorted below text channels.
This is a Discord limitation.New in version 1.7.
- Parameters:
-
-
beginning (
bool
) – Whether to move the channel to the beginning of the
channel list (or category if given).
This is mutually exclusive withend
,before
, andafter
. -
end (
bool
) – Whether to move the channel to the end of the
channel list (or category if given).
This is mutually exclusive withbeginning
,before
, andafter
. -
before (
Snowflake
) – The channel that should be before our current channel.
This is mutually exclusive withbeginning
,end
, andafter
. -
after (
Snowflake
) – The channel that should be after our current channel.
This is mutually exclusive withbeginning
,end
, andbefore
. -
offset (
int
) – The number of channels to offset the move by. For example,
an offset of2
withbeginning=True
would move
it 2 after the beginning. A positive number moves it below
while a negative number moves it above. Note that this
number is relative and computed after thebeginning
,
end
,before
, andafter
parameters. -
category (Optional[
Snowflake
]) – The category to move this channel under.
IfNone
is given then it moves it out of the category.
This parameter is ignored if moving a category channel. -
sync_permissions (
bool
) – Whether to sync the permissions with the category (if given). -
reason (
str
) – The reason for the move.
-
- Raises:
-
-
InvalidArgument – An invalid position was given or a bad mix of arguments were passed.
-
Forbidden – You do not have permissions to move the channel.
-
HTTPException – Moving the channel failed.
-
- property overwrites
-
Returns all of the channel’s overwrites.
This is returned as a dictionary where the key contains the target which
can be either aRole
or aMember
and the value is the
overwrite as aPermissionOverwrite
.- Returns:
-
The channel’s permission overwrites.
- Return type:
-
Mapping[Union[
Role
,Member
],PermissionOverwrite
]
- overwrites_for(obj)
-
Returns the channel-specific overwrites for a member or a role.
- Parameters:
-
obj (Union[
Role
,User
]) – The role or user denoting
whose overwrite to get. - Returns:
-
The permission overwrites for this object.
- Return type:
-
PermissionOverwrite
- permissions_for(member)
-
Handles permission resolution for the current
Member
.This function takes into consideration the following cases:
-
Guild owner
-
Guild roles
-
Channel overrides
-
Member overrides
- Parameters:
-
member (
Member
) – The member to resolve permissions for. - Returns:
-
The resolved permissions for the member.
- Return type:
-
Permissions
-
- property permissions_synced
-
Whether or not the permissions for this channel are synced with the
category it belongs to.If there is no category then this is
False
.New in version 1.3.
- Type:
-
bool
- await pins()
-
This function is a coroutine.
Retrieves all messages that are currently pinned in the channel.
Note
Due to a limitation with the Discord API, the
Message
objects returned by this method do not contain complete
Message.reactions
data.- Raises:
-
HTTPException – Retrieving the pinned messages failed.
- Returns:
-
The messages that are currently pinned.
- Return type:
-
List[
Message
]
- await send(content=None, *, tts=False, embed=None, embeds=None, components=None, file=None, files=None, stickers=None, delete_after=None, nonce=None, allowed_mentions=None, reference=None, mention_author=None, suppress_embeds=False, suppress_notifications=False)
-
This function is a coroutine.
Sends a message to the destination with the content given.
The content must be a type that can convert to a string through
str(content)
.
If the content is set toNone
(the default), then theembed
parameter must
be provided.To upload a single file, the
file
parameter should be used with a
singleFile
object. To upload multiple files, thefiles
parameter should be used with alist
ofFile
objects.If the
embed
parameter is provided, it must be of typeEmbed
and
it must be a rich embed type.- Parameters:
-
-
content (
str
) – The content of the message to send. -
tts (
bool
) – Indicates if the message should be sent using text-to-speech. -
embed (
Embed
) – The rich embed for the content. -
embeds (List[
Embed
]) – A list containing up to ten embeds -
components (List[Union[
ActionRow
, List[Union[Button
,BaseSelect
]]]]) – A list of up to fiveButton
’s or oneBaseSelect
like object. -
file (
File
) – The file to upload. -
files (List[
File
]) – Alist
of files to upload. Must be a maximum of 10. -
stickers (List[
GuildSticker
]) – A list of up to 3discord.GuildSticker
that should be sent with the message. -
nonce (
int
) – The nonce to use for sending this message. If the message was successfully sent,
then the message will have a nonce with this value. -
delete_after (
float
) – 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. -
allowed_mentions (
AllowedMentions
) –Controls the mentions being processed in this message. If this is
passed, then the object is merged withallowed_mentions
.
The merging behaviour only overrides attributes that have been explicitly passed
to the object, otherwise it uses the attributes set inallowed_mentions
.
If no object is passed at all then the defaults given byallowed_mentions
are used instead.New in version 1.4.
-
reference (Union[
Message
,MessageReference
]) –A reference to the
Message
to which you are replying, this can be created using
to_reference()
or passed directly as aMessage
. You can control
whether this mentions the author of the referenced message using thereplied_user
attribute ofallowed_mentions
or by settingmention_author
.New in version 1.6.
-
mention_author (Optional[
bool
]) –If set, overrides the
replied_user
attribute ofallowed_mentions
.New in version 1.6.
-
suppress_embeds (
bool
) – Whether to supress embeds send with the message, default toFalse
-
suppress_notifications (
bool
) –Whether to suppress desktop- & push-notifications for this message, default to
False
Users will still see a ping-symbol when they are mentioned in the message, or the message is in a dm channel.
New in version 2.0.
-
- Raises:
-
-
HTTPException – Sending the message failed.
-
Forbidden – You do not have the proper permissions to send the message.
-
InvalidArgument – The
files
list is not of the appropriate size,
you specified bothfile
andfiles
,
or thereference
object is not aMessage
orMessageReference
.
-
- Returns:
-
The message that was sent.
- Return type:
-
Message
- await set_permissions(target, *, overwrite=see — below, reason=None, **permissions)
-
This function is a coroutine.
Sets the channel specific permission overwrites for a target in the
channel.The
target
parameter should either be aMember
or a
Role
that belongs to guild.The
overwrite
parameter, if given, must either beNone
or
PermissionOverwrite
. For convenience, you can pass in
keyword arguments denotingPermissions
attributes. If this is
done, then you cannot mix the keyword arguments with theoverwrite
parameter.If the
overwrite
parameter isNone
, then the permission
overwrites are deleted.You must have the
manage_roles
permission to use this.Examples
Setting allow and deny:
await message.channel.set_permissions(message.author, read_messages=True, send_messages=False)
Deleting overwrites
await channel.set_permissions(member, overwrite=None)
Using
PermissionOverwrite
overwrite = discord.PermissionOverwrite() overwrite.send_messages = False overwrite.read_messages = True await channel.set_permissions(member, overwrite=overwrite)
- Parameters:
-
-
target (Union[
Member
,Role
]) – The member or role to overwrite permissions for. -
overwrite (Optional[
PermissionOverwrite
]) – The permissions to allow and deny to the target, orNone
to
delete the overwrite. -
**permissions – A keyword argument list of permissions to set for ease of use.
Cannot be mixed withoverwrite
. -
reason (Optional[
str
]) – The reason for doing this action. Shows up on the audit log.
-
- Raises:
-
-
Forbidden – You do not have permissions to edit channel specific permissions.
-
HTTPException – Editing channel specific permissions failed.
-
NotFound – The role or member being edited is not part of the guild.
-
InvalidArgument – The overwrite parameter invalid or the target type was not
Role
orMember
.
-
- await trigger_typing()
-
This function is a coroutine.
Triggers a typing indicator to the destination.
Typing indicator will go away after 10 seconds, or after a message is sent.
- property voice_states
-
Returns a mapping of member IDs who have voice states in this channel.
New in version 1.3.
Note
This function is intentionally low level to replace
members
when the member cache is unavailable.- Returns:
-
The mapping of member ID to a voice state.
- Return type:
-
Mapping[
int
,VoiceState
]
StageChannel
Attributes
- bitrate
- category
- category_id
- changed_roles
- created_at
- guild
- id
- jump_url
- members
- mention
- name
- overwrites
- permissions_synced
- position
- requesting_to_speak
- rtc_region
- topic
- type
- user_limit
- voice_states
Methods
-
asyncclone -
asyncconnect -
asynccreate_invite -
asyncdelete -
asyncedit -
asyncinvites -
asyncmove -
defoverwrites_for -
defpermissions_for -
asyncset_permissions
- class discord.StageChannel
-
Represents a Discord guild stage channel.
New in version 1.7.
- x == y
-
Checks if two channels are equal.
- x != y
-
Checks if two channels are not equal.
- hash(x)
-
Returns the channel’s hash.
- str(x)
-
Returns the channel’s name.
- name
-
The channel name.
- Type:
-
str
- guild
-
The guild the channel belongs to.
- Type:
-
Guild
- id
-
The channel ID.
- Type:
-
int
- topic
-
The channel’s topic.
None
if it isn’t set.- Type:
-
Optional[
str
]
- category_id
-
The category channel ID this channel belongs to, if applicable.
- Type:
-
Optional[
int
]
- position
-
The position in the channel list. This is a number that starts at 0. e.g. the
top channel is position 0.- Type:
-
int
- bitrate
-
The channel’s preferred audio bitrate in bits per second.
- Type:
-
int
- user_limit
-
The channel’s limit for number of members that can be in a stage channel.
- Type:
-
int
- rtc_region
-
The region for the stage channel’s voice communication.
A value ofNone
indicates automatic voice region detection.- Type:
-
Optional[
VoiceRegion
]
- property requesting_to_speak
-
A list of members who are requesting to speak in the stage channel.
- Type:
-
List[
Member
]
- property type
-
The channel’s Discord type.
- Type:
-
ChannelType
- await clone(*, name=None, reason=None)
-
This function is a coroutine.
Clones this channel. This creates a channel with the same properties
as this channel.You must have the
manage_channels
permission to
do this.New in version 1.1.
- Parameters:
-
-
name (Optional[
str
]) – The name of the new channel. If not provided, defaults to this
channel name. -
reason (Optional[
str
]) – The reason for cloning this channel. Shows up on the audit log.
-
- Raises:
-
-
Forbidden – You do not have the proper permissions to create this channel.
-
HTTPException – Creating the channel failed.
-
- Returns:
-
The channel that was created.
- Return type:
-
abc.GuildChannel
- await edit(*, reason=None, **options)
-
This function is a coroutine.
Edits the channel.
You must have the
manage_channels
permission to
use this.- Parameters:
-
-
name (
str
) – The new channel’s name. -
topic (
str
) – The new channel’s topic. -
position (
int
) – The new channel’s position. -
sync_permissions (
bool
) – Whether to sync permissions with the channel’s new or pre-existing
category. Defaults toFalse
. -
category (Optional[
CategoryChannel
]) – The new category for this channel. Can beNone
to remove the
category. -
reason (Optional[
str
]) – The reason for editing this channel. Shows up on the audit log. -
overwrites (
dict
) – Adict
of target (either a role or a member) to
PermissionOverwrite
to apply to the channel. -
rtc_region (Optional[
VoiceRegion
]) – The new region for the stage channel’s voice communication.
A value ofNone
indicates automatic voice region detection.
-
- Raises:
-
-
InvalidArgument – If the permission overwrite information is not in proper form.
-
Forbidden – You do not have permissions to edit the channel.
-
HTTPException – Editing the channel failed.
-
- property category
-
The category this channel belongs to.
If there is no category then this is
None
.- Type:
-
Optional[
CategoryChannel
]
- property changed_roles
-
Returns a list of roles that have been overridden from
their default values in theroles
attribute.- Type:
-
List[
Role
]
- await connect(*, timeout=60.0, reconnect=True, cls=<class ‘discord.voice_client.VoiceClient’>)
-
This function is a coroutine.
Connects to voice and creates a
VoiceClient
to establish
your connection to the voice server.- Parameters:
-
-
timeout (
float
) – The timeout in seconds to wait for the voice endpoint. -
reconnect (
bool
) – Whether the bot should automatically attempt
a reconnect if a part of the handshake fails
or the gateway goes down. -
cls (Type[
VoiceProtocol
]) – A type that subclassesVoiceProtocol
to connect with.
Defaults toVoiceClient
.
-
- Raises:
-
-
asyncio.TimeoutError – Could not connect to the voice channel in time.
-
ClientException – You are already connected to a voice channel.
-
OpusNotLoaded – The opus library has not been loaded.
-
- Returns:
-
A voice client that is fully connected to the voice server.
- Return type:
-
VoiceProtocol
- await create_invite(*, reason=None, **fields)
-
This function is a coroutine.
Creates an instant invite from a text or voice channel.
You must have the
create_instant_invite
permission to
do this.- Parameters:
-
-
max_age (Optional[
int
]) – How long the invite should last in seconds. If it’s 0 then the invite
doesn’t expire. Defaults to0
. -
max_uses (Optional[
int
]) – How many uses the invite could be used for. If it’s 0 then there
are unlimited uses. Defaults to0
. -
temporary (Optional[
bool
]) – Denotes that the invite grants temporary membership
(i.e. they get kicked after they disconnect). Defaults toFalse
. -
unique (Optional[
bool
]) – Indicates if a unique invite URL should be created. Defaults to True.
If this is set toFalse
then it will return a previously created
invite. -
target_type (Optional[
int
]) – The type of target for this voice channel invite.1
for stream and2
for embedded-application. -
target_user_id (Optional[
int
]) – The id of theUser
whose stream to display for this invite,
required iftarget_type
is1
, the user must be streaming in the channel. -
target_application_id (Optional[
int
]) – The id of the embedded application to open for this invite,
required iftarget_type
is2
, the application must have the EMBEDDED flag. -
reason (Optional[
str
]) – The reason for creating this invite. Shows up on the audit log.
-
- Raises:
-
-
HTTPException – Invite creation failed.
-
NotFound – The channel that was passed is a category or an invalid channel.
-
- Returns:
-
The invite that was created.
- Return type:
-
Invite
- property created_at
-
Returns the channel’s creation time in UTC.
- Type:
-
datetime.datetime
- await delete(*, reason=None)
-
This function is a coroutine.
Deletes the channel.
You must have
manage_channels
permission to use this.- Parameters:
-
reason (Optional[
str
]) – The reason for deleting this channel.
Shows up on the audit log. - Raises:
-
-
Forbidden – You do not have proper permissions to delete the channel.
-
NotFound – The channel was not found or was already deleted.
-
HTTPException – Deleting the channel failed.
-
- await invites()
-
This function is a coroutine.
Returns a list of all active instant invites from this channel.
You must have
manage_channels
to get this information.- Raises:
-
-
Forbidden – You do not have proper permissions to get the information.
-
HTTPException – An error occurred while fetching the information.
-
- Returns:
-
The list of invites that are currently active.
- Return type:
-
List[
Invite
]
- property jump_url
-
Returns a URL that allows the client to jump to the referenced channel.
- Type:
-
str
- property members
-
Returns all members that are currently inside this voice channel.
- Type:
-
List[
Member
]
- property mention
-
The string that allows you to mention the channel.
- Type:
-
str
- await move(**kwargs)
-
This function is a coroutine.
A rich interface to help move a channel relative to other channels.
If exact position movement is required,
edit()
should be used instead.You must have the
manage_channels
permission to
do this.Note
Voice channels will always be sorted below text channels.
This is a Discord limitation.New in version 1.7.
- Parameters:
-
-
beginning (
bool
) – Whether to move the channel to the beginning of the
channel list (or category if given).
This is mutually exclusive withend
,before
, andafter
. -
end (
bool
) – Whether to move the channel to the end of the
channel list (or category if given).
This is mutually exclusive withbeginning
,before
, andafter
. -
before (
Snowflake
) – The channel that should be before our current channel.
This is mutually exclusive withbeginning
,end
, andafter
. -
after (
Snowflake
) – The channel that should be after our current channel.
This is mutually exclusive withbeginning
,end
, andbefore
. -
offset (
int
) – The number of channels to offset the move by. For example,
an offset of2
withbeginning=True
would move
it 2 after the beginning. A positive number moves it below
while a negative number moves it above. Note that this
number is relative and computed after thebeginning
,
end
,before
, andafter
parameters. -
category (Optional[
Snowflake
]) – The category to move this channel under.
IfNone
is given then it moves it out of the category.
This parameter is ignored if moving a category channel. -
sync_permissions (
bool
) – Whether to sync the permissions with the category (if given). -
reason (
str
) – The reason for the move.
-
- Raises:
-
-
InvalidArgument – An invalid position was given or a bad mix of arguments were passed.
-
Forbidden – You do not have permissions to move the channel.
-
HTTPException – Moving the channel failed.
-
- property overwrites
-
Returns all of the channel’s overwrites.
This is returned as a dictionary where the key contains the target which
can be either aRole
or aMember
and the value is the
overwrite as aPermissionOverwrite
.- Returns:
-
The channel’s permission overwrites.
- Return type:
-
Mapping[Union[
Role
,Member
],PermissionOverwrite
]
- overwrites_for(obj)
-
Returns the channel-specific overwrites for a member or a role.
- Parameters:
-
obj (Union[
Role
,User
]) – The role or user denoting
whose overwrite to get. - Returns:
-
The permission overwrites for this object.
- Return type:
-
PermissionOverwrite
- permissions_for(member)
-
Handles permission resolution for the current
Member
.This function takes into consideration the following cases:
-
Guild owner
-
Guild roles
-
Channel overrides
-
Member overrides
- Parameters:
-
member (
Member
) – The member to resolve permissions for. - Returns:
-
The resolved permissions for the member.
- Return type:
-
Permissions
-
- property permissions_synced
-
Whether or not the permissions for this channel are synced with the
category it belongs to.If there is no category then this is
False
.New in version 1.3.
- Type:
-
bool
- await set_permissions(target, *, overwrite=see — below, reason=None, **permissions)
-
This function is a coroutine.
Sets the channel specific permission overwrites for a target in the
channel.The
target
parameter should either be aMember
or a
Role
that belongs to guild.The
overwrite
parameter, if given, must either beNone
or
PermissionOverwrite
. For convenience, you can pass in
keyword arguments denotingPermissions
attributes. If this is
done, then you cannot mix the keyword arguments with theoverwrite
parameter.If the
overwrite
parameter isNone
, then the permission
overwrites are deleted.You must have the
manage_roles
permission to use this.Examples
Setting allow and deny:
await message.channel.set_permissions(message.author, read_messages=True, send_messages=False)
Deleting overwrites
await channel.set_permissions(member, overwrite=None)
Using
PermissionOverwrite
overwrite = discord.PermissionOverwrite() overwrite.send_messages = False overwrite.read_messages = True await channel.set_permissions(member, overwrite=overwrite)
- Parameters:
-
-
target (Union[
Member
,Role
]) – The member or role to overwrite permissions for. -
overwrite (Optional[
PermissionOverwrite
]) – The permissions to allow and deny to the target, orNone
to
delete the overwrite. -
**permissions – A keyword argument list of permissions to set for ease of use.
Cannot be mixed withoverwrite
. -
reason (Optional[
str
]) – The reason for doing this action. Shows up on the audit log.
-
- Raises:
-
-
Forbidden – You do not have permissions to edit channel specific permissions.
-
HTTPException – Editing channel specific permissions failed.
-
NotFound – The role or member being edited is not part of the guild.
-
InvalidArgument – The overwrite parameter invalid or the target type was not
Role
orMember
.
-
- property voice_states
-
Returns a mapping of member IDs who have voice states in this channel.
New in version 1.3.
Note
This function is intentionally low level to replace
members
when the member cache is unavailable.- Returns:
-
The mapping of member ID to a voice state.
- Return type:
-
Mapping[
int
,VoiceState
]
ForumChannel
Attributes
- available_tags
- category_id
- default_reaction_emoji
- flags
- guild
- id
- last_post
- last_post_id
- members
- name
- position
- posts
- slowmode_delay
- topic
- type
Methods
-
asyncclone -
asynccreate_post -
asynccreate_webhook -
asyncedit -
defget_post -
defget_tag -
defis_nsfw -
defpermissions_for -
asyncwebhooks
- class discord.ForumChannel
-
Represents a forum channel.
- x == y
-
Checks if two channels are equal.
- x != y
-
Checks if two channels are not equal.
- hash(x)
-
Returns the channel’s hash.
- str(x)
-
Returns the channel’s name.
- name
-
The channel name.
- Type:
-
str
- guild
-
The guild the channel belongs to.
- Type:
-
Guild
- id
-
The channel ID.
- Type:
-
int
- category_id
-
The category channel ID this channel belongs to, if applicable.
- Type:
-
Optional[
int
]
- topic
-
The channel’s topic.
None
if it doesn’t exist.- Type:
-
Optional[
str
]
- flags
-
The channel’s flags.
- Type:
-
ChannelFlags
- default_reaction_emoji
-
The default emoji for reactiong to a post in this forum
- Type:
-
Optional[
PartialEmoji
- position
-
The position in the channel list. This is a number that starts at 0. e.g. the
top channel is position 0.- Type:
-
int
- last_post_id
-
The ID of the last post that was createt in this forum, this may
not point to an existing or valid post.- Type:
-
Optional[
int
]
- slowmode_delay
-
The number of seconds a member must wait between sending messages
in posts inside this channel. A value of 0 denotes that it is disabled.
Bots and users withmanage_channels
or
manage_messages
bypass slowmode.- Type:
-
int
- property type
-
The channel’s type.
- Type:
-
ChannelType
- get_post(id)
-
Optional[
ForumPost
]: Returns a post in the forum with the given ID. or None when not found.
- property posts
-
A list of all cached posts in the forum.
- Type:
-
List[
ForumPost
]
- get_tag(tag_id)
-
Optional[
ForumTag
]: Returns a tag with the given ID in the forum, orNone
when not found.
- property available_tags
-
A list of all tags available in the forum.
- Type:
-
List[
ForumTag
]
- permissions_for(member)
-
Handles permission resolution for the current
Member
.This function takes into consideration the following cases:
-
Guild owner
-
Guild roles
-
Channel overrides
-
Member overrides
- Parameters:
-
member (
Member
) – The member to resolve permissions for. - Returns:
-
The resolved permissions for the member.
- Return type:
-
Permissions
-
- property members
-
Returns all members that can see this channel.
- Type:
-
List[
Member
]
- is_nsfw()
-
bool
: Checks if the channel is NSFW.
- property last_post
-
Fetches the last post from this channel in cache.
The post might not be valid or point to an existing post.
- Returns:
-
The last post in this channel or
None
if not found. - Return type:
-
Optional[
ForumPost
]
- await edit(*, name=MISSING, topic=MISSING, available_tags=MISSING, tags_required=MISSING, default_post_sort_order=MISSING, position=MISSING, nsfw=MISSING, sync_permissions=False, category=MISSING, slowmode_delay=MISSING, overwrites=MISSING, reason=None)
-
This function is a coroutine.
Edits the channel.
You must have the
manage_channels
permission to
use this.- Parameters:
-
-
name (
str
) – The new channel name. -
topic (
str
) – The new channel’s topic. -
available_tags (Sequence[
ForumTag
]) – An iterable of tags to keep as well of new tags.
You can use this to reorder the tags. -
tags_required (
bool
) – Whether new created post require at least one tag provided on creation -
default_post_sort_order (Optional[PostSortOrder]) – How the posts in the forum will be sorted for users by default.
-
position (
int
) – The new channel’s position. -
nsfw (
bool
) – To mark the channel as NSFW or not. -
sync_permissions (
bool
) – Whether to sync permissions with the channel’s new or pre-existing
category. Defaults toFalse
. -
category (Optional[
CategoryChannel
]) – The new category for this channel. Can beNone
to remove the
category. -
slowmode_delay (
int
) – Specifies the slowmode rate limit for user in this channel, in seconds.
A value of 0 disables slowmode. The maximum value possible is 21600. -
overwrites (
dict
) – Adict
of target (either a role or a member) to
PermissionOverwrite
to apply to the channel. -
reason (Optional[
str
]) – The reason for editing this channel. Shows up on the audit log.
-
- Raises:
-
-
InvalidArgument – If position is less than 0 or greater than the number of channels, or if
the permission overwrite information is not in proper form. -
Forbidden – You do not have permissions to edit the channel.
-
HTTPException – Editing the channel failed.
-
- await clone(*, name=None, reason=None)
-
This function is a coroutine.
Clones this channel. This creates a channel with the same properties
as this channel.You must have the
manage_channels
permission to
do this.New in version 1.1.
- Parameters:
-
-
name (Optional[
str
]) – The name of the new channel. If not provided, defaults to this
channel name. -
reason (Optional[
str
]) – The reason for cloning this channel. Shows up on the audit log.
-
- Raises:
-
-
Forbidden – You do not have the proper permissions to create this channel.
-
HTTPException – Creating the channel failed.
-
- Returns:
-
The channel that was created.
- Return type:
-
abc.GuildChannel
- await webhooks()
-
This function is a coroutine.
Gets the list of webhooks from this channel.
Requires
manage_webhooks
permissions.- Raises:
-
Forbidden – You don’t have permissions to get the webhooks.
- Returns:
-
The webhooks for this channel.
- Return type:
-
List[
Webhook
]
- await create_webhook(*, name, avatar=None, reason=None)
-
This function is a coroutine.
Creates a webhook for this channel.
Requires
manage_webhooks
permissions.- Parameters:
-
-
name (
str
) – The webhook’s name. -
avatar (Optional[
bytes
]) – A bytes-like object representing the webhook’s default avatar.
This operates similarly toedit()
. -
reason (Optional[
str
]) – The reason for creating this webhook. Shows up in the audit logs.
-
- Raises:
-
-
HTTPException – Creating the webhook failed.
-
Forbidden – You do not have permissions to create a webhook.
-
- Returns:
-
The created webhook.
- Return type:
-
Webhook
- await create_post(*, name, tags=None, content=None, embed=None, embeds=None, components=None, file=None, files=None, allowed_mentions=None, suppress_embeds=False, supress_notifications=False, auto_archive_duration=None, slowmode_delay=0, reason=None)
-
This function is a coroutine.
Creates a new post in this forum. Requires the
create_posts
permission.- Parameters:
-
-
name (
str
) – The name of the post. -
tags (Optional[List[
ForumTag
]]) – The list of up to 5 tags that should be added to the post.
These tags must be from the parent channel (forum). -
content (
str
) – The content of the post starter-message. -
embed (Optional[
Embed
]) – A embed of the post starter-message. -
embeds (List[
Embed
]) – A list of up to 10 embeds to include in the post starter-message. -
components (List[Union[
ActionRow
, List[Union[Button
,BaseSelect
]]]]) – A list of components to include in the post starter-message. -
file (Optional[class:File]) – A file to include in the post starter-message.
-
files (List[
File
]) – A list of files to include in the post starter-message. -
allowed_mentions (Optional[
AllowedMentions
]) – The allowed mentions for the post. -
suppress_embeds (Optional[
bool
]) – Whether to suppress embeds in the post starter-message. -
supress_notifications (Optional[
bool
]) –Whether to suppress desktop- & push-notifications for the post starter-message.
Users will still see a ping-symbol when they are mentioned in the message, or the message is in a dm channel.
-
auto_archive_duration (Optional[
AutoArchiveDuration
]) – The duration after the post will be archived automatically when inactive. -
slowmode_delay (Optional[
int
]) – The amount of seconds a user has to wait before sending another message (0-21600) -
reason (Optional[
str
]) – The reason for creating this post. Shows up in the audit logs.
-
- Raises:
-
-
InvalidArgument – The forum requires
tags
on post creation but no tags where provided,
orname
is of invalid length,
orauto_archive_duration
is not of valid type. -
Forbidden – The bot does not have permissions to create posts in this channel
-
HTTPException – Creating the post failed
-
ForumPost
Attributes
- applied_tags
- archive_time
- archived
- auto_archive_duration
- category_id
- created_at
- guild
- id
- invitable
- jump_url
- locked
- me
- members
- mention
- owner
- parent_channel
- starter_message
Methods
-
asyncadd_member -
asynccreate_invite -
asyncdelete -
asyncedit -
asyncedit_tags -
deffetch_members -
asyncfetch_message -
defget_member -
defhistory -
asyncinvites -
defis_nsfw -
asyncjoin -
asyncleave -
defpermissions_for -
asyncpins -
asyncremove_member -
asyncsend -
asynctrigger_typing -
deftyping
- class discord.ForumPost
-
Represents a post in a
ForumChannel
, this is very similar to aThreadChannel
- guild
-
The guild this post belongs to
- Type:
-
Guild
- id
-
The ID of the post
- Type:
-
int
- async for … in history(*, limit=100, before=None, after=None, around=None, oldest_first=None)
-
Returns an
AsyncIterator
that enables receiving the destination’s message history.You must have
read_message_history
permissions to use this.Examples
Usage
counter = 0 async for message in channel.history(limit=200): if message.author == client.user: counter += 1
Flattening into a list:
messages = await channel.history(limit=123).flatten() # messages is now a list of Message...
All parameters are optional.
- Parameters:
-
-
limit (Optional[
int
]) – The number of messages to retrieve.
IfNone
, retrieves every message in the channel. Note, however,
that this would make it a slow operation. -
before (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages before this date or message.
If a date is provided it must be a timezone-naive datetime representing UTC time. -
after (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages after this date or message.
If a date is provided it must be a timezone-naive datetime representing UTC time. -
around (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages around this date or message.
If a date is provided it must be a timezone-naive datetime representing UTC time.
When using this argument, the maximum limit is 101. Note that if the limit is an
even number, then this will return at most limit + 1 messages. -
oldest_first (Optional[
bool
]) – If set toTrue
, return messages in oldest->newest order. Defaults toTrue
if
after
is specified, otherwiseFalse
.
-
- Raises:
-
-
Forbidden – You do not have permissions to get channel message history.
-
HTTPException – The request to get message history failed.
-
- Yields:
-
Message
– The message with the message data parsed.
- async with typing()
-
Returns a context manager that allows you to type for an indefinite period of time.
This is useful for denoting long computations in your bot.
Note
This is both a regular context manager and an async context manager.
This means that bothwith
andasync with
work with this.Example Usage:
async with channel.typing(): # do expensive stuff here await channel.send('done!')
- async for … in fetch_members(limit=100, after=None)
-
Returns a
ThreadMemberIterator
that allows to retrieve the currently joined members of this thread.Note
This requires the
members()
intent to be enabled and will also add the members retrieved tomembers
Examples
Usage
print(f"The thread {channel.name} has the following members:n") async for member in thread.fetch_members(limit=200): print(member)
Flattening into a list
messages = await thread.fetch_members(limit=123).flatten() # messages is now a list of ThreadMember...
All parameters are optional.
- Parameters:
-
-
limit (
int
) – The limit of thread members to retrieve — defaults to 100 -
after (Union[
int
,datetime.datetime
]) – Get thread members after this user ID
-
- Raises:
-
ClientException – The
members
intent is not enabled. - Yields:
-
ThreadMember
– A member of this thread
- property applied_tags
-
Returns a list of tags applied to this post.
- Type:
-
List[
ForumTag
]
- await edit_tags(*tags)
-
This function is a coroutine.
Edits the tags of the post
- Parameters:
-
tags (Tuple[
ForumTag
]) – Tags to keep as well as new tags to add - Returns:
-
The updated post
- Return type:
-
ForumPost
- await edit(*, name=MISSING, tags=MISSING, pinned=MISSING, auto_archive_duration=MISSING, locked=MISSING, slowmode_delay=MISSING, reason=None)
-
This function is a coroutine.
Edits the post, all parameters are optional
- Parameters:
-
-
name (
str
) – The new name of the post -
tags (Sequence[
ForumPost
]) – Tags to keep as well as new tags to add -
pinned (
bool
) –Whether the post is pinned to the top of the parent forum.
Note
Per forum, only one post can be pinned.
-
auto_archive_duration (
AutoArchiveDuration
) – The new amount of minutes after that the post will stop showing in the channel list
afterauto_archive_duration
minutes of inactivity. -
locked (
bool
) – Whether the post is locked;
when a post is locked, only users with :func:~Permissions.manage_threads` permissions can unarchive it -
slowmode_delay (Optional[
str
]) – Amount of seconds a user has to wait before sending another message (0-21600);
bots, as well as users with the permission manage_messages, manage_thread, or manage_channel, are unaffected -
reason (Optional[
str
]) – The reason for editing the post, shows up in the audit log.
-
- await add_member(member)
-
This function is a coroutine.
Adds another member to the thread.
Note
Requires the ability to send messages in the thread.
Also requires the thread is not archived.
This will fire a
thread_members_update
event.- Parameters:
-
member (Union[
discord.Member
,int
]) – The member that should be added to the thread; could be adiscord.Member
or hisid
(e.g. anint
)
- property archive_time
-
When the thread’s archive status was last changed, used for calculating recent activity
- Type:
-
Optional[
datetime.datetime
]
- property archived
-
Whether the thread is archived (e.g. not showing in the channel list)
- Type:
-
bool
- property auto_archive_duration
-
The duration after which the thread will auto hide from the channel list
- Type:
-
AutoArchiveDuration
- property category_id
-
The ID of the threads parent channel category, if any
- Type:
-
Optional[
int
]
- await create_invite(*, reason=None, **fields)
-
This function is a coroutine.
Creates an instant invite from this thread.
You must have the
create_instant_invite
permission to
do this.- Parameters:
-
-
max_age (
int
) – How long the invite should last in seconds. If it’s 0 then the invite
doesn’t expire. Defaults to0
. -
max_uses (
int
) – How many uses the invite could be used for. If it’s 0 then there
are unlimited uses. Defaults to0
. -
temporary (
bool
) – Denotes that the invite grants temporary membership
(i.e. they get kicked after they disconnect). Defaults toFalse
. -
unique (
bool
) – Indicates if a unique invite URL should be created. Defaults to True.
If this is set toFalse
then it will return a previously created
invite. -
reason (Optional[
str
]) – The reason for creating this invite. Shows up on the audit log.
-
- Raises:
-
HTTPException – Invite creation failed.
- Returns:
-
The invite that was created.
- Return type:
-
Invite
- property created_at
-
An aware timestamp of when the thread was created in UTC.
Note
This timestamp only exists for threads created after 9 January 2022, otherwise returns
None
.- Type:
-
Optional[
datetime.datetime
]
- await delete(*, reason=None)
-
This function is a coroutine.
Deletes the thread channel.
The bot must have
manage_channels
permission to use this.- Parameters:
-
reason (Optional[
str
]) – The reason for deleting this tread.
Shows up on the audit log. - Raises:
-
-
Forbidden – The bot is missing permissions to delete the thread.
-
NotFound – The thread was not found or was already deleted.
-
HTTPException – Deleting the thread failed.
-
- await fetch_message(id)
-
This function is a coroutine.
Retrieves a single
Message
from the destination.This can only be used by bot accounts.
- Parameters:
-
id (
int
) – The message ID to look for. - Raises:
-
-
NotFound – The specified message was not found.
-
Forbidden – You do not have the permissions required to get a message.
-
HTTPException – Retrieving the message failed.
-
- Returns:
-
The message asked for.
- Return type:
-
Message
- get_member(id)
-
ThreadMember
: Returns the thread member with the given ID, orNone
if he is not a member of the thread.
- property invitable
-
Private threads only:
WhenTrue
only the owner of the thread and members withmanage_threads
permissions
can add new members- Return type:
-
bool
- await invites()
-
This function is a coroutine.
Returns a list of all active instant invites from this thread.
You must have
manage_channels
to get this information.- Raises:
-
-
Forbidden – You do not have proper permissions to get the information.
-
HTTPException – An error occurred while fetching the information.
-
- Returns:
-
The list of invites that are currently active.
- Return type:
-
List[
Invite
]
- is_nsfw()
-
bool
: Whether the parent channel of this thread has NSFW enabled.
- await join()
-
This function is a coroutine.
Adds the current user to the thread.
Note
Also requires the thread is not archived.
This will fire a
discord.thread_members_update()
event.
- property jump_url
-
Returns a URL that allows the client to jump to the referenced thread.
- Type:
-
str
- await leave()
-
This function is a coroutine.
Removes the current user from the thread.
Note
Also requires the thread is not archived.
This will fire a
discord.thread_members_update()
event.
- property locked
-
Whether the threads conversation is locked by a moderator.
If so, the thread can only be unarchived by a moderator- Type:
-
bool
- property me
-
The thread member of the bot, or
None
if he is not a member of the thread.- Type:
-
Optional[
ThreadMember
]
- property members
-
Returns a list with cached members of this thread
- Type:
-
List[
Member
]
- property mention
-
The string that allows you to mention the thread.
- Type:
-
str
- property owner
-
Returns the owner(creator) of the thread.
Depending on whether the associated guild member is cached, this returns theMember
instead of theThreadMember
Note
If the thread members are not fetched (can be done manually using
fetch_members()
)
and the guild member is not cached, this returnsNone
.- Returns:
-
The thread owner if cached
- Return type:
-
Optional[Union[
Member
,ThreadMember
]]
- property parent_channel
-
The parent channel of this tread
- Type:
-
Union[
TextChannel
,ForumChannel
]
- permissions_for(member)
-
Handles permission resolution for the current
Member
.Note
threads inherit their permissions from their parent channel.
This function takes into consideration the following cases:
-
Guild owner
-
Guild roles
-
Channel overrides
-
Member overrides
- Parameters:
-
member (
Member
) – The member to resolve permissions for. - Returns:
-
The resolved permissions for the member.
- Return type:
-
Permissions
-
- await pins()
-
This function is a coroutine.
Retrieves all messages that are currently pinned in the channel.
Note
Due to a limitation with the Discord API, the
Message
objects returned by this method do not contain complete
Message.reactions
data.- Raises:
-
HTTPException – Retrieving the pinned messages failed.
- Returns:
-
The messages that are currently pinned.
- Return type:
-
List[
Message
]
- await remove_member(member)
-
This function is a coroutine.
Removes a member from the thread.
Note
This requires the
MANAGE_THREADS
permission, or to be the creator of the thread if it is aPRIVATE_THREAD
.Also requires the thread is not archived.
This will fire a
thread_members_update
event.- Parameters:
-
member (Union[
discord.Member
,int
]) – The member that should be removed from the thread; could be adiscord.Member
or hisid
(e.g. anint
)
- await send(content=None, *, tts=False, embed=None, embeds=None, components=None, file=None, files=None, stickers=None, delete_after=None, nonce=None, allowed_mentions=None, reference=None, mention_author=None, suppress_embeds=False, suppress_notifications=False)
-
This function is a coroutine.
Sends a message to the destination with the content given.
The content must be a type that can convert to a string through
str(content)
.
If the content is set toNone
(the default), then theembed
parameter must
be provided.To upload a single file, the
file
parameter should be used with a
singleFile
object. To upload multiple files, thefiles
parameter should be used with alist
ofFile
objects.If the
embed
parameter is provided, it must be of typeEmbed
and
it must be a rich embed type.- Parameters:
-
-
content (
str
) – The content of the message to send. -
tts (
bool
) – Indicates if the message should be sent using text-to-speech. -
embed (
Embed
) – The rich embed for the content. -
embeds (List[
Embed
]) – A list containing up to ten embeds -
components (List[Union[
ActionRow
, List[Union[Button
,BaseSelect
]]]]) – A list of up to fiveButton
’s or oneBaseSelect
like object. -
file (
File
) – The file to upload. -
files (List[
File
]) – Alist
of files to upload. Must be a maximum of 10. -
stickers (List[
GuildSticker
]) – A list of up to 3discord.GuildSticker
that should be sent with the message. -
nonce (
int
) – The nonce to use for sending this message. If the message was successfully sent,
then the message will have a nonce with this value. -
delete_after (
float
) – 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. -
allowed_mentions (
AllowedMentions
) –Controls the mentions being processed in this message. If this is
passed, then the object is merged withallowed_mentions
.
The merging behaviour only overrides attributes that have been explicitly passed
to the object, otherwise it uses the attributes set inallowed_mentions
.
If no object is passed at all then the defaults given byallowed_mentions
are used instead.New in version 1.4.
-
reference (Union[
Message
,MessageReference
]) –A reference to the
Message
to which you are replying, this can be created using
to_reference()
or passed directly as aMessage
. You can control
whether this mentions the author of the referenced message using thereplied_user
attribute ofallowed_mentions
or by settingmention_author
.New in version 1.6.
-
mention_author (Optional[
bool
]) –If set, overrides the
replied_user
attribute ofallowed_mentions
.New in version 1.6.
-
suppress_embeds (
bool
) – Whether to supress embeds send with the message, default toFalse
-
suppress_notifications (
bool
) –Whether to suppress desktop- & push-notifications for this message, default to
False
Users will still see a ping-symbol when they are mentioned in the message, or the message is in a dm channel.
New in version 2.0.
-
- Raises:
-
-
HTTPException – Sending the message failed.
-
Forbidden – You do not have the proper permissions to send the message.
-
InvalidArgument – The
files
list is not of the appropriate size,
you specified bothfile
andfiles
,
or thereference
object is not aMessage
orMessageReference
.
-
- Returns:
-
The message that was sent.
- Return type:
-
Message
- property starter_message
-
The starter message of this thread if it was started from a message and the message is cached
- Type:
-
Optional[
Message
]
- await trigger_typing()
-
This function is a coroutine.
Triggers a typing indicator to the destination.
Typing indicator will go away after 10 seconds, or after a message is sent.
CategoryChannel
Attributes
- category
- changed_roles
- channels
- created_at
- forum_channels
- guild
- id
- jump_url
- mention
- name
- overwrites
- permissions_synced
- position
- stage_channels
- text_channels
- type
- voice_channels
Methods
-
asyncclone -
asynccreate_forum_channel -
asynccreate_invite -
asynccreate_stage_channel -
asynccreate_text_channel -
asynccreate_voice_channel -
asyncdelete -
asyncedit -
asyncinvites -
defis_nsfw -
asyncmove -
defoverwrites_for -
defpermissions_for -
asyncset_permissions
- class discord.CategoryChannel
-
Represents a Discord channel category.
These are useful to group channels to logical compartments.
- x == y
-
Checks if two channels are equal.
- x != y
-
Checks if two channels are not equal.
- hash(x)
-
Returns the category’s hash.
- str(x)
-
Returns the category’s name.
- name
-
The category name.
- Type:
-
str
- guild
-
The guild the category belongs to.
- Type:
-
Guild
- id
-
The category channel ID.
- Type:
-
int
- position
-
The position in the category list. This is a number that starts at 0. e.g. the
top category is position 0.- Type:
-
int
- property type
-
The channel’s Discord type.
- Type:
-
ChannelType
- property jump_url
-
Returns an empty string as you can’t jump to a category.
- Type:
-
str
- is_nsfw()
-
bool
: Checks if the category is NSFW.
- await clone(*, name=None, reason=None)
-
This function is a coroutine.
Clones this channel. This creates a channel with the same properties
as this channel.You must have the
manage_channels
permission to
do this.New in version 1.1.
- Parameters:
-
-
name (Optional[
str
]) – The name of the new channel. If not provided, defaults to this
channel name. -
reason (Optional[
str
]) – The reason for cloning this channel. Shows up on the audit log.
-
- Raises:
-
-
Forbidden – You do not have the proper permissions to create this channel.
-
HTTPException – Creating the channel failed.
-
- Returns:
-
The channel that was created.
- Return type:
-
abc.GuildChannel
- await edit(*, reason=None, **options)
-
This function is a coroutine.
Edits the channel.
You must have the
manage_channels
permission to
use this.Changed in version 1.3: The
overwrites
keyword-only parameter was added.- Parameters:
-
-
name (
str
) – The new category’s name. -
position (
int
) – The new category’s position. -
nsfw (
bool
) – To mark the category as NSFW or not. -
reason (Optional[
str
]) – The reason for editing this category. Shows up on the audit log. -
overwrites (
dict
) – Adict
of target (either a role or a member) to
PermissionOverwrite
to apply to the channel.
-
- Raises:
-
-
InvalidArgument – If position is less than 0 or greater than the number of categories.
-
Forbidden – You do not have permissions to edit the category.
-
HTTPException – Editing the category failed.
-
- await move(**kwargs)
-
This function is a coroutine.
A rich interface to help move a channel relative to other channels.
If exact position movement is required,
edit()
should be used instead.You must have the
manage_channels
permission to
do this.Note
Voice channels will always be sorted below text channels.
This is a Discord limitation.New in version 1.7.
- Parameters:
-
-
beginning (
bool
) – Whether to move the channel to the beginning of the
channel list (or category if given).
This is mutually exclusive withend
,before
, andafter
. -
end (
bool
) – Whether to move the channel to the end of the
channel list (or category if given).
This is mutually exclusive withbeginning
,before
, andafter
. -
before (
Snowflake
) – The channel that should be before our current channel.
This is mutually exclusive withbeginning
,end
, andafter
. -
after (
Snowflake
) – The channel that should be after our current channel.
This is mutually exclusive withbeginning
,end
, andbefore
. -
offset (
int
) – The number of channels to offset the move by. For example,
an offset of2
withbeginning=True
would move
it 2 after the beginning. A positive number moves it below
while a negative number moves it above. Note that this
number is relative and computed after thebeginning
,
end
,before
, andafter
parameters. -
category (Optional[
Snowflake
]) – The category to move this channel under.
IfNone
is given then it moves it out of the category.
This parameter is ignored if moving a category channel. -
sync_permissions (
bool
) – Whether to sync the permissions with the category (if given). -
reason (
str
) – The reason for the move.
-
- Raises:
-
-
InvalidArgument – An invalid position was given or a bad mix of arguments were passed.
-
Forbidden – You do not have permissions to move the channel.
-
HTTPException – Moving the channel failed.
-
- property channels
-
Returns the channels that are under this category.
These are sorted by the official Discord UI, which places voice channels below the text channels.
- Type:
-
List[
abc.GuildChannel
]
- property text_channels
-
Returns the text channels that are under this category.
- Type:
-
List[
TextChannel
]
- property voice_channels
-
Returns the voice channels that are under this category.
- Type:
-
List[
VoiceChannel
]
- property stage_channels
-
Returns the voice channels that are under this category.
New in version 1.7.
- Type:
-
List[
StageChannel
]
- property forum_channels
-
Returns the forum channels that are under this category.
- Type:
-
List[
ForumChannel
]
- await create_text_channel(name, *, overwrites=None, reason=None, **options)
-
This function is a coroutine.
A shortcut method to
Guild.create_text_channel()
to create aTextChannel
in the category.- Returns:
-
The channel that was just created.
- Return type:
-
TextChannel
- await create_voice_channel(name, *, overwrites=None, reason=None, **options)
-
This function is a coroutine.
A shortcut method to
Guild.create_voice_channel()
to create aVoiceChannel
in the category.- Returns:
-
The channel that was just created.
- Return type:
-
VoiceChannel
- await create_stage_channel(name, *, overwrites=None, reason=None, **options)
-
This function is a coroutine.
A shortcut method to
Guild.create_stage_channel()
to create aStageChannel
in the category.New in version 1.7.
- Returns:
-
The channel that was just created.
- Return type:
-
StageChannel
- await create_forum_channel(name, *, topic=None, slowmode_delay=None, default_post_slowmode_delay=None, default_auto_archive_duration=None, overwrites=None, nsfw=None, position=None, reason=None)
-
This function is a coroutine.
A shortcut method to
Guild.create_forum_channel()
to create aForumChannel
in the category.- Returns:
-
The channel that was just created
- Return type:
-
ForumChannel
- property category
-
The category this channel belongs to.
If there is no category then this is
None
.- Type:
-
Optional[
CategoryChannel
]
- property changed_roles
-
Returns a list of roles that have been overridden from
their default values in theroles
attribute.- Type:
-
List[
Role
]
- await create_invite(*, reason=None, **fields)
-
This function is a coroutine.
Creates an instant invite from a text or voice channel.
You must have the
create_instant_invite
permission to
do this.- Parameters:
-
-
max_age (Optional[
int
]) – How long the invite should last in seconds. If it’s 0 then the invite
doesn’t expire. Defaults to0
. -
max_uses (Optional[
int
]) – How many uses the invite could be used for. If it’s 0 then there
are unlimited uses. Defaults to0
. -
temporary (Optional[
bool
]) – Denotes that the invite grants temporary membership
(i.e. they get kicked after they disconnect). Defaults toFalse
. -
unique (Optional[
bool
]) – Indicates if a unique invite URL should be created. Defaults to True.
If this is set toFalse
then it will return a previously created
invite. -
target_type (Optional[
int
]) – The type of target for this voice channel invite.1
for stream and2
for embedded-application. -
target_user_id (Optional[
int
]) – The id of theUser
whose stream to display for this invite,
required iftarget_type
is1
, the user must be streaming in the channel. -
target_application_id (Optional[
int
]) – The id of the embedded application to open for this invite,
required iftarget_type
is2
, the application must have the EMBEDDED flag. -
reason (Optional[
str
]) – The reason for creating this invite. Shows up on the audit log.
-
- Raises:
-
-
HTTPException – Invite creation failed.
-
NotFound – The channel that was passed is a category or an invalid channel.
-
- Returns:
-
The invite that was created.
- Return type:
-
Invite
- property created_at
-
Returns the channel’s creation time in UTC.
- Type:
-
datetime.datetime
- await delete(*, reason=None)
-
This function is a coroutine.
Deletes the channel.
You must have
manage_channels
permission to use this.- Parameters:
-
reason (Optional[
str
]) – The reason for deleting this channel.
Shows up on the audit log. - Raises:
-
-
Forbidden – You do not have proper permissions to delete the channel.
-
NotFound – The channel was not found or was already deleted.
-
HTTPException – Deleting the channel failed.
-
- await invites()
-
This function is a coroutine.
Returns a list of all active instant invites from this channel.
You must have
manage_channels
to get this information.- Raises:
-
-
Forbidden – You do not have proper permissions to get the information.
-
HTTPException – An error occurred while fetching the information.
-
- Returns:
-
The list of invites that are currently active.
- Return type:
-
List[
Invite
]
- property mention
-
The string that allows you to mention the channel.
- Type:
-
str
- property overwrites
-
Returns all of the channel’s overwrites.
This is returned as a dictionary where the key contains the target which
can be either aRole
or aMember
and the value is the
overwrite as aPermissionOverwrite
.- Returns:
-
The channel’s permission overwrites.
- Return type:
-
Mapping[Union[
Role
,Member
],PermissionOverwrite
]
- overwrites_for(obj)
-
Returns the channel-specific overwrites for a member or a role.
- Parameters:
-
obj (Union[
Role
,User
]) – The role or user denoting
whose overwrite to get. - Returns:
-
The permission overwrites for this object.
- Return type:
-
PermissionOverwrite
- permissions_for(member)
-
Handles permission resolution for the current
Member
.This function takes into consideration the following cases:
-
Guild owner
-
Guild roles
-
Channel overrides
-
Member overrides
- Parameters:
-
member (
Member
) – The member to resolve permissions for. - Returns:
-
The resolved permissions for the member.
- Return type:
-
Permissions
-
- property permissions_synced
-
Whether or not the permissions for this channel are synced with the
category it belongs to.If there is no category then this is
False
.New in version 1.3.
- Type:
-
bool
- await set_permissions(target, *, overwrite=see — below, reason=None, **permissions)
-
This function is a coroutine.
Sets the channel specific permission overwrites for a target in the
channel.The
target
parameter should either be aMember
or a
Role
that belongs to guild.The
overwrite
parameter, if given, must either beNone
or
PermissionOverwrite
. For convenience, you can pass in
keyword arguments denotingPermissions
attributes. If this is
done, then you cannot mix the keyword arguments with theoverwrite
parameter.If the
overwrite
parameter isNone
, then the permission
overwrites are deleted.You must have the
manage_roles
permission to use this.Examples
Setting allow and deny:
await message.channel.set_permissions(message.author, read_messages=True, send_messages=False)
Deleting overwrites
await channel.set_permissions(member, overwrite=None)
Using
PermissionOverwrite
overwrite = discord.PermissionOverwrite() overwrite.send_messages = False overwrite.read_messages = True await channel.set_permissions(member, overwrite=overwrite)
- Parameters:
-
-
target (Union[
Member
,Role
]) – The member or role to overwrite permissions for. -
overwrite (Optional[
PermissionOverwrite
]) – The permissions to allow and deny to the target, orNone
to
delete the overwrite. -
**permissions – A keyword argument list of permissions to set for ease of use.
Cannot be mixed withoverwrite
. -
reason (Optional[
str
]) – The reason for doing this action. Shows up on the audit log.
-
- Raises:
-
-
Forbidden – You do not have permissions to edit channel specific permissions.
-
HTTPException – Editing channel specific permissions failed.
-
NotFound – The role or member being edited is not part of the guild.
-
InvalidArgument – The overwrite parameter invalid or the target type was not
Role
orMember
.
-
DMChannel
Attributes
- created_at
- id
- me
- recipient
- type
Methods
-
asyncfetch_message -
defget_partial_message -
defhistory -
defpermissions_for -
asyncpins -
asyncsend -
asynctrigger_typing -
deftyping
- class discord.DMChannel
-
Represents a Discord direct message channel.
- x == y
-
Checks if two channels are equal.
- x != y
-
Checks if two channels are not equal.
- hash(x)
-
Returns the channel’s hash.
- str(x)
-
Returns a string representation of the channel
- recipient
-
The user you are participating with in the direct message channel.
- Type:
-
User
- me
-
The user presenting yourself.
- Type:
-
ClientUser
- id
-
The direct message channel ID.
- Type:
-
int
- async for … in history(*, limit=100, before=None, after=None, around=None, oldest_first=None)
-
Returns an
AsyncIterator
that enables receiving the destination’s message history.You must have
read_message_history
permissions to use this.Examples
Usage
counter = 0 async for message in channel.history(limit=200): if message.author == client.user: counter += 1
Flattening into a list:
messages = await channel.history(limit=123).flatten() # messages is now a list of Message...
All parameters are optional.
- Parameters:
-
-
limit (Optional[
int
]) – The number of messages to retrieve.
IfNone
, retrieves every message in the channel. Note, however,
that this would make it a slow operation. -
before (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages before this date or message.
If a date is provided it must be a timezone-naive datetime representing UTC time. -
after (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages after this date or message.
If a date is provided it must be a timezone-naive datetime representing UTC time. -
around (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages around this date or message.
If a date is provided it must be a timezone-naive datetime representing UTC time.
When using this argument, the maximum limit is 101. Note that if the limit is an
even number, then this will return at most limit + 1 messages. -
oldest_first (Optional[
bool
]) – If set toTrue
, return messages in oldest->newest order. Defaults toTrue
if
after
is specified, otherwiseFalse
.
-
- Raises:
-
-
Forbidden – You do not have permissions to get channel message history.
-
HTTPException – The request to get message history failed.
-
- Yields:
-
Message
– The message with the message data parsed.
- async with typing()
-
Returns a context manager that allows you to type for an indefinite period of time.
This is useful for denoting long computations in your bot.
Note
This is both a regular context manager and an async context manager.
This means that bothwith
andasync with
work with this.Example Usage:
async with channel.typing(): # do expensive stuff here await channel.send('done!')
- property type
-
The channel’s Discord type.
- Type:
-
ChannelType
- property created_at
-
Returns the direct message channel’s creation time in UTC.
- Type:
-
datetime.datetime
- permissions_for(user=None)
-
Handles permission resolution for a
User
.This function is there for compatibility with other channel types.
Actual direct messages do not really have the concept of permissions.
This returns all the Text related permissions set to
True
except:-
send_tts_messages
: You cannot send TTS messages in a DM. -
manage_messages
: You cannot delete others messages in a DM.
- Parameters:
-
user (
User
) – The user to check permissions for. This parameter is ignored
but kept for compatibility. - Returns:
-
The resolved permissions.
- Return type:
-
Permissions
-
- get_partial_message(message_id)
-
Creates a
PartialMessage
from the message ID.This is useful if you want to work with a message and only have its ID without
doing an unnecessary API call.New in version 1.6.
- Parameters:
-
message_id (
int
) – The message ID to create a partial message for. - Returns:
-
The partial message.
- Return type:
-
PartialMessage
- await fetch_message(id)
-
This function is a coroutine.
Retrieves a single
Message
from the destination.This can only be used by bot accounts.
- Parameters:
-
id (
int
) – The message ID to look for. - Raises:
-
-
NotFound – The specified message was not found.
-
Forbidden – You do not have the permissions required to get a message.
-
HTTPException – Retrieving the message failed.
-
- Returns:
-
The message asked for.
- Return type:
-
Message
- await pins()
-
This function is a coroutine.
Retrieves all messages that are currently pinned in the channel.
Note
Due to a limitation with the Discord API, the
Message
objects returned by this method do not contain complete
Message.reactions
data.- Raises:
-
HTTPException – Retrieving the pinned messages failed.
- Returns:
-
The messages that are currently pinned.
- Return type:
-
List[
Message
]
- await send(content=None, *, tts=False, embed=None, embeds=None, components=None, file=None, files=None, stickers=None, delete_after=None, nonce=None, allowed_mentions=None, reference=None, mention_author=None, suppress_embeds=False, suppress_notifications=False)
-
This function is a coroutine.
Sends a message to the destination with the content given.
The content must be a type that can convert to a string through
str(content)
.
If the content is set toNone
(the default), then theembed
parameter must
be provided.To upload a single file, the
file
parameter should be used with a
singleFile
object. To upload multiple files, thefiles
parameter should be used with alist
ofFile
objects.If the
embed
parameter is provided, it must be of typeEmbed
and
it must be a rich embed type.- Parameters:
-
-
content (
str
) – The content of the message to send. -
tts (
bool
) – Indicates if the message should be sent using text-to-speech. -
embed (
Embed
) – The rich embed for the content. -
embeds (List[
Embed
]) – A list containing up to ten embeds -
components (List[Union[
ActionRow
, List[Union[Button
,BaseSelect
]]]]) – A list of up to fiveButton
’s or oneBaseSelect
like object. -
file (
File
) – The file to upload. -
files (List[
File
]) – Alist
of files to upload. Must be a maximum of 10. -
stickers (List[
GuildSticker
]) – A list of up to 3discord.GuildSticker
that should be sent with the message. -
nonce (
int
) – The nonce to use for sending this message. If the message was successfully sent,
then the message will have a nonce with this value. -
delete_after (
float
) – 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. -
allowed_mentions (
AllowedMentions
) –Controls the mentions being processed in this message. If this is
passed, then the object is merged withallowed_mentions
.
The merging behaviour only overrides attributes that have been explicitly passed
to the object, otherwise it uses the attributes set inallowed_mentions
.
If no object is passed at all then the defaults given byallowed_mentions
are used instead.New in version 1.4.
-
reference (Union[
Message
,MessageReference
]) –A reference to the
Message
to which you are replying, this can be created using
to_reference()
or passed directly as aMessage
. You can control
whether this mentions the author of the referenced message using thereplied_user
attribute ofallowed_mentions
or by settingmention_author
.New in version 1.6.
-
mention_author (Optional[
bool
]) –If set, overrides the
replied_user
attribute ofallowed_mentions
.New in version 1.6.
-
suppress_embeds (
bool
) – Whether to supress embeds send with the message, default toFalse
-
suppress_notifications (
bool
) –Whether to suppress desktop- & push-notifications for this message, default to
False
Users will still see a ping-symbol when they are mentioned in the message, or the message is in a dm channel.
New in version 2.0.
-
- Raises:
-
-
HTTPException – Sending the message failed.
-
Forbidden – You do not have the proper permissions to send the message.
-
InvalidArgument – The
files
list is not of the appropriate size,
you specified bothfile
andfiles
,
or thereference
object is not aMessage
orMessageReference
.
-
- Returns:
-
The message that was sent.
- Return type:
-
Message
- await trigger_typing()
-
This function is a coroutine.
Triggers a typing indicator to the destination.
Typing indicator will go away after 10 seconds, or after a message is sent.
GroupChannel
Methods
-
asyncadd_recipients -
asyncedit -
asyncfetch_message -
defhistory -
deficon_url_as -
asyncleave -
defpermissions_for -
asyncpins -
asyncremove_recipients -
asyncsend -
asynctrigger_typing -
deftyping
- class discord.GroupChannel
-
Represents a Discord group channel.
- x == y
-
Checks if two channels are equal.
- x != y
-
Checks if two channels are not equal.
- hash(x)
-
Returns the channel’s hash.
- str(x)
-
Returns a string representation of the channel
- recipients
-
The users you are participating with in the group channel.
- Type:
-
List[
User
]
- me
-
The user presenting yourself.
- Type:
-
ClientUser
- id
-
The group channel ID.
- Type:
-
int
- owner
-
The user that owns the group channel.
- Type:
-
User
- icon
-
The group channel’s icon hash if provided.
- Type:
-
Optional[
str
]
- name
-
The group channel’s name if provided.
- Type:
-
Optional[
str
]
- async for … in history(*, limit=100, before=None, after=None, around=None, oldest_first=None)
-
Returns an
AsyncIterator
that enables receiving the destination’s message history.You must have
read_message_history
permissions to use this.Examples
Usage
counter = 0 async for message in channel.history(limit=200): if message.author == client.user: counter += 1
Flattening into a list:
messages = await channel.history(limit=123).flatten() # messages is now a list of Message...
All parameters are optional.
- Parameters:
-
-
limit (Optional[
int
]) – The number of messages to retrieve.
IfNone
, retrieves every message in the channel. Note, however,
that this would make it a slow operation. -
before (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages before this date or message.
If a date is provided it must be a timezone-naive datetime representing UTC time. -
after (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages after this date or message.
If a date is provided it must be a timezone-naive datetime representing UTC time. -
around (Optional[Union[
Snowflake
,datetime.datetime
]]) – Retrieve messages around this date or message.
If a date is provided it must be a timezone-naive datetime representing UTC time.
When using this argument, the maximum limit is 101. Note that if the limit is an
even number, then this will return at most limit + 1 messages. -
oldest_first (Optional[
bool
]) – If set toTrue
, return messages in oldest->newest order. Defaults toTrue
if
after
is specified, otherwiseFalse
.
-
- Raises:
-
-
Forbidden – You do not have permissions to get channel message history.
-
HTTPException – The request to get message history failed.
-
- Yields:
-
Message
– The message with the message data parsed.
- async with typing()
-
Returns a context manager that allows you to type for an indefinite period of time.
This is useful for denoting long computations in your bot.
Note
This is both a regular context manager and an async context manager.
This means that bothwith
andasync with
work with this.Example Usage:
async with channel.typing(): # do expensive stuff here await channel.send('done!')
- property type
-
The channel’s Discord type.
- Type:
-
ChannelType
- property icon_url
-
Returns the channel’s icon asset if available.
This is equivalent to calling
icon_url_as()
with
the default parameters (‘webp’ format and a size of 1024).- Type:
-
Asset
- icon_url_as(*, format=‘webp’, size=1024)
-
Returns an
Asset
for the icon the channel has.The format must be one of ‘webp’, ‘jpeg’, ‘jpg’ or ‘png’.
The size must be a power of 2 between 16 and 4096.New in version 2.0.
- Parameters:
-
-
format (
str
) – The format to attempt to convert the icon to. Defaults to ‘webp’. -
size (
int
) – The size of the image to display.
-
- Raises:
-
InvalidArgument – Bad image format passed to
format
or invalidsize
. - Returns:
-
The resulting CDN asset.
- Return type:
-
Asset
- property created_at
-
Returns the channel’s creation time in UTC.
- Type:
-
datetime.datetime
- permissions_for(user)
-
Handles permission resolution for a
User
.This function is there for compatibility with other channel types.
Actual direct messages do not really have the concept of permissions.
This returns all the Text related permissions set to
True
except:-
send_tts_messages
: You cannot send TTS messages in a DM. -
manage_messages
: You cannot delete others messages in a DM.
This also checks the kick_members permission if the user is the owner.
- Parameters:
-
user (
User
) – The user to check permissions for. - Returns:
-
The resolved permissions for the user.
- Return type:
-
Permissions
-
- await add_recipients(*recipients)
-
This function is a coroutine.
Adds recipients to this group.
A group can only have a maximum of 10 members.
Attempting to add more ends up in an exception. To
add a recipient to the group, you must have a relationship
with the user of typeRelationshipType.friend
.Deprecated since version 1.7.
- Parameters:
-
*recipients (
User
) – An argument list of users to add to this group. - Raises:
-
HTTPException – Adding a recipient to this group failed.
- await remove_recipients(*recipients)
-
This function is a coroutine.
Removes recipients from this group.
Deprecated since version 1.7.
- Parameters:
-
*recipients (
User
) – An argument list of users to remove from this group. - Raises:
-
HTTPException – Removing a recipient from this group failed.
- await edit(**fields)
-
This function is a coroutine.
Edits the group.
Deprecated since version 1.7.
- Parameters:
-
-
name (Optional[
str
]) – The new name to change the group to.
Could beNone
to remove the name. -
icon (Optional[
bytes
]) – A bytes-like object representing the new icon.
Could beNone
to remove the icon.
-
- Raises:
-
HTTPException – Editing the group failed.
- await leave()
-
This function is a coroutine.
Leave the group.
If you are the only one in the group, this deletes it as well.
- Raises:
-
HTTPException – Leaving the group failed.
- await fetch_message(id)
-
This function is a coroutine.
Retrieves a single
Message
from the destination.This can only be used by bot accounts.
- Parameters:
-
id (
int
) – The message ID to look for. - Raises:
-
-
NotFound – The specified message was not found.
-
Forbidden – You do not have the permissions required to get a message.
-
HTTPException – Retrieving the message failed.
-
- Returns:
-
The message asked for.
- Return type:
-
Message
- await pins()
-
This function is a coroutine.
Retrieves all messages that are currently pinned in the channel.
Note
Due to a limitation with the Discord API, the
Message
objects returned by this method do not contain complete
Message.reactions
data.- Raises:
-
HTTPException – Retrieving the pinned messages failed.
- Returns:
-
The messages that are currently pinned.
- Return type:
-
List[
Message
]
- await send(content=None, *, tts=False, embed=None, embeds=None, components=None, file=None, files=None, stickers=None, delete_after=None, nonce=None, allowed_mentions=None, reference=None, mention_author=None, suppress_embeds=False, suppress_notifications=False)
-
This function is a coroutine.
Sends a message to the destination with the content given.
The content must be a type that can convert to a string through
str(content)
.
If the content is set toNone
(the default), then theembed
parameter must
be provided.To upload a single file, the
file
parameter should be used with a
singleFile
object. To upload multiple files, thefiles
parameter should be used with alist
ofFile
objects.If the
embed
parameter is provided, it must be of typeEmbed
and
it must be a rich embed type.- Parameters:
-
-
content (
str
) – The content of the message to send. -
tts (
bool
) – Indicates if the message should be sent using text-to-speech. -
embed (
Embed
) – The rich embed for the content. -
embeds (List[
Embed
]) – A list containing up to ten embeds -
components (List[Union[
ActionRow
, List[Union[Button
,BaseSelect
]]]]) – A list of up to fiveButton
’s or oneBaseSelect
like object. -
file (
File
) – The file to upload. -
files (List[
File
]) – Alist
of files to upload. Must be a maximum of 10. -
stickers (List[
GuildSticker
]) – A list of up to 3discord.GuildSticker
that should be sent with the message. -
nonce (
int
) – The nonce to use for sending this message. If the message was successfully sent,
then the message will have a nonce with this value. -
delete_after (
float
) – 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. -
allowed_mentions (
AllowedMentions
) –Controls the mentions being processed in this message. If this is
passed, then the object is merged withallowed_mentions
.
The merging behaviour only overrides attributes that have been explicitly passed
to the object, otherwise it uses the attributes set inallowed_mentions
.
If no object is passed at all then the defaults given byallowed_mentions
are used instead.New in version 1.4.
-
reference (Union[
Message
,MessageReference
]) –A reference to the
Message
to which you are replying, this can be created using
to_reference()
or passed directly as aMessage
. You can control
whether this mentions the author of the referenced message using thereplied_user
attribute ofallowed_mentions
or by settingmention_author
.New in version 1.6.
-
mention_author (Optional[
bool
]) –If set, overrides the
replied_user
attribute ofallowed_mentions
.New in version 1.6.
-
suppress_embeds (
bool
) – Whether to supress embeds send with the message, default toFalse
-
suppress_notifications (
bool
) –Whether to suppress desktop- & push-notifications for this message, default to
False
Users will still see a ping-symbol when they are mentioned in the message, or the message is in a dm channel.
New in version 2.0.
-
- Raises:
-
-
HTTPException – Sending the message failed.
-
Forbidden – You do not have the proper permissions to send the message.
-
InvalidArgument – The
files
list is not of the appropriate size,
you specified bothfile
andfiles
,
or thereference
object is not aMessage
orMessageReference
.
-
- Returns:
-
The message that was sent.
- Return type:
-
Message
- await trigger_typing()
-
This function is a coroutine.
Triggers a typing indicator to the destination.
Typing indicator will go away after 10 seconds, or after a message is sent.
PartialInviteGuild
Attributes
- banner
- banner_url
- created_at
- description
- features
- icon
- icon_url
- id
- name
- splash
- splash_url
- verification_level
- class discord.PartialInviteGuild
-
Represents a “partial” invite guild.
This model will be given when the user is not part of the
guild theInvite
resolves to.- x == y
-
Checks if two partial guilds are the same.
- x != y
-
Checks if two partial guilds are not the same.
- hash(x)
-
Return the partial guild’s hash.
- str(x)
-
Returns the partial guild’s name.
- name
-
The partial guild’s name.
- Type:
-
str
- id
-
The partial guild’s ID.
- Type:
-
int
- verification_level
-
The partial guild’s verification level.
- Type:
-
VerificationLevel
- features
-
A list of features the guild has. See
Guild.features
for more information.- Type:
-
List[
str
]
- icon
-
The partial guild’s icon.
- Type:
-
Optional[
str
]
-
The partial guild’s banner.
- Type:
-
Optional[
str
]
- splash
-
The partial guild’s invite splash.
- Type:
-
Optional[
str
]
- description
-
The partial guild’s description.
- Type:
-
Optional[
str
]
- property created_at
-
Returns the guild’s creation time in UTC.
- Type:
-
datetime.datetime
- property icon_url
-
Returns the guild’s icon asset.
- Type:
-
Asset
- is_icon_animated()
-
bool
: ReturnsTrue
if the guild has an animated icon.New in version 1.4.
- icon_url_as(*, format=None, static_format=‘webp’, size=1024)
-
The same operation as
Guild.icon_url_as()
.- Returns:
-
The resulting CDN asset.
- Return type:
-
Asset
-
Returns the guild’s banner asset.
- Type:
-
Asset
-
The same operation as
Guild.banner_url_as()
.- Returns:
-
The resulting CDN asset.
- Return type:
-
Asset
- property splash_url
-
Returns the guild’s invite splash asset.
- Type:
-
Asset
- splash_url_as(*, format=‘webp’, size=2048)
-
The same operation as
Guild.splash_url_as()
.- Returns:
-
The resulting CDN asset.
- Return type:
-
Asset
PartialInviteChannel
Attributes
- created_at
- id
- mention
- name
- type
- class discord.PartialInviteChannel
-
Represents a “partial” invite channel.
This model will be given when the user is not part of the
guild theInvite
resolves to.- x == y
-
Checks if two partial channels are the same.
- x != y
-
Checks if two partial channels are not the same.
- hash(x)
-
Return the partial channel’s hash.
- str(x)
-
Returns the partial channel’s name.
- name
-
The partial channel’s name.
- Type:
-
str
- id
-
The partial channel’s ID.
- Type:
-
int
- type
-
The partial channel’s type.
- Type:
-
ChannelType
- property mention
-
The string that allows you to mention the channel.
- Type:
-
str
- property created_at
-
Returns the channel’s creation time in UTC.
- Type:
-
datetime.datetime
Invite
Attributes
- approximate_member_count
- approximate_presence_count
- channel
- code
- created_at
- guild
- id
- inviter
- max_age
- max_uses
- revoked
- temporary
- url
- uses
- class discord.Invite
-
Represents a Discord
Guild
orabc.GuildChannel
invite.Depending on the way this object was created, some of the attributes can
have a value ofNone
.- x == y
-
Checks if two invites are equal.
- x != y
-
Checks if two invites are not equal.
- hash(x)
-
Returns the invite hash.
- str(x)
-
Returns the invite URL.
The following table illustrates what methods will obtain the attributes:
If it’s not in the table above then it is available by all methods.
- max_age
-
How long the before the invite expires in seconds.
A value of0
indicates that it doesn’t expire.- Type:
-
int
- code
-
The URL fragment used for the invite.
- Type:
-
str
- guild
-
The guild the invite is for. Can be
None
if it’s from a group direct message.- Type:
-
Optional[Union[
Guild
,Object
,PartialInviteGuild
]]
- revoked
-
Indicates if the invite has been revoked.
- Type:
-
bool
- created_at
-
A datetime object denoting the time the invite was created.
- Type:
-
datetime.datetime
- temporary
-
Indicates that the invite grants temporary membership.
IfTrue
, members who joined via this invite will be kicked upon disconnect.- Type:
-
bool
- uses
-
How many times the invite has been used.
- Type:
-
int
- max_uses
-
How many times the invite can be used.
A value of0
indicates that it has unlimited uses.- Type:
-
int
- inviter
-
The user who created the invite.
- Type:
-
User
- approximate_member_count
-
The approximate number of members in the guild.
- Type:
-
Optional[
int
]
- approximate_presence_count
-
The approximate number of members currently active in the guild.
This includes idle, dnd, online, and invisible members. Offline members are excluded.- Type:
-
Optional[
int
]
- channel
-
The channel the invite is for.
- Type:
-
Union[
abc.GuildChannel
,Object
,PartialInviteChannel
]
- property id
-
Returns the proper code portion of the invite.
- Type:
-
str
- property url
-
A property that retrieves the invite URL.
- Type:
-
str
- await delete(*, reason=None)
-
This function is a coroutine.
Revokes the instant invite.
You must have the
manage_channels
permission to do this.- Parameters:
-
reason (Optional[
str
]) – The reason for deleting this invite. Shows up on the audit log. - Raises:
-
-
Forbidden – You do not have permissions to revoke invites.
-
NotFound – The invite is invalid or expired.
-
HTTPException – Revoking the invite failed.
-
Template
Methods
-
asynccreate_guild -
asyncdelete -
asyncedit -
asyncsync
- class discord.Template
-
Represents a Discord template.
New in version 1.4.
- code
-
The template code.
- Type:
-
str
- uses
-
How many times the template has been used.
- Type:
-
int
- name
-
The name of the template.
- Type:
-
str
- description
-
The description of the template.
- Type:
-
str
- creator
-
The creator of the template.
- Type:
-
User
- created_at
-
When the template was created.
- Type:
-
datetime.datetime
- updated_at
-
When the template was last updated (referred to as “last synced” in the client).
- Type:
-
datetime.datetime
- source_guild
-
The source guild.
- Type:
-
Guild
- await create_guild(name, region=None, icon=None)
-
This function is a coroutine.
Creates a
Guild
using the template.Bot accounts in more than 10 guilds are not allowed to create guilds.
- Parameters:
-
-
name (
str
) – The name of the guild. -
region (
VoiceRegion
) – The region for the voice communication server.
Defaults toVoiceRegion.us_west
. -
icon (
bytes
) – The bytes-like object representing the icon. SeeClientUser.edit()
for more details on what is expected.
-
- Raises:
-
-
HTTPException – Guild creation failed.
-
InvalidArgument – Invalid icon image format given. Must be PNG or JPG.
-
- Returns:
-
The guild created. This is not the same guild that is
added to cache. - Return type:
-
Guild
- await sync()
-
This function is a coroutine.
Sync the template to the guild’s current state.
You must have the
manage_guild
permission in the
source guild to do this.New in version 1.7.
- Raises:
-
-
HTTPException – Editing the template failed.
-
Forbidden – You don’t have permissions to edit the template.
-
NotFound – This template does not exist.
-
- await edit(**kwargs)
-
This function is a coroutine.
Edit the template metadata.
You must have the
manage_guild
permission in the
source guild to do this.New in version 1.7.
- Parameters:
-
-
name (Optional[
str
]) – The template’s new name. -
description (Optional[
str
]) – The template’s description.
-
- Raises:
-
-
HTTPException – Editing the template failed.
-
Forbidden – You don’t have permissions to edit the template.
-
NotFound – This template does not exist.
-
- await delete()
-
This function is a coroutine.
Delete the template.
You must have the
manage_guild
permission in the
source guild to do this.New in version 1.7.
- Raises:
-
-
HTTPException – Editing the template failed.
-
Forbidden – You don’t have permissions to edit the template.
-
NotFound – This template does not exist.
-
WidgetChannel
- class discord.WidgetChannel
-
Represents a “partial” widget channel.
- x == y
-
Checks if two partial channels are the same.
- x != y
-
Checks if two partial channels are not the same.
- hash(x)
-
Return the partial channel’s hash.
- str(x)
-
Returns the partial channel’s name.
- id
-
The channel’s ID.
- Type:
-
int
- name
-
The channel’s name.
- Type:
-
str
- position
-
The channel’s position
- Type:
-
int
- property mention
-
The string that allows you to mention the channel.
- Type:
-
str
- property created_at
-
Returns the channel’s creation time in UTC.
- Type:
-
datetime.datetime
WidgetMember
Attributes
- activity
- avatar
- avatar_url
- banner_url
- bot
- color
- colour
- connected_channel
- created_at
- deafened
- default_avatar
- default_avatar_url
- discriminator
- display_name
- id
- mention
- muted
- name
- nick
- public_flags
- status
- suppress
Methods
-
defavatar_url_as -
defbanner_url_as -
defis_avatar_animated -
defis_banner_animated -
defmentioned_in -
defpermissions_in
- class discord.WidgetMember
-
Represents a “partial” member of the widget’s guild.
- x == y
-
Checks if two widget members are the same.
- x != y
-
Checks if two widget members are not the same.
- hash(x)
-
Return the widget member’s hash.
- str(x)
-
Returns the widget member’s name#discriminator.
- id
-
The member’s ID.
- Type:
-
int
- name
-
The member’s username.
- Type:
-
str
- discriminator
-
The member’s discriminator.
- Type:
-
str
- bot
-
Whether the member is a bot.
- Type:
-
bool
- status
-
The member’s status.
- Type:
-
Status
- nick
-
The member’s nickname.
- Type:
-
Optional[
str
]
- avatar
-
The member’s avatar hash.
- Type:
-
Optional[
str
]
- activity
-
The member’s activity.
- Type:
-
Optional[Union[
BaseActivity
,Spotify
]]
- deafened
-
Whether the member is currently deafened.
- Type:
-
Optional[
bool
]
- muted
-
Whether the member is currently muted.
- Type:
-
Optional[
bool
]
- suppress
-
Whether the member is currently being suppressed.
- Type:
-
Optional[
bool
]
- connected_channel
-
Which channel the member is connected to.
- Type:
-
Optional[
VoiceChannel
]
- property display_name
-
Returns the member’s display name.
- Type:
-
str
- property avatar_url
-
Returns an
Asset
for the avatar the user has.If the user does not have a traditional avatar, an asset for
the default avatar is returned instead.This is equivalent to calling
avatar_url_as()
with
the default parameters (i.e. webp/gif detection and a size of 1024).- Type:
-
Asset
- avatar_url_as(*, format=None, static_format=‘webp’, size=1024)
-
Returns an
Asset
for the avatar the user has.If the user does not have a traditional avatar, an asset for
the default avatar is returned instead.The format must be one of ‘webp’, ‘jpeg’, ‘jpg’, ‘png’ or ‘gif’, and
‘gif’ is only valid for animated avatars. The size must be a power of 2
between 16 and 4096.- Parameters:
-
-
format (Optional[
str
]) – The format to attempt to convert the avatar to.
If the format isNone
, then it is automatically
detected into either ‘gif’ or static_format depending on the
avatar being animated or not. -
static_format (Optional[
str
]) – Format to attempt to convert only non-animated avatars to.
Defaults to ‘webp’ -
size (
int
) – The size of the image to display.
-
- Raises:
-
InvalidArgument – Bad image format passed to
format
orstatic_format
, or
invalidsize
. - Returns:
-
The resulting CDN asset.
- Return type:
-
Asset
-
Returns an asset for the banner the user has, if any.
This is equal to callingbanner_url_as()
with the default arguments.- Returns:
-
The resulting CDN asset if any.
- Return type:
-
Optional[
Asset
] - Type:
-
Optional[
Asset
]
-
Returns an
Asset
for the banner the user has. Could beNone
.The format must be one of ‘webp’, ‘jpeg’, ‘jpg’, ‘png’ or ‘gif’, and
‘gif’ is only valid for animated banners. The size must be a power of 2
between 16 and 4096.- Parameters:
-
-
format (Optional[
str
]) – The format to attempt to convert the banner to.
If the format isNone
, then it is automatically
detected into either ‘gif’ or static_format depending on the
banner being animated or not. -
static_format (Optional[
str
]) – Format to attempt to convert only non-animated banner to.
Defaults to ‘webp’ -
size (
int
) – The size of the image to display.
-
- Raises:
-
InvalidArgument – Bad image format passed to
format
orstatic_format
, or
invalidsize
. - Returns:
-
The resulting CDN asset if any.
- Return type:
-
Optional[
Asset
]
- property color
-
A property that returns a color denoting the rendered color
for the user. This always returnsColour.default()
.There is an alias for this named
colour
.- Type:
-
Colour
- property colour
-
A property that returns a colour denoting the rendered colour
for the user. This always returnsColour.default()
.There is an alias for this named
color
.- Type:
-
Colour
- property created_at
-
Returns the user’s creation time in UTC.
This is when the user’s Discord account was created.
- Type:
-
datetime.datetime
- property default_avatar
-
Returns the default avatar for a given user. This is calculated by the user’s discriminator.
- Type:
-
DefaultAvatar
- property default_avatar_url
-
Returns a URL for a user’s default avatar.
- Type:
-
Asset
- is_avatar_animated()
-
bool
: Indicates if the user has an animated avatar.
-
bool
: Indicates if the user has an animated banner.
- property mention
-
Returns a string that allows you to mention the given user.
- Type:
-
str
- mentioned_in(message)
-
Checks if the user is mentioned in the specified message.
- Parameters:
-
message (
Message
) – The message to check if you’re mentioned in. - Returns:
-
Indicates if the user is mentioned in the message.
- Return type:
-
bool
- permissions_in(channel)
-
An alias for
abc.GuildChannel.permissions_for()
.Basically equivalent to:
channel.permissions_for(self)
- Parameters:
-
channel (
abc.GuildChannel
) – The channel to check your permissions for.
- property public_flags
-
The publicly available flags the user has.
- Type:
-
PublicUserFlags
Widget
Methods
-
asyncfetch_invite
- class discord.Widget
-
Represents a
Guild
widget.- x == y
-
Checks if two widgets are the same.
- x != y
-
Checks if two widgets are not the same.
- str(x)
-
Returns the widget’s JSON URL.
- id
-
The guild’s ID.
- Type:
-
int
- name
-
The guild’s name.
- Type:
-
str
- channels
-
The accessible voice channels in the guild.
- Type:
-
Optional[List[
WidgetChannel
]]
- members
-
The online members in the server. Offline members
do not appear in the widget.Note
Due to a Discord limitation, if this data is available
the users will be “anonymized” with linear IDs and discriminator
information being incorrect. Likewise, the number of members
retrieved is capped.- Type:
-
Optional[List[
Member
]]
- property created_at
-
Returns the member’s creation time in UTC.
- Type:
-
datetime.datetime
- property json_url
-
The JSON URL of the widget.
- Type:
-
str
- property invite_url
-
The invite URL for the guild, if available.
- Type:
-
Optional[
str
]
- await fetch_invite(*, with_counts=True)
-
This function is a coroutine.
Retrieves an
Invite
from a invite URL or ID.
This is the same asClient.fetch_invite()
; the invite
code is abstracted away.- Parameters:
-
with_counts (
bool
) – Whether to include count information in the invite. This fills the
Invite.approximate_member_count
andInvite.approximate_presence_count
fields. - Returns:
-
The invite from the URL/ID.
- Return type:
-
Invite
StickerPack
Methods
-
defbanner_url_as -
defget_sticker
- class discord.StickerPack
-
Represents a pack of build-in stickers
- name
-
The name of the sticker pack.
- Type:
-
str
- id
-
The id of the sticker pack.
- Type:
-
int
- description
-
The description of the sticker pack.
- Type:
-
str
- sku_id
-
The id of the pack’s SKU.
- Type:
-
int
-
The id of the sticker pack’s banner image.
- Type:
-
int
- cover_sticker_id
-
The id of a sticker in the pack which is shown in the client as the pack’s icon.
- Type:
-
Optional[
int
]
- property stickers
-
The stickers of the pack
- Type:
-
Tuple[
Sticker
]
-
Returns an
Asset
for the sticker pack’s banner.- Returns:
-
The resulting CDN asset.
- Return type:
-
Asset
-
Returns an
Asset
for the sticker pack’s banner.The size must be a power of 2 between 16 and 4096.
- Returns:
-
The resulting CDN asset.
- Return type:
-
Asset
- property cover_sticker
-
Returns the sticker in the pack which is shown in the client as the pack’s icon.
- Type:
-
Sticker
- get_sticker(id)
-
Returns a sticker of the pack with the given id or
None
if not found.- Parameters:
-
id (
int
) – The id of the sticker to get - Returns:
-
The sticker or
None
if not found. - Return type:
-
Optional[
Sticker
]
Sticker
- class discord.Sticker
-
Represents a sticker.
New in version 1.6.
- str(x)
-
Returns the name of the sticker.
- x == y
-
Checks if the sticker is equal to another sticker.
- x != y
-
Checks if the sticker is not equal to another sticker.
- name
-
The sticker’s name.
- Type:
-
str
- id
-
The id of the sticker.
- Type:
-
int
- description
-
The description of the sticker.
- Type:
-
str
- pack_id
-
The id of the sticker’s pack.
- Type:
-
int
- format
-
The format for the sticker’s image.
- Type:
-
StickerType
- tags
-
A list of tags for the sticker.
- Type:
-
List[
str
]
- pack
-
The pack the sticker belongs to. Could be
None
even ifSticker.pack_id
is present.- Type:
-
Optional[
StickerPack
]
- sort_value
-
The sticker’s sort order within its
Sticker.pack
.- Type:
-
int
- property created_at
-
Returns the sticker’s creation time in UTC as a naive datetime.
- Type:
-
datetime.datetime
- property image_url
-
Returns an
Asset
for the sticker’s image.Note
This will return
None
if the format isStickerType.lottie
.- Returns:
-
The resulting CDN asset.
- Return type:
-
Optional[
Asset
]
- image_url_as()
-
Optionally returns an
Asset
for the sticker’s image.The size must be a power of 2 between 16 and 4096.
Note
This will return
None
if the format isStickerType.lottie
.- Returns:
-
The resulting CDN asset or
None
. - Return type:
-
Optional[
Asset
]
Methods
-
asyncdelete -
asyncedit -
defimage_url_as
- class discord.GuildSticker
-
Represents a “custom” sticker in a guild
- name
-
The sticker’s name.
- Type:
-
str
- id
-
The id of the sticker.
- Type:
-
int
- description
-
The description of the sticker.
- Type:
-
str
- format
-
The format for the sticker’s image.
- Type:
-
StickerType
- tags
-
A list of tags for the sticker.
- Type:
-
List[
str
]
- guild_id
-
The id of the guild wich this sticker belongs to.
- Type:
-
int
- available
-
Whether this guild sticker can be used, may be
False
due to loss of Server Boosts- Type:
-
bool
- user
-
The user that uploaded the guild sticker
- Type:
-
User
- property guild
-
The guild the sticker belongs to
- Type:
-
Guild
- await edit(*, reason=None, **fields)
-
This function is a coroutine.
Modify the sticker.
Requires the
MANAGE_EMOJIS_AND_STICKERS
permission.- Parameters:
-
-
name (
str
) – The name of the sticker; 2-30 characters long. -
description (Optional[
str
]) – The description of the sticker;None
or 2-100 characters long. -
tags (Union[
str
, List[str
]]) – The autocomplete/suggestion tags for the sticker.
A string in which the individual tags are separated by,
or a list of tags; (max 200 characters). -
reason (Optional[
str
]) – The reason for modifying the sticker, shows up in the audit-log.
-
- Raises:
-
-
discord.Forbidden: – You don’t have the required permission to edit the sticker.
-
discord.HTTPException: – Editing the sticker failed.
-
ValueError: – Any of name, description or tags is invalid.
-
- Returns:
-
The updated sticker on success.
- Return type:
-
discord.GuildSticker
- property created_at
-
Returns the sticker’s creation time in UTC as a naive datetime.
- Type:
-
datetime.datetime
- await delete(*, reason)
-
This function is a coroutine.
Delete the sticker.
Requires the
MANAGE_EMOJIS_AND_STICKERS
permission.- Parameters:
-
reason (Optional[
str
]) – The reason for deleting the sticker, shows up in the audit-log. - Raises:
-
-
discord.Forbidden: – You don’t have the required permissions to delete the sticker.
-
discord.HTTPException: – Deleting the sticker failed.
-
- Returns:
-
The sticker that was deleted.
- Return type:
-
discord.GuildSticker
- property image_url
-
Returns an
Asset
for the sticker’s image.Note
This will return
None
if the format isStickerType.lottie
.- Returns:
-
The resulting CDN asset.
- Return type:
-
Optional[
Asset
]
- image_url_as()
-
Optionally returns an
Asset
for the sticker’s image.The size must be a power of 2 between 16 and 4096.
Note
This will return
None
if the format isStickerType.lottie
.- Returns:
-
The resulting CDN asset or
None
. - Return type:
-
Optional[
Asset
]
RawMessageDeleteEvent
- class discord.RawMessageDeleteEvent
-
Represents the event payload for a
on_raw_message_delete()
event.- channel_id
-
The channel ID where the deletion took place.
- Type:
-
int
- guild_id
-
The guild ID where the deletion took place, if applicable.
- Type:
-
Optional[
int
]
- message_id
-
The message ID that got deleted.
- Type:
-
int
- cached_message
-
The cached message, if found in the internal message cache.
- Type:
-
Optional[
Message
]
RawBulkMessageDeleteEvent
- class discord.RawBulkMessageDeleteEvent
-
Represents the event payload for a
on_raw_bulk_message_delete()
event.- message_ids
-
A
set
of the message IDs that were deleted.- Type:
-
Set[
int
]
- channel_id
-
The channel ID where the message got deleted.
- Type:
-
int
- guild_id
-
The guild ID where the message got deleted, if applicable.
- Type:
-
Optional[
int
]
- cached_messages
-
The cached messages, if found in the internal message cache.
- Type:
-
List[
Message
]
RawMessageUpdateEvent
- class discord.RawMessageUpdateEvent
-
Represents the payload for a
on_raw_message_edit()
event.- message_id
-
The message ID that got updated.
- Type:
-
int
- channel_id
-
The channel ID where the update took place.
New in version 1.3.
- Type:
-
int
- guild_id
-
The guild ID where the message got updated, if applicable.
New in version 1.7.
- Type:
-
Optional[
int
]
- data
-
The raw data given by the gateway
- Type:
-
dict
- cached_message
-
The cached message, if found in the internal message cache. Represents the message before
it is modified by the data inRawMessageUpdateEvent.data
.- Type:
-
Optional[
Message
]
RawReactionActionEvent
- class discord.RawReactionActionEvent
-
Represents the payload for a
on_raw_reaction_add()
or
on_raw_reaction_remove()
event.- message_id
-
The message ID that got or lost a reaction.
- Type:
-
int
- user_id
-
The user ID who added the reaction or whose reaction was removed.
- Type:
-
int
- channel_id
-
The channel ID where the reaction got added or removed.
- Type:
-
int
- guild_id
-
The guild ID where the reaction got added or removed, if applicable.
- Type:
-
Optional[
int
]
- emoji
-
The custom or unicode emoji being used.
- Type:
-
PartialEmoji
- member
-
The member who added the reaction. Only available if event_type is REACTION_ADD and the reaction is inside a guild.
New in version 1.3.
- Type:
-
Optional[
Member
]
- event_type
-
The event type that triggered this action. Can be
REACTION_ADD
for reaction addition or
REACTION_REMOVE
for reaction removal.New in version 1.3.
- Type:
-
str
RawReactionClearEvent
- class discord.RawReactionClearEvent
-
Represents the payload for a
on_raw_reaction_clear()
event.- message_id
-
The message ID that got its reactions cleared.
- Type:
-
int
- channel_id
-
The channel ID where the reactions got cleared.
- Type:
-
int
- guild_id
-
The guild ID where the reactions got cleared.
- Type:
-
Optional[
int
]
RawReactionClearEmojiEvent
- class discord.RawReactionClearEmojiEvent
-
Represents the payload for a
on_raw_reaction_clear_emoji()
event.New in version 1.3.
- message_id
-
The message ID that got its reactions cleared.
- Type:
-
int
- channel_id
-
The channel ID where the reactions got cleared.
- Type:
-
int
- guild_id
-
The guild ID where the reactions got cleared.
- Type:
-
Optional[
int
]
- emoji
-
The custom or unicode emoji being removed.
- Type:
-
PartialEmoji
Data Classes
Some classes are just there to be data containers, this lists them.
Unlike models you are allowed to create
most of these yourself, even if they can also be used to hold attributes.
Nearly all classes here have __slots__ defined which means that it is
impossible to have dynamic attributes to the data classes.
The only exception to this rule is abc.Snowflake
, which is made with
dynamic attributes in mind.
Object
Attributes
- created_at
- id
- type
- class discord.Object(id, _type=None, state=None)
-
Represents a generic Discord object.
The purpose of this class is to allow you to create ‘miniature’
versions of data classes if you want to pass in just an ID. Most functions
that take in a specific data class with an ID can also take in this class
as a substitute instead. Note that even though this is the case, not all
objects (if any) actually inherit from this class.There are also some cases where some websocket events are received
in strange order and when such events happened you would
receive this class rather than the actual data class. These cases are
extremely rare.- x == y
-
Checks if two objects are equal.
- x != y
-
Checks if two objects are not equal.
- hash(x)
-
Returns the object’s hash.
- id
-
The ID of the object.
- Type:
-
int
- type
-
The object this should represent if any.
- Type:
-
object
- property created_at
-
Returns the snowflake’s creation time in UTC.
- Type:
-
datetime.datetime
Embed
Attributes
- Empty
- author
- colour
- description
- fields
- footer
- image
- provider
- thumbnail
- timestamp
- title
- type
- url
- video
Methods
-
clsEmbed.from_dict -
defadd_field -
defclear_fields -
defcopy -
definsert_field_at -
defremove_author -
defremove_field -
defset_author -
defset_field_at -
defset_footer -
defset_image -
defset_thumbnail -
defto_dict
- class discord.Embed(*, title=Embed.Empty, description=Embed.Empty, color=Embed.Empty, timestamp=Embed.Empty, url=Embed.Empty, type=‘rich’, colour=Embed.Empty)
-
Represents a Discord embed.
- len(x)
-
Returns the total size of the embed.
Useful for checking if it’s within the 6000-character limit.
Certain properties return an
EmbedProxy
, a type
that acts similar to a regulardict
except using dotted access,
e.g.embed.author.icon_url
. If the attribute
is invalid or empty, then a special sentinel value is returned,
Embed.Empty
.For ease of use, all parameters that expect a
str
are implicitly
cast tostr
for you.- title
-
The title of the embed.
This can be set during initialisation.- Type:
-
str
- type
-
The type of embed. Usually “rich”.
This can be set during initialisation.
Possible strings for embed types can be found on discord’s
api docs- Type:
-
str
- description
-
The description of the embed.
This can be set during initialisation.- Type:
-
str
- url
-
The URL of the embed.
This can be set during initialisation.- Type:
-
str
- timestamp
-
The timestamp of the embed content. This could be a naive or aware datetime.
- Type:
-
datetime.datetime
- colour
-
The colour code of the embed. Aliased to
color
as well.
This can be set during initialisation.- Type:
-
Union[
Colour
,int
]
- Empty
-
A special sentinel value used by
EmbedProxy
and this class
to denote that the value or attribute is empty.
- classmethod from_dict(data)
-
Converts a
dict
to aEmbed
provided it is in the
format that Discord expects it to be in.You can find out about this format in the official Discord documentation.
- Parameters:
-
data (
dict
) – The dictionary to convert into an embed.
- copy()
-
Returns a shallow copy of the embed.
-
Returns an
EmbedProxy
denoting the footer contents.See
set_footer()
for possible values you can access.If the attribute has no value then
Empty
is returned.- Type:
-
Union[
EmbedProxy
,Empty
]
-
Sets the footer for the embed content.
This function returns the class instance to allow for fluent-style
chaining.- Parameters:
-
-
text (
str
) – The footer text. -
icon_url (
str
) – The URL of the footer icon. Only HTTP(S) is supported.
-
- property image
-
Returns an
EmbedProxy
denoting the image contents.Possible attributes you can access are:
-
url
-
proxy_url
-
width
-
height
If the attribute has no value then
Empty
is returned.- Type:
-
Union[
EmbedProxy
,Empty
]
-
- set_image(*, url)
-
Sets the image for the embed content.
This function returns the class instance to allow for fluent-style
chaining.Changed in version 1.4: Passing
Empty
removes the image.- Parameters:
-
url (
str
) – The source URL for the image.
Only HTTP(S) and discords attachment:// protocol is supported.
- property thumbnail
-
Returns an
EmbedProxy
denoting the thumbnail contents.Possible attributes you can access are:
-
url
-
proxy_url
-
width
-
height
If the attribute has no value then
Empty
is returned.- Type:
-
Union[
EmbedProxy
,Empty
]
-
- set_thumbnail(*, url)
-
Sets the thumbnail for the embed content.
This function returns the class instance to allow for fluent-style
chaining.Changed in version 1.4: Passing
Empty
removes the thumbnail.- Parameters:
-
url (
str
) – The source URL for the thumbnail. Only HTTP(S) and discords attachment:// protocol is supported.
- property video
-
Returns an
EmbedProxy
denoting the video contents.Possible attributes include:
-
url
for the video URL. -
height
for the video height. -
width
for the video width.
If the attribute has no value then
Empty
is returned.- Type:
-
Union[
EmbedProxy
,Empty
]
-
- property provider
-
Returns an
EmbedProxy
denoting the provider contents.The only attributes that might be accessed are
name
andurl
.If the attribute has no value then
Empty
is returned.- Type:
-
Union[
EmbedProxy
,Empty
]
- property author
-
Returns an
EmbedProxy
denoting the author contents.See
set_author()
for possible values you can access.If the attribute has no value then
Empty
is returned.- Type:
-
Union[
EmbedProxy
,Empty
]
- set_author(*, name, url=Embed.Empty, icon_url=Embed.Empty)
-
Sets the author for the embed content.
This function returns the class instance to allow for fluent-style
chaining.- Parameters:
-
-
name (
str
) – The name of the author. -
url (
str
) – The URL for the author. -
icon_url (
str
) – The URL of the author icon. Only HTTP(S) is supported.
-
- remove_author()
-
Clears embed’s author information.
This function returns the class instance to allow for fluent-style
chaining.New in version 1.4.
- property fields
-
Returns a
list
ofEmbedProxy
denoting the field contents.See
add_field()
for possible values you can access.If the attribute has no value then
Empty
is returned.- Type:
-
List[Union[
EmbedProxy
,Empty
]]
- add_field(*, name, value, inline=True)
-
Adds a field to the embed object.
This function returns the class instance to allow for fluent-style
chaining.- Parameters:
-
-
name (
str
) – The name of the field. -
value (
str
) – The value of the field. -
inline (
bool
) – Whether the field should be displayed inline.
-
- insert_field_at(index, *, name, value, inline=True)
-
Inserts a field before a specified index to the embed.
This function returns the class instance to allow for fluent-style
chaining.New in version 1.2.
- Parameters:
-
-
index (
int
) – The index of where to insert the field. -
name (
str
) – The name of the field. -
value (
str
) – The value of the field. -
inline (
bool
) – Whether the field should be displayed inline.
-
- clear_fields()
-
Removes all fields from this embed.
- remove_field(index)
-
Removes a field at a specified index.
If the index is invalid or out of bounds then the error is
silently swallowed.Note
When deleting a field by index, the index of the other fields
shift to fill the gap just like a regular list.- Parameters:
-
index (
int
) – The index of the field to remove.
- set_field_at(index, *, name, value, inline=True)
-
Modifies a field to the embed object.
The index must point to a valid pre-existing field.
This function returns the class instance to allow for fluent-style
chaining.- Parameters:
-
-
index (
int
) – The index of the field to modify. -
name (
str
) – The name of the field. -
value (
str
) – The value of the field. -
inline (
bool
) – Whether the field should be displayed inline.
-
- Raises:
-
IndexError – An invalid index was provided.
- to_dict()
-
Converts this embed object into a dict.
AllowedMentions
- class discord.AllowedMentions(*, everyone=True, users=True, roles=True, replied_user=True)
-
A class that represents what mentions are allowed in a message.
This class can be set during
Client
initialisation to apply
to every message sent. It can also be applied on a per message basis
viaabc.Messageable.send()
for more fine-grained control.- everyone
-
Whether to allow everyone and here mentions. Defaults to
True
.- Type:
-
bool
- users
-
Controls the users being mentioned. If
True
(the default) then
users are mentioned based on the message content. IfFalse
then
users are not mentioned at all. If a list ofabc.Snowflake
is given then only the users provided will be mentioned, provided those
users are in the message content.- Type:
-
Union[
bool
, List[abc.Snowflake
]]
- roles
-
Controls the roles being mentioned. If
True
(the default) then
roles are mentioned based on the message content. IfFalse
then
roles are not mentioned at all. If a list ofabc.Snowflake
is given then only the roles provided will be mentioned, provided those
roles are in the message content.- Type:
-
Union[
bool
, List[abc.Snowflake
]]
- replied_user
-
Whether to mention the author of the message being replied to. Defaults
toTrue
.New in version 1.6.
- Type:
-
bool
- classmethod all()
-
A factory method that returns a
AllowedMentions
with all fields explicitly set toTrue
New in version 1.5.
- classmethod none()
-
A factory method that returns a
AllowedMentions
with all fields set toFalse
New in version 1.5.
MessageReference
- class discord.MessageReference(*, message_id, channel_id, guild_id=None, fail_if_not_exists=True)
-
Represents a reference to a
Message
.New in version 1.5.
Changed in version 1.6: This class can now be constructed by users.
- message_id
-
The id of the message referenced.
- Type:
-
Optional[
int
]
- channel_id
-
The channel id of the message referenced.
- Type:
-
int
- guild_id
-
The guild id of the message referenced.
- Type:
-
Optional[
int
]
- fail_if_not_exists
-
Whether replying to the referenced message should raise
HTTPException
if the message no longer exists or Discord could not fetch the message.New in version 1.7.
- Type:
-
bool
- resolved
-
The message that this reference resolved to. If this is
None
then the original message was not fetched either due to the Discord API
not attempting to resolve it or it not being available at the time of creation.
If the message was resolved at a prior point but has since been deleted then
this will be of typeDeletedReferencedMessage
.Currently, this is mainly the replied to message when a user replies to a message.
New in version 1.6.
- Type:
-
Optional[Union[
Message
,DeletedReferencedMessage
]]
- classmethod from_message(message, *, fail_if_not_exists=True)
-
Creates a
MessageReference
from an existingMessage
.New in version 1.6.
- Parameters:
-
-
message (
Message
) – The message to be converted into a reference. -
fail_if_not_exists (
bool
) –Whether replying to the referenced message should raise
HTTPException
if the message no longer exists or Discord could not fetch the message.New in version 1.7.
-
- Returns:
-
A reference to the message.
- Return type:
-
MessageReference
- property cached_message
-
The cached message, if found in the internal message cache.
- Type:
-
Optional[
Message
]
- property jump_url
-
Returns a URL that allows the client to jump to the referenced message.
New in version 1.7.
- Type:
-
str
PartialMessage
Methods
-
asyncadd_reaction -
asyncclear_reaction -
asyncclear_reactions -
asynccreate_thread -
asyncdelete -
asyncedit -
asyncfetch -
asyncpin -
asyncpublish -
asyncremove_reaction -
asyncreply -
defto_reference -
asyncunpin
- class discord.PartialMessage(*, channel, id)
-
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
TextChannel.get_partial_message()
orDMChannel.get_partial_message()
.Note that this class is trimmed down and has no rich attributes.
New in version 1.6.
- x == y
-
Checks if two partial messages are equal.
- x != y
-
Checks if two partial messages are not equal.
- hash(x)
-
Returns the partial message’s hash.
- channel
-
The channel associated with this partial message.
- Type:
-
Union[
TextChannel
,ThreadChannel
,DMChannel
]
- id
-
The message ID.
- Type:
-
int
- property created_at
-
The partial message’s creation time in UTC.
- Type:
-
datetime.datetime
- guild
-
The guild that the partial message belongs to, if applicable.
- Type:
-
Optional[
Guild
]
- await fetch()
-
This function is a coroutine.
Fetches the partial message to a full
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.
-
- Returns:
-
The full message.
- Return type:
-
Message
- await edit(*, content=MISSING, embed=MISSING, embeds=MISSING, components=MISSING, attachments=MISSING, delete_after=None, allowed_mentions=MISSING, suppress_embeds=MISSING)
-
This function is a coroutine.
Edits the message.
The content must be able to be transformed into a string via
str(content)
.Changed in version 1.3: The
suppress
keyword-only parameter was added.Changed in version 2.0: The
components
andattachments
parameters were added.Changed in version 2.0: The
suppress
keyword-only parameter was renamed tosuppress_embeds
.Warning
Since API v10, the
attachments
(when passed) must contain all attachments that should be present after edit,
including retained and new attachments.As this requires to know the current attachments consider either storing the attachments that were sent with a message or
using a fetched version of the message to edit it.- Parameters:
-
-
content (Optional[
str
]) – The new content to replace the message with.
Could beNone
to remove the content. -
embed (Optional[
Embed
]) – The new embed to replace the original with.
Could beNone
to remove all embeds. -
embeds (Optional[List[
Embed
]]) –A list containing up to 10 embeds`to send.
IfNone
or empty, all embeds will be removed.If passed,
embed
does also count towards the limit of 10 embeds. -
components (List[Union[
ActionRow
, List[Union[Button
,BaseSelect
]]]]) – A list of up to fiveButton
’s or oneBaseSelect
like object. -
attachments (List[Union[
Attachment
,File
]]) –A list containing previous attachments to keep as well as new files to upload.
When
None
or empty, all attachment will be removed.Note
New files will always appear under existing ones.
-
suppress_embeds (
bool
) – Whether to suppress embeds for the message. This removes
all the embeds if set toTrue
. If set toFalse
this brings the embeds back if they were suppressed.
Requiresmanage_messages
for messages that aren’t from the bot. -
delete_after (Optional[
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[
AllowedMentions
]) – Controls the mentions being processed in this message. If this is
passed, then the object is merged withallowed_mentions
.
The merging behaviour only overrides attributes that have been explicitly passed
to the object, otherwise it uses the attributes set inallowed_mentions
.
If no object is passed at all then the defaults given byallowed_mentions
are used instead.
-
- Raises:
-
-
NotFound – The message was not found.
-
HTTPException – Editing the message failed.
-
Forbidden – Tried to suppress the embeds a message without permissions or
edited a message’s content or embed that isn’t yours.
-
- Returns:
-
The message that was edited.
- Return type:
-
Optional[
Message
]
- await add_reaction(emoji)
-
This function is a coroutine.
Add a reaction to the message.
The emoji may be a unicode emoji or a custom guild
Emoji
.You must have the
read_message_history
permission
to use this. If nobody else has reacted to the message using this
emoji, theadd_reactions
permission is required.- Parameters:
-
emoji (Union[
Emoji
,Reaction
,PartialEmoji
,str
]) – The emoji to react with. - 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.
-
InvalidArgument – The emoji parameter is invalid.
-
- await clear_reaction(emoji)
-
This function is a coroutine.
Clears a specific reaction from the message.
The emoji may be a unicode emoji or a custom guild
Emoji
.You need the
manage_messages
permission to use this.New in version 1.3.
- Parameters:
-
emoji (Union[
Emoji
,Reaction
,PartialEmoji
,str
]) – The emoji to clear. - 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.
-
InvalidArgument – The emoji parameter is invalid.
-
- await clear_reactions()
-
This function is a coroutine.
Removes all the reactions from the message.
You need the
manage_messages
permission to use this.- Raises:
-
-
HTTPException – Removing the reactions failed.
-
Forbidden – You do not have the proper permissions to remove all the reactions.
-
- await create_thread(name, auto_archive_duration=None, slowmode_delay=0, reason=None)
-
This function is a coroutine.
Creates a new thread in the channel of the message with this message as the
starter_message
.- Parameters:
-
-
name (
str
) – The name of the thread. -
auto_archive_duration (Optional[
AutoArchiveDuration
]) – Amount of time after that the thread will auto-hide from the channel list -
slowmode_delay (
int
) – Amount of seconds a user has to wait before sending another message (0-21600) -
reason (Optional[
str
]) – The reason for creating the thread. Shows up in the audit log.
-
- Raises:
-
-
TypeError – The channel of the message is not a text or news channel,
or the message has already a thread,
orauto_archive_duration
is not a valid member ofAutoArchiveDuration
-
ValueError – The
name
is of invalid length -
Forbidden – The bot is missing permissions to create threads in this channel
-
HTTPException – Creating the thread failed
-
- Returns:
-
The created thread on success
- Return type:
-
ThreadChannel
- await delete(*, delay=None)
-
This function is a coroutine.
Deletes the message.
Your own messages could be deleted without any proper permissions. However, to
delete other people’s messages, you need themanage_messages
permission.Changed in version 1.1: Added the new
delay
keyword-only parameter.- Parameters:
-
delay (Optional[
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. - Raises:
-
-
Forbidden – You do not have proper permissions to delete the message.
-
NotFound – The message was deleted already
-
HTTPException – Deleting the message failed.
-
- property jump_url
-
Returns a URL that allows the client to jump to this message.
- Type:
-
str
- await pin(*, reason=None)
-
This function is a coroutine.
Pins the message.
You must have the
manage_messages
permission to do
this in a non-private channel context.- Parameters:
-
reason (Optional[
str
]) –The reason for pinning the message. Shows up on the audit log.
New in version 1.4.
- 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.
-
- await publish()
-
This function is a coroutine.
Publishes this message to your announcement channel.
If the message is not your own then the
manage_messages
permission is needed.- Raises:
-
-
Forbidden – You do not have the proper permissions to publish this message.
-
HTTPException – Publishing the message failed.
-
- await remove_reaction(emoji, member)
-
This function is a coroutine.
Remove a reaction by the member from the message.
The emoji may be a unicode emoji or a custom guild
Emoji
.If the reaction is not your own (i.e.
member
parameter is not you) then
themanage_messages
permission is needed.The
member
parameter must represent a member and meet
theabc.Snowflake
abc.- Parameters:
-
-
emoji (Union[
Emoji
,Reaction
,PartialEmoji
,str
]) – The emoji to remove. -
member (
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.
-
InvalidArgument – The emoji parameter is invalid.
-
- await reply(content=None, **kwargs)
-
This function is a coroutine.
A shortcut method to
abc.Messageable.send()
to reply to the
Message
.New in version 1.6.
- Raises:
-
-
HTTPException – Sending the message failed.
-
Forbidden – You do not have the proper permissions to send the message.
-
InvalidArgument – The
files
list is not of the appropriate size or
you specified bothfile
andfiles
.
-
- Returns:
-
The message that was sent.
- Return type:
-
Message
- to_reference(*, fail_if_not_exists=True)
-
Creates a
MessageReference
from the current message.New in version 1.6.
- Parameters:
-
fail_if_not_exists (
bool
) –Whether replying using the message reference should raise
HTTPException
if the message no longer exists or Discord could not fetch the message.New in version 1.7.
- Returns:
-
The reference to this message.
- Return type:
-
MessageReference
- await unpin(*, reason=None)
-
This function is a coroutine.
Unpins the message.
You must have the
manage_messages
permission to do
this in a non-private channel context.- Parameters:
-
reason (Optional[
str
]) –The reason for unpinning the message. Shows up on the audit log.
New in version 1.4.
- 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.
-
Intents
Attributes
- auto_moderation_actions
- auto_moderation_configurations
- bans
- dm_messages
- dm_reactions
- dm_typing
- emojis
- guild_messages
- guild_reactions
- guild_typing
- guilds
- integrations
- invites
- members
- message_content
- messages
- presences
- reactions
- scheduled_events
- typing
- value
- voice_states
- webhooks
Methods
-
clsIntents.all -
clsIntents.default -
clsIntents.none
- class discord.Intents(**kwargs)
-
Wraps up a Discord gateway intent flag.
Similar to
Permissions
, the properties provided are two way.
You can set and retrieve individual bits using the properties as if they
were regular bools.To construct an object you can pass keyword arguments denoting the flags
to enable or disable.This is used to disable certain gateway features that are unnecessary to
run your bot. To make use of this, it is passed to theintents
keyword
argument ofClient
.New in version 1.5.
- x == y
-
Checks if two flags are equal.
- x != y
-
Checks if two flags are not equal.
- hash(x)
-
Return the flag’s hash.
- 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.
- value
-
The raw value. You should query flags via the properties
rather than using this raw value.- Type:
-
int
- classmethod all()
-
A factory method that creates a
Intents
with everything enabled.
- classmethod none()
-
A factory method that creates a
Intents
with everything disabled.
- classmethod default()
-
A factory method that creates a
Intents
with everything enabled
exceptpresences
,members
andmessage_content
(privileged intents).
- guilds
-
Whether guild related events are enabled.
This corresponds to the following events:
-
on_guild_join()
-
on_guild_remove()
-
on_guild_available()
-
on_guild_unavailable()
-
on_guild_channel_update()
-
on_guild_channel_create()
-
on_guild_channel_delete()
-
on_guild_channel_pins_update()
This also corresponds to the following attributes and classes in terms of cache:
-
Client.guilds
-
Guild
and all its attributes. -
Client.get_channel()
-
Client.get_all_channels()
It is highly advisable to leave this intent enabled for your bot to function.
- Type:
-
bool
-
- members
-
Whether guild member related events are enabled.
This corresponds to the following events:
-
on_member_join()
-
on_member_remove()
-
on_member_update()
(nickname, roles) -
on_user_update()
This also corresponds to the following attributes and classes in terms of cache:
-
Client.get_all_members()
-
Guild.chunk()
-
Guild.fetch_members()
-
Guild.get_member()
-
Guild.members
-
Member.roles
-
Member.nick
-
Member.premium_since
-
User.name
-
User.avatar
(User.avatar_url
andUser.avatar_url_as()
) -
User.discriminator
For more information go to the member intent documentation.
Note
Currently, this requires opting in explicitly via the developer portal as well.
Bots in over 100 guilds will need to apply to Discord for verification.- Type:
-
bool
-
- bans
-
Whether guild ban related events are enabled.
This corresponds to the following events:
-
on_member_ban()
-
on_member_unban()
This does not correspond to any attributes or classes in the library in terms of cache.
- Type:
-
bool
-
- emojis
-
Whether guild emoji related events are enabled.
This corresponds to the following events:
-
on_guild_emojis_update()
This also corresponds to the following attributes and classes in terms of cache:
-
Emoji
-
Client.get_emoji()
-
Client.emojis()
-
Guild.emojis
- Type:
-
bool
-
- integrations
-
Whether guild integration related events are enabled.
This corresponds to the following events:
-
on_guild_integrations_update()
This does not correspond to any attributes or classes in the library in terms of cache.
- Type:
-
bool
-
- webhooks
-
Whether guild webhook related events are enabled.
This corresponds to the following events:
-
on_webhooks_update()
This does not correspond to any attributes or classes in the library in terms of cache.
- Type:
-
bool
-
- invites
-
Whether guild invite related events are enabled.
This corresponds to the following events:
-
on_invite_create()
-
on_invite_delete()
This does not correspond to any attributes or classes in the library in terms of cache.
- Type:
-
bool
-
- voice_states
-
Whether guild voice state related events are enabled.
This corresponds to the following events:
-
on_voice_state_update()
This also corresponds to the following attributes and classes in terms of cache:
-
VoiceChannel.members
-
VoiceChannel.voice_states
-
Member.voice
- Type:
-
bool
-
- presences
-
Whether guild presence related events are enabled.
This corresponds to the following events:
-
on_member_update()
(activities, status)
This also corresponds to the following attributes and classes in terms of cache:
-
Member.activities
-
Member.status
-
Member.raw_status
For more information go to the presence intent documentation.
Note
Currently, this requires opting in explicitly via the developer portal as well.
Bots in over 100 guilds will need to apply to Discord for verification.- Type:
-
bool
-
- messages
-
Whether guild and direct message related events are enabled.
This is a shortcut to set or get both
guild_messages
anddm_messages
.This corresponds to the following events:
-
on_message()
(both guilds and DMs) -
on_message_edit()
(both guilds and DMs) -
on_message_delete()
(both guilds and DMs) -
on_raw_message_delete()
(both guilds and DMs) -
on_raw_message_edit()
(both guilds and DMs) -
on_private_channel_create()
This also corresponds to the following attributes and classes in terms of cache:
-
Message
-
Client.cached_messages
Note that due to an implicit relationship this also corresponds to the following events:
-
on_reaction_add()
(both guilds and DMs) -
on_reaction_remove()
(both guilds and DMs) -
on_reaction_clear()
(both guilds and DMs)
- Type:
-
bool
-
- guild_messages
-
Whether guild message related events are enabled.
See also
dm_messages
for DMs ormessages
for both.This corresponds to the following events:
-
on_message()
(only for guilds) -
on_message_edit()
(only for guilds) -
on_message_delete()
(only for guilds) -
on_raw_message_delete()
(only for guilds) -
on_raw_message_edit()
(only for guilds)
This also corresponds to the following attributes and classes in terms of cache:
-
Message
-
Client.cached_messages
(only for guilds)
Note that due to an implicit relationship this also corresponds to the following events:
-
on_reaction_add()
(only for guilds) -
on_reaction_remove()
(only for guilds) -
on_reaction_clear()
(only for guilds)
- Type:
-
bool
-
- dm_messages
-
Whether direct message related events are enabled.
See also
guild_messages
for guilds ormessages
for both.This corresponds to the following events:
-
on_message()
(only for DMs) -
on_message_edit()
(only for DMs) -
on_message_delete()
(only for DMs) -
on_raw_message_delete()
(only for DMs) -
on_raw_message_edit()
(only for DMs) -
on_private_channel_create()
This also corresponds to the following attributes and classes in terms of cache:
-
Message
-
Client.cached_messages
(only for DMs)
Note that due to an implicit relationship this also corresponds to the following events:
-
on_reaction_add()
(only for DMs) -
on_reaction_remove()
(only for DMs) -
on_reaction_clear()
(only for DMs)
- Type:
-
bool
-
- reactions
-
Whether guild and direct message reaction related events are enabled.
This is a shortcut to set or get both
guild_reactions
anddm_reactions
.This corresponds to the following events:
-
on_reaction_add()
(both guilds and DMs) -
on_reaction_remove()
(both guilds and DMs) -
on_reaction_clear()
(both guilds and DMs) -
on_raw_reaction_add()
(both guilds and DMs) -
on_raw_reaction_remove()
(both guilds and DMs) -
on_raw_reaction_clear()
(both guilds and DMs)
This also corresponds to the following attributes and classes in terms of cache:
-
Message.reactions
(both guild and DM messages)
- Type:
-
bool
-
- guild_reactions
-
Whether guild message reaction related events are enabled.
See also
dm_reactions
for DMs orreactions
for both.This corresponds to the following events:
-
on_reaction_add()
(only for guilds) -
on_reaction_remove()
(only for guilds) -
on_reaction_clear()
(only for guilds) -
on_raw_reaction_add()
(only for guilds) -
on_raw_reaction_remove()
(only for guilds) -
on_raw_reaction_clear()
(only for guilds)
This also corresponds to the following attributes and classes in terms of cache:
-
Message.reactions
(only for guild messages)
- Type:
-
bool
-
- dm_reactions
-
Whether direct message reaction related events are enabled.
See also
guild_reactions
for guilds orreactions
for both.This corresponds to the following events:
-
on_reaction_add()
(only for DMs) -
on_reaction_remove()
(only for DMs) -
on_reaction_clear()
(only for DMs) -
on_raw_reaction_add()
(only for DMs) -
on_raw_reaction_remove()
(only for DMs) -
on_raw_reaction_clear()
(only for DMs)
This also corresponds to the following attributes and classes in terms of cache:
-
Message.reactions
(only for DM messages)
- Type:
-
bool
-
- typing
-
Whether guild and direct message typing related events are enabled.
This is a shortcut to set or get both
guild_typing
anddm_typing
.This corresponds to the following events:
-
on_typing()
(both guilds and DMs)
This does not correspond to any attributes or classes in the library in terms of cache.
- Type:
-
bool
-
- guild_typing
-
Whether guild and direct message typing related events are enabled.
See also
dm_typing
for DMs ortyping
for both.This corresponds to the following events:
-
on_typing()
(only for guilds)
This does not correspond to any attributes or classes in the library in terms of cache.
- Type:
-
bool
-
- dm_typing
-
Whether guild and direct message typing related events are enabled.
See also
guild_typing
for guilds ortyping
for both.This corresponds to the following events:
-
on_typing()
(only for DMs)
This does not correspond to any attributes or classes in the library in terms of cache.
- Type:
-
bool
-
- message_content
-
Whether to receive the content, embeds, attachments and components of a message.
Note
The bot will still receive these fields when the message is in a privat chat with the bot,
or the bot is mentioned in the message.This corresponds to the following events:
-
on_message()
(content, embeds, attachments, components) -
on_message_edit()
(content, embeds, attachments, components) -
on_raw_message_edit()
(cached_message) -
on_message_delete()
(content, embeds, attachments, components) -
on_raw_message_delete()
(cached_message) -
on_bulk_message_delete()
(content, embeds, attachments, components) -
on_raw_bulk_message_delete()
(cached_messages) -
on_auto_moderation_action()
(content, matched_content)
This also corresponds to the following attributes and classes:
-
Message.content
-
Message.embeds
-
Message.attachments
-
Message.components
For more information go to the message-content intent documentation .
Note
Currently, this requires opting in explicitly via the developer portal as well.
Bots in over 100 guilds will need to apply to Discord for verification.- Type:
-
bool
-
- scheduled_events
-
Whether to receive events related to creating, updating and deleting scheduled events.
Also, whether to receive events when a user is added or removed (interested).This corresponds to the following events:
-
on_scheduled_event_create()
-
on_scheduled_event_update()
-
on_scheduled_event_delete()
-
on_scheduled_event_user_add()
-
on_scheduled_event_user_remove()
- Type:
-
bool
-
- auto_moderation_configurations
-
Whether to receive events related to creating, updating and deleting auto moderation rules.
This corresponds to the following events:
-
on_auto_moderation_rule_create()
-
on_auto_moderation_rule_update()
-
on_auto_moderation_rule_delete()
- Type:
-
bool
-
- auto_moderation_actions
-
Whether to receive events when auto moderation actions are taken.
This corresponds to the following event:
-
on_auto_moderation_action()
- Type:
-
bool
-
MemberCacheFlags
- class discord.MemberCacheFlags(**kwargs)
-
Controls the library’s cache policy when it comes to members.
This allows for finer grained control over what members are cached.
Note that the bot’s own member is always cached. This class is passed
to themember_cache_flags
parameter inClient
.Due to a quirk in how Discord works, in order to ensure proper cleanup
of cache resources it is recommended to haveIntents.members
enabled. Otherwise the library cannot know when a member leaves a guild and
is thus unable to cleanup after itself.To construct an object you can pass keyword arguments denoting the flags
to enable or disable.The default value is all flags enabled.
New in version 1.5.
- x == y
-
Checks if two flags are equal.
- x != y
-
Checks if two flags are not equal.
- hash(x)
-
Return the flag’s hash.
- 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.
- value
-
The raw value. You should query flags via the properties
rather than using this raw value.- Type:
-
int
- classmethod all()
-
A factory method that creates a
MemberCacheFlags
with everything enabled.
- classmethod none()
-
A factory method that creates a
MemberCacheFlags
with everything disabled.
- online
-
Whether to cache members with a status.
For example, members that are part of the initial
GUILD_CREATE
or become online at a later point. This requiresIntents.presences
.Members that go offline are no longer cached.
- Type:
-
bool
- voice
-
Whether to cache members that are in voice.
This requires
Intents.voice_states
.Members that leave voice are no longer cached.
- Type:
-
bool
- joined
-
Whether to cache members that joined the guild
or are chunked as part of the initial log in flow.This requires
Intents.members
.Members that leave the guild are no longer cached.
- Type:
-
bool
- classmethod from_intents(intents)
-
A factory method that creates a
MemberCacheFlags
based on
the currently selectedIntents
.- Parameters:
-
intents (
Intents
) – The intents to select from. - Returns:
-
The resulting member cache flags.
- Return type:
-
MemberCacheFlags
File
Attributes
- description
- filename
- fp
- spoiler
- class discord.File(fp, filename=None, description=None, *, spoiler=False)
-
A parameter object used for
abc.Messageable.send()
for sending file objects.Note
File objects are single use and are not meant to be reused in
multipleabc.Messageable.send()
s.- fp
-
A file-like object opened in binary mode and read mode
or a filename representing a file in the hard drive to
open.Note
If the file-like object passed is opened via
open
then the
modes ‘rb’ should be used.To pass binary data, consider usage of
io.BytesIO
.- Type:
-
Union[
str
,io.BufferedIOBase
]
- filename
-
The filename to display when uploading to Discord.
If this is not given then it defaults tofp.name
or iffp
is
a string then thefilename
will default to the string given.- Type:
-
Optional[
str
]
- spoiler
-
Whether the attachment is a spoiler.
- Type:
-
bool
- description
-
The file description can be set to attached images to show a alternative text.
- Type:
-
Optional[
str
:]
ForumTag
- class discord.ForumTag
-
Represents a tag in a
ForumChannel
.Note
The
id
andguild
attributes are only available if the instance is not self created.- id
-
The ID of the tag
- Type:
-
int
- guild
-
The guild the tag belongs to.
- Type:
-
Guild
- name
-
The name of the tag.
- Type:
-
str
- emoji_id
-
The ID of the custom-emoji the tag uses if any.
- Type:
-
int
- emoji_name
-
The default-emoji the tag uses if any.
- Type:
-
str
- moderated
-
Whether only moderators can apply this tag to a post.
- Type:
-
bool
- property emoji
-
The emoji that is set for this post, if any
- Type:
-
Optional[
PartialEmoji
]
Colour
Methods
-
clsColour.blue -
clsColour.blurple -
clsColour.dark_blue -
clsColour.dark_gold -
clsColour.dark_gray -
clsColour.dark_green -
clsColour.dark_grey -
clsColour.dark_magenta -
clsColour.dark_orange -
clsColour.dark_purple -
clsColour.dark_red -
clsColour.dark_teal -
clsColour.dark_theme -
clsColour.darker_gray -
clsColour.darker_grey -
clsColour.default -
clsColour.from_hsv -
clsColour.from_rgb -
clsColour.gold -
clsColour.green -
clsColour.greyple -
clsColour.light_gray -
clsColour.light_grey -
clsColour.lighter_gray -
clsColour.lighter_grey -
clsColour.magenta -
clsColour.orange -
clsColour.purple -
clsColour.random -
clsColour.red -
clsColour.teal -
defto_rgb
- class discord.Colour(value)
-
Represents a Discord role colour. This class is similar
to a (red, green, blue)tuple
.There is an alias for this called Color.
- x == y
-
Checks if two colours are equal.
- x != y
-
Checks if two colours are not equal.
- hash(x)
-
Return the colour’s hash.
- str(x)
-
Returns the hex format for the colour.
- value
-
The raw integer colour value.
- Type:
-
int
- property r
-
Returns the red component of the colour.
- Type:
-
int
- property g
-
Returns the green component of the colour.
- Type:
-
int
- property b
-
Returns the blue component of the colour.
- Type:
-
int
- to_rgb()
-
Tuple[
int
,int
,int
]: Returns an (r, g, b) tuple representing the colour.
- classmethod from_rgb(r, g, b)
-
Constructs a
Colour
from an RGB tuple.
- classmethod from_hsv(h, s, v)
-
Constructs a
Colour
from an HSV tuple.
- classmethod default()
-
A factory method that returns a
Colour
with a value of0
.
- classmethod random(*, seed=None)
-
A factory method that returns a
Colour
with a random hue.Note
The random algorithm works by choosing a colour with a random hue but
with maxed out saturation and value.New in version 1.6.
- Parameters:
-
seed (Optional[Union[
int
,str
,float
,bytes
,bytearray
]]) –The seed to initialize the RNG with. If
None
is passed the default RNG is used.New in version 1.7.
- classmethod teal()
-
A factory method that returns a
Colour
with a value of0x1abc9c
.
- classmethod dark_teal()
-
A factory method that returns a
Colour
with a value of0x11806a
.
- classmethod green()
-
A factory method that returns a
Colour
with a value of0x2ecc71
.
- classmethod dark_green()
-
A factory method that returns a
Colour
with a value of0x1f8b4c
.
- classmethod blue()
-
A factory method that returns a
Colour
with a value of0x3498db
.
- classmethod dark_blue()
-
A factory method that returns a
Colour
with a value of0x206694
.
- classmethod purple()
-
A factory method that returns a
Colour
with a value of0x9b59b6
.
- classmethod dark_purple()
-
A factory method that returns a
Colour
with a value of0x71368a
.
- classmethod magenta()
-
A factory method that returns a
Colour
with a value of0xe91e63
.
- classmethod dark_magenta()
-
A factory method that returns a
Colour
with a value of0xad1457
.
- classmethod gold()
-
A factory method that returns a
Colour
with a value of0xf1c40f
.
- classmethod dark_gold()
-
A factory method that returns a
Colour
with a value of0xc27c0e
.
- classmethod orange()
-
A factory method that returns a
Colour
with a value of0xe67e22
.
- classmethod dark_orange()
-
A factory method that returns a
Colour
with a value of0xa84300
.
- classmethod red()
-
A factory method that returns a
Colour
with a value of0xe74c3c
.
- classmethod dark_red()
-
A factory method that returns a
Colour
with a value of0x992d22
.
- classmethod lighter_grey()
-
A factory method that returns a
Colour
with a value of0x95a5a6
.
- classmethod lighter_gray()
-
A factory method that returns a
Colour
with a value of0x95a5a6
.
- classmethod dark_grey()
-
A factory method that returns a
Colour
with a value of0x607d8b
.
- classmethod dark_gray()
-
A factory method that returns a
Colour
with a value of0x607d8b
.
- classmethod light_grey()
-
A factory method that returns a
Colour
with a value of0x979c9f
.
- classmethod light_gray()
-
A factory method that returns a
Colour
with a value of0x979c9f
.
- classmethod darker_grey()
-
A factory method that returns a
Colour
with a value of0x546e7a
.
- classmethod darker_gray()
-
A factory method that returns a
Colour
with a value of0x546e7a
.
- classmethod blurple()
-
A factory method that returns a
Colour
with a value of0x7289da
.
- classmethod greyple()
-
A factory method that returns a
Colour
with a value of0x99aab5
.
- classmethod dark_theme()
-
A factory method that returns a
Colour
with a value of0x36393F
.
This will appear transparent on Discord’s dark theme.New in version 1.5.
BaseActivity
- class discord.BaseActivity(**kwargs)
-
The base activity that all user-settable activities inherit from.
A user-settable activity is one that can be used inClient.change_presence()
.The following types currently count as user-settable:
-
Activity
-
Game
-
Streaming
-
CustomActivity
Note that although these types are considered user-settable by the library,
Discord typically ignores certain combinations of activity depending on
what is currently set. This behaviour may change in the future so there are
no guarantees on whether Discord will actually let you set these types.New in version 1.3.
- property created_at
-
When the user started doing this activity in UTC.
New in version 1.3.
- Type:
-
Optional[
datetime.datetime
]
-
Activity
Attributes
- application_id
- assets
- details
- emoji
- end
- large_image_text
- large_image_url
- name
- party
- small_image_text
- small_image_url
- start
- state
- timestamps
- type
- url
- class discord.Activity(**kwargs)
-
Represents an activity in Discord.
This could be an activity such as streaming, playing, listening
or watching.For memory optimisation purposes, some activities are offered in slimmed
down versions:-
Game
-
Streaming
- application_id
-
The application ID of the game.
- Type:
-
int
- name
-
The name of the activity.
- Type:
-
str
- url
-
A stream URL that the activity could be doing.
- Type:
-
str
- type
-
The type of activity currently being done.
- Type:
-
ActivityType
- state
-
The user’s current state. For example, “In Game”.
- Type:
-
str
- details
-
The detail of the user’s current activity.
- Type:
-
str
- timestamps
-
A dictionary of timestamps. It contains the following optional keys:
-
start
: Corresponds to when the user started doing the
activity in milliseconds since Unix epoch. -
end
: Corresponds to when the user will finish doing the
activity in milliseconds since Unix epoch.
- Type:
-
dict
-
- assets
-
A dictionary representing the images and their hover text of an activity.
It contains the following optional keys:-
large_image
: A string representing the ID for the large image asset. -
large_text
: A string representing the text when hovering over the large image asset. -
small_image
: A string representing the ID for the small image asset. -
small_text
: A string representing the text when hovering over the small image asset.
- Type:
-
dict
-
- party
-
A dictionary representing the activity party. It contains the following optional keys:
-
id
: A string representing the party ID. -
size
: A list of up to two integer elements denoting (current_size, maximum_size).
- Type:
-
dict
-
- emoji
-
The emoji that belongs to this activity.
- Type:
-
Optional[
PartialEmoji
]
- property start
-
When the user started doing this activity in UTC, if applicable.
- Type:
-
Optional[
datetime.datetime
]
- property end
-
When the user will stop doing this activity in UTC, if applicable.
- Type:
-
Optional[
datetime.datetime
]
- property large_image_url
-
Returns a URL pointing to the large image asset of this activity if applicable.
- Type:
-
Optional[
str
]
- property small_image_url
-
Returns a URL pointing to the small image asset of this activity if applicable.
- Type:
-
Optional[
str
]
- property large_image_text
-
Returns the large image asset hover text of this activity if applicable.
- Type:
-
Optional[
str
]
- property small_image_text
-
Returns the small image asset hover text of this activity if applicable.
- Type:
-
Optional[
str
]
-
Game
Attributes
- end
- name
- start
- type
- class discord.Game(name, **extra)
-
A slimmed down version of
Activity
that represents a Discord game.This is typically displayed via Playing on the official Discord client.
- x == y
-
Checks if two games are equal.
- x != y
-
Checks if two games are not equal.
- hash(x)
-
Returns the game’s hash.
- str(x)
-
Returns the game’s name.
- Parameters:
-
-
name (
str
) – The game’s name. -
start (Optional[
datetime.datetime
]) – A naive UTC timestamp representing when the game started. Keyword-only parameter. Ignored for bots. -
end (Optional[
datetime.datetime
]) – A naive UTC timestamp representing when the game ends. Keyword-only parameter. Ignored for bots.
-
- name
-
The game’s name.
- Type:
-
str
- property type
-
Returns the game’s type. This is for compatibility with
Activity
.It always returns
ActivityType.playing
.- Type:
-
ActivityType
- property start
-
When the user started playing this game in UTC, if applicable.
- Type:
-
Optional[
datetime.datetime
]
- property end
-
When the user will stop playing this game in UTC, if applicable.
- Type:
-
Optional[
datetime.datetime
]
Streaming
- class discord.Streaming(*, name, url, **extra)
-
A slimmed down version of
Activity
that represents a Discord streaming status.This is typically displayed via Streaming on the official Discord client.
- x == y
-
Checks if two streams are equal.
- x != y
-
Checks if two streams are not equal.
- hash(x)
-
Returns the stream’s hash.
- str(x)
-
Returns the stream’s name.
- platform
-
Where the user is streaming from (ie. YouTube, Twitch).
New in version 1.3.
- Type:
-
str
- name
-
The stream’s name.
- Type:
-
Optional[
str
]
- details
-
An alias for
name
- Type:
-
Optional[
str
]
- game
-
The game being streamed.
New in version 1.3.
- Type:
-
Optional[
str
]
- url
-
The stream’s URL.
- Type:
-
str
- assets
-
A dictionary comprising of similar keys than those in
Activity.assets
.- Type:
-
dict
- property type
-
Returns the game’s type. This is for compatibility with
Activity
.It always returns
ActivityType.streaming
.- Type:
-
ActivityType
- property twitch_name
-
If provided, the twitch name of the user streaming.
This corresponds to the
large_image
key of theStreaming.assets
dictionary if it starts withtwitch:
. Typically set by the Discord client.- Type:
-
Optional[
str
]
CustomActivity
Attributes
- emoji
- name
- type
- class discord.CustomActivity(name, *, emoji=None, **extra)
-
Represents a Custom activity from Discord.
- x == y
-
Checks if two activities are equal.
- x != y
-
Checks if two activities are not equal.
- hash(x)
-
Returns the activity’s hash.
- str(x)
-
Returns the custom status text.
New in version 1.3.
- name
-
The custom activity’s name.
- Type:
-
Optional[
str
]
- emoji
-
The emoji to pass to the activity, if any.
- Type:
-
Optional[
PartialEmoji
]
- property type
-
Returns the activity’s type. This is for compatibility with
Activity
.It always returns
ActivityType.custom
.- Type:
-
ActivityType
Permissions
Attributes
- add_reactions
- administrator
- attach_files
- ban_members
- change_nickname
- connect
- create_instant_invite
- create_private_threads
- create_public_threads
- deafen_members
- embed_links
- external_emojis
- kick_members
- manage_channels
- manage_emojis
- manage_emojis_and_stickers
- manage_events
- manage_guild
- manage_messages
- manage_nicknames
- manage_permissions
- manage_roles
- manage_stickers
- manage_threads
- manage_webhooks
- mention_everyone
- moderate_members
- move_members
- mute_members
- priority_speaker
- read_message_history
- read_messages
- request_to_speak
- send_messages
- send_messages_in_threads
- send_thread_messages
- send_tts_messages
- speak
- start_embedded_activities
- start_voice_activities
- stream
- timeout_members
- use_application_commands
- use_external_emojis
- use_external_stickers
- use_slash_commands
- use_voice_activation
- value
- view_audit_log
- view_channel
- view_guild_insights
Methods
-
clsPermissions.advanced -
clsPermissions.all -
clsPermissions.all_channel -
clsPermissions.general -
clsPermissions.membership -
clsPermissions.none -
clsPermissions.stage -
clsPermissions.stage_moderator -
clsPermissions.text -
clsPermissions.voice -
defis_strict_subset -
defis_strict_superset -
defis_subset -
defis_superset -
defupdate
- class discord.Permissions(permissions=0, **kwargs)
-
Wraps up the Discord permission value.
The properties provided are two way. You can set and retrieve individual
bits using the properties as if they were regular bools. This allows
you to edit permissions.Changed in version 1.3: You can now use keyword arguments to initialize
Permissions
similar toupdate()
.- x == y
-
Checks if two permissions are equal.
- x != y
-
Checks if two permissions are not equal.
- x <= y
-
Checks if a permission is a subset of another permission.
- x >= y
-
Checks if a permission is a superset of another permission.
- x < y
-
Checks if a permission is a strict subset of another permission.
- x > y
-
Checks if a permission is a strict superset of another permission.
- hash(x)
-
Return the permission’s hash.
- iter(x)
-
Returns an iterator of
(perm, value)
pairs. This allows it
to be, for example, constructed as a dict or a list of pairs.
Note that aliases are not shown.
- value
-
The raw value. This value is a bit array field of a 53-bit integer
representing the currently available permissions. You should query
permissions via the properties rather than using this raw value.- Type:
-
int
- is_subset(other)
-
Returns
True
if self has the same or fewer permissions as other.
- is_superset(other)
-
Returns
True
if self has the same or more permissions as other.
- is_strict_subset(other)
-
Returns
True
if the permissions on other are a strict subset of those on self.
- is_strict_superset(other)
-
Returns
True
if the permissions on other are a strict superset of those on self.
- classmethod none()
-
A factory method that creates a
Permissions
with all
permissions set toFalse
.
- classmethod all()
-
A factory method that creates a
Permissions
with all
permissions set toTrue
.
- classmethod all_channel()
-
A
Permissions
with all channel-specific permissions set to
True
and the guild-specific ones set toFalse
. The guild-specific
permissions are currently:-
manage_emojis
-
view_audit_log
-
view_guild_insights
-
manage_guild
-
change_nickname
-
manage_nicknames
-
kick_members
-
ban_members
-
administrator
Changed in version 1.7: Added
stream
,priority_speaker
anduse_slash_commands
permissions.Changed in version 2.0: Added
start_embedded_activities
,moderate_members
,manage_events
,create_private_threads
,
create_puplic_threads
,manage_threads
,send_messages_in_threads
,request_to_speak
anduse_external_stickers
-
- classmethod general()
-
A factory method that creates a
Permissions
with all
“General” permissions from the official Discord UI set toTrue
.Changed in version 1.7: Permission
read_messages
is now included in the general permissions, but
permissionsadministrator
,create_instant_invite
,kick_members
,
ban_members
,change_nickname
andmanage_nicknames
are
no longer part of the general permissions.
- classmethod membership()
-
A factory method that creates a
Permissions
with all
“Membership” permissions from the official Discord UI set toTrue
.New in version 1.7.
- classmethod text()
-
A factory method that creates a
Permissions
with all
“Text” permissions from the official Discord UI set toTrue
.Changed in version 1.7: Permission
read_messages
is no longer part of the text permissions.
Addeduse_slash_commands
permission.
- classmethod voice()
-
A factory method that creates a
Permissions
with all
“Voice” permissions from the official Discord UI set toTrue
.
- classmethod stage()
-
A factory method that creates a
Permissions
with all
“Stage Channel” permissions from the official Discord UI set toTrue
.New in version 1.7.
- classmethod stage_moderator()
-
A factory method that creates a
Permissions
with all
“Stage Moderator” permissions from the official Discord UI set toTrue
.New in version 1.7.
- classmethod advanced()
-
A factory method that creates a
Permissions
with all
“Advanced” permissions from the official Discord UI set toTrue
.New in version 1.7.
- update(**kwargs)
-
Bulk updates this permission object.
Allows you to set multiple attributes by using keyword
arguments. The names must be equivalent to the properties
listed. Extraneous key/value pairs will be silently ignored.- Parameters:
-
**kwargs – A list of key/value pairs to bulk update permissions with.
- create_instant_invite
-
Returns
True
if the user can create instant invites.- Type:
-
bool
- kick_members
-
Returns
True
if the user can kick users from the guild.- Type:
-
bool
- ban_members
-
Returns
True
if a user can ban users from the guild.- Type:
-
bool
- administrator
-
Returns
True
if a user is an administrator. This role overrides all other permissions.This also bypasses all channel-specific overrides.
- Type:
-
bool
- manage_channels
-
Returns
True
if a user can edit, delete, or create channels in the guild.This also corresponds to the “Manage Channel” channel-specific override.
- Type:
-
bool
- manage_guild
-
Returns
True
if a user can edit guild properties.- Type:
-
bool
- add_reactions
-
Returns
True
if a user can add reactions to messages.- Type:
-
bool
- view_audit_log
-
Returns
True
if a user can view the guild’s audit log.- Type:
-
bool
- priority_speaker
-
Returns
True
if a user can be more easily heard while talking.- Type:
-
bool
- stream
-
Returns
True
if a user can stream in a voice channel.- Type:
-
bool
- read_messages
-
Returns
True
if a user can read messages from all or specific text channels.- Type:
-
bool
- view_channel
-
An alias for
read_messages
.New in version 1.3.
- Type:
-
bool
- send_messages
-
Returns
True
if a user can send messages from all or specific text channels.- Type:
-
bool
- send_tts_messages
-
Returns
True
if a user can send TTS messages from all or specific text channels.- Type:
-
bool
- manage_messages
-
Returns
True
if a user can delete or pin messages in a text channel.Note
Note that there are currently no ways to edit other people’s messages.
- Type:
-
bool
- embed_links
-
Returns
True
if a user’s messages will automatically be embedded by Discord.- Type:
-
bool
- attach_files
-
Returns
True
if a user can send files in their messages.- Type:
-
bool
- read_message_history
-
Returns
True
if a user can read a text channel’s previous messages.- Type:
-
bool
- mention_everyone
-
Returns
True
if a user’s @everyone or @here will mention everyone in the text channel.- Type:
-
bool
- external_emojis
-
Returns
True
if a user can use emojis from other guilds.- Type:
-
bool
- use_external_emojis
-
An alias for
external_emojis
.New in version 1.3.
- Type:
-
bool
- view_guild_insights
-
Returns
True
if a user can view the guild’s insights.New in version 1.3.
- Type:
-
bool
- connect
-
Returns
True
if a user can connect to a voice channel.- Type:
-
bool
- speak
-
Returns
True
if a user can speak in a voice channel.- Type:
-
bool
- mute_members
-
Returns
True
if a user can mute other users.- Type:
-
bool
- deafen_members
-
Returns
True
if a user can deafen other users.- Type:
-
bool
- move_members
-
Returns
True
if a user can move users between other voice channels.- Type:
-
bool
- use_voice_activation
-
Returns
True
if a user can use voice activation in voice channels.- Type:
-
bool
- change_nickname
-
Returns
True
if a user can change their nickname in the guild.- Type:
-
bool
- manage_nicknames
-
Returns
True
if a user can change other user’s nickname in the guild.- Type:
-
bool
- manage_roles
-
Returns
True
if a user can create or edit roles less than their role’s position.This also corresponds to the “Manage Permissions” channel-specific override.
- Type:
-
bool
- manage_permissions
-
An alias for
manage_roles
.New in version 1.3.
- Type:
-
bool
- manage_webhooks
-
Returns
True
if a user can create, edit, or delete webhooks.- Type:
-
bool
- manage_emojis
-
Returns
True
if a user can create, edit, or delete emojis and stickers.- Type:
-
bool
- manage_emojis_and_stickers
-
An aliase for
manage_emojis
- Type:
-
bool
- manage_stickers
-
An aliase for
manage_emojis
- Type:
-
bool
- use_slash_commands
-
Returns
True
if a user can use slash commands and context-menu commands.New in version 1.7.
- Type:
-
bool
- use_application_commands
-
An aliase for
use_slash_commands
- Type:
-
bool
- request_to_speak
-
Returns
True
if a user can request to speak in a stage channel.New in version 1.7.
- Type:
-
bool
- manage_events
-
Returns
True
if a user can manage Guild_Scheduled-Events.- Type:
-
bool
- manage_threads
-
Returns
True
if a user can delete and archive threads and viewing all private threads- Type:
-
bool
- create_public_threads
-
Returns
True
if a user can create and participate in threads.- Type:
-
bool
- create_private_threads
-
Returns
True
if a user can create and participate in private threads.- Type:
-
bool
- use_external_stickers
-
Returns
True
if a user can use custom stickers from other servers.- Type:
-
bool
- send_messages_in_threads
-
Returns
True
if a user can send messages in threads.- Type:
-
bool
- send_thread_messages
-
An alias for
send_messages_in_threads
.- Type:
-
bool
- start_embedded_activities
-
Returns
True
if a user can start embedded activities in a voice channel
(e.g. voice-activities).- Type:
-
bool
- start_voice_activities
-
An alias for
start_embedded_activities
.- Type:
-
bool
- moderate_members
-
Returns
True
if a user can moderate other members (like timeout or verify them).- Type:
-
bool
- timeout_members
-
An alias for
moderate_members
.- Type:
-
bool
PermissionOverwrite
- class discord.PermissionOverwrite(**kwargs)
-
A type that is used to represent a channel specific permission.
Unlike a regular
Permissions
, the default value of a
permission is equivalent toNone
and notFalse
. Setting
a value toFalse
is explicitly denying that permission,
while setting a value toTrue
is explicitly allowing
that permission.The values supported by this are the same as
Permissions
with the added possibility of it being set toNone
.- x == y
-
Checks if two overwrites are equal.
- x != y
-
Checks if two overwrites are not equal.
- iter(x)
-
Returns an iterator of
(perm, value)
pairs. This allows it
to be, for example, constructed as a dict or a list of pairs.
Note that aliases are not shown.
- Parameters:
-
**kwargs – Set the value of permissions by their name.
- pair()
-
Tuple[
Permissions
,Permissions
]: Returns the (allow, deny) pair from this overwrite.
- classmethod from_pair(allow, deny)
-
Creates an overwrite from an allow/deny pair of
Permissions
.
- is_empty()
-
Checks if the permission overwrite is currently empty.
An empty permission overwrite is one that has no overwrites set
toTrue
orFalse
.- Returns:
-
Indicates if the overwrite is empty.
- Return type:
-
bool
- update(**kwargs)
-
Bulk updates this permission overwrite object.
Allows you to set multiple attributes by using keyword
arguments. The names must be equivalent to the properties
listed. Extraneous key/value pairs will be silently ignored.- Parameters:
-
**kwargs – A list of key/value pairs to bulk update with.
ShardInfo
Attributes
- id
- latency
- shard_count
Methods
-
asyncconnect -
asyncdisconnect -
defis_closed -
defis_ws_ratelimited -
asyncreconnect
- class discord.ShardInfo
-
A class that gives information and control over a specific shard.
You can retrieve this object via
AutoShardedClient.get_shard()
orAutoShardedClient.shards
.New in version 1.4.
- id
-
The shard ID for this shard.
- Type:
-
int
- shard_count
-
The shard count for this cluster. If this is
None
then the bot has not started yet.- Type:
-
Optional[
int
]
- is_closed()
-
bool
: Whether the shard connection is currently closed.
- await disconnect()
-
This function is a coroutine.
Disconnects a shard. When this is called, the shard connection will no
longer be open.If the shard is already disconnected this does nothing.
- await reconnect()
-
This function is a coroutine.
Disconnects and then connects the shard again.
- await connect()
-
This function is a coroutine.
Connects a shard. If the shard is already connected this does nothing.
- property latency
-
Measures latency between a HEARTBEAT and a HEARTBEAT_ACK in seconds for this shard.
- Type:
-
float
- is_ws_ratelimited()
-
bool
: Whether the websocket is currently rate limited.This can be useful to know when deciding whether you should query members
using HTTP or via the gateway.New in version 1.6.
SystemChannelFlags
- class discord.SystemChannelFlags
-
Wraps up a Discord system channel flag value.
Similar to
Permissions
, the properties provided are two way.
You can set and retrieve individual bits using the properties as if they
were regular bools. This allows you to edit the system flags easily.To construct an object you can pass keyword arguments denoting the flags
to enable or disable.- x == y
-
Checks if two flags are equal.
- x != y
-
Checks if two flags are not equal.
- hash(x)
-
Return the flag’s hash.
- 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.
- value
-
The raw value. This value is a bit array field of a 53-bit integer
representing the currently available flags. You should query
flags via the properties rather than using this raw value.- Type:
-
int
- join_notifications
-
Returns
True
if the system channel is used for member join notifications.- Type:
-
bool
- premium_subscriptions
-
Returns
True
if the system channel is used for Nitro boosting notifications.- Type:
-
bool
ChannelFlags
- class discord.ChannelFlags
-
Wraps up a Discord Channel flag value
- removed_from_home
-
Returns
True
if the channel is removed from the guild’s home feed.- Type:
-
bool
- pinned
-
Returns
True
if the channel is aForumPost
pinned at the top of the parent forum.- Type:
-
bool
- removed_from_active_now
-
Returns
True
if the channel is removed from the active now section in the guild’s home feed.- Type:
-
bool
- require_tags
-
bool
:
ReturnsTrue
if this channel is aForumChannel
that requires providing at least one tag when creating a post.
MessageFlags
Attributes
- crossposted
- ephemeral
- failed_to_mention_some_roles_in_thread
- has_thread
- is_crossposted
- loading
- source_message_deleted
- suppress_embeds
- suppress_notifications
- urgent
- value
- class discord.MessageFlags
-
Wraps up a Discord Message flag value.
See
SystemChannelFlags
.- x == y
-
Checks if two flags are equal.
- x != y
-
Checks if two flags are not equal.
- hash(x)
-
Return the flag’s hash.
- 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.
New in version 1.3.
- value
-
The raw value. This value is a bit array field of a 53-bit integer
representing the currently available flags. You should query
flags via the properties rather than using this raw value.- Type:
-
int
- crossposted
-
Returns
True
if the message is the original crossposted message.- Type:
-
bool
- is_crossposted
-
Returns
True
if the message was crossposted from another channel.- Type:
-
bool
- suppress_embeds
-
Returns
True
if the message’s embeds have been suppressed.- Type:
-
bool
- source_message_deleted
-
Returns
True
if the source message for this crosspost has been deleted.- Type:
-
bool
- urgent
-
Returns
True
if the source message is an urgent message.An urgent message is one sent by Discord Trust and Safety.
- Type:
-
bool
- has_thread
-
Returns
True
if the source message is associated with a thread.This message has an associated thread, with the same id as the message.
- Type:
-
bool
- ephemeral
-
Returns
True
if the message ist ephemeral (hidden).This message is only visible to the user who invoked the Interaction.
- Type:
-
bool
- loading
-
Returns
True
if the message is an interaction response and the bot is “thinking”.This message is an interaction response and the bot is “thinking”
- Type:
-
bool
- failed_to_mention_some_roles_in_thread
-
Returns
True
if the message failed to mention some roles and add their members to the thread.- Type:
-
bool
- suppress_notifications
-
Returns
True
if the message is “silent”.The user(s) will still see a mention in the channel, but no push or desktop notification will be sent.
- Type:
-
bool
PublicUserFlags
Attributes
- active_developer
- bot_http_interactions
- bug_hunter
- bug_hunter_level_2
- certified_moderator
- early_supporter
- early_verified_bot_developer
- hypesquad
- hypesquad_balance
- hypesquad_bravery
- hypesquad_brilliance
- partner
- spammer
- staff
- system
- team_user
- value
- verified_bot
- verified_bot_developer
- class discord.PublicUserFlags
-
Wraps up the Discord User Public flags.
- x == y
-
Checks if two PublicUserFlags are equal.
- x != y
-
Checks if two PublicUserFlags are not equal.
- hash(x)
-
Return the flag’s hash.
- 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.
New in version 1.4.
- value
-
The raw value. This value is a bit array field of a 53-bit integer
representing the currently available flags. You should query
flags via the properties rather than using this raw value.- Type:
-
int
- staff
-
Returns
True
if the user is a Discord Employee.- Type:
-
bool
- partner
-
Returns
True
if the user is a Discord Partner.- Type:
-
bool
- hypesquad
-
Returns
True
if the user is a HypeSquad Events member.- Type:
-
bool
- bug_hunter
-
Returns
True
if the user is a Bug Hunter- Type:
-
bool
- hypesquad_bravery
-
Returns
True
if the user is a HypeSquad Bravery member.- Type:
-
bool
- hypesquad_brilliance
-
Returns
True
if the user is a HypeSquad Brilliance member.- Type:
-
bool
- hypesquad_balance
-
Returns
True
if the user is a HypeSquad Balance member.- Type:
-
bool
- early_supporter
-
Returns
True
if the user is an Early Supporter.- Type:
-
bool
- team_user
-
Returns
True
if the user is a Team User.- Type:
-
bool
- system
-
Returns
True
if the user is a system user (i.e. represents Discord officially).- Type:
-
bool
- bug_hunter_level_2
-
Returns
True
if the user is a Bug Hunter Level 2- Type:
-
bool
- verified_bot
-
Returns
True
if the user is a Verified Bot.- Type:
-
bool
- verified_bot_developer
-
Returns
True
if the user is an Early Verified Bot Developer.- Type:
-
bool
- early_verified_bot_developer
-
An alias for
verified_bot_developer
.New in version 1.5.
- Type:
-
bool
- certified_moderator
-
Returns
True
if the user is an Discord Certified Moderator.- Type:
-
bool
- bot_http_interactions
-
Returns
True
if a bot-user uses only HTTP interactions and is shown in the online member list- Type:
-
bool
- spammer
-
Returns
True
if the user is flagged as a spammer by discord.- Type:
-
bool
- active_developer
-
Returns
True
if the user is a developer of an active discord application.- Type:
-
bool
- all()
-
List[
UserFlags
]: Returns all public flags the user has.
AutoModAction
- class discord.AutoModAction
-
Represents an action which will execute whenever a rule is triggered.
- Parameters:
-
-
type (
AutoModActionType
) – The type of action -
channel_id (Optional[
int
]) –The channel to which user content should be logged.
Note
This field is only required
type
is :attr:~`AutoModActionType.send_alert_message` -
timeout_duration (Optional[Union[
int
,datetime.timedelta
]]) –Duration in seconds (
int
) or a timerange (timedelta
) for wich the user should be timeouted.The maximum value is «2419200« seconds (4 weeks)
Note
This field is only required if
type
isAutoModActionType.timeout_user
-
AutoModTriggerMetadata
- class discord.AutoModTriggerMetadata
-
Additional data used to determine whether a rule should be triggered.
Different fields are relevant based on the value ofAutoModRule.trigger_type
- Parameters:
-
-
keyword_filter (Optional[List[
str
]]) –Substrings which will be searched for in content
Note
This field is only present if
trigger_type
isAutoModTriggerType.keyword
-
regex_patterns (Optional[List[
Pattern
]]) –Regular expression patterns which will be matched against content (Maximum of 10, each max. 75 characters long)
Note
This field is only present if
trigger_type
iskeyword
-
presets (Optional[List[
AutoModKeywordPresetType
]]) –The internally pre-defined word sets which will be searched for in content
Note
This field is only present if
trigger_type
isAutoModTriggerType.keyword_preset
-
exempt_words (Optional[List[
str
]]) –Substrings which should be excluded from the blacklist.
Note
This field is only present if
trigger_type
isAutoModTriggerType.keyword_preset
-
total_mentions_limit (Optional[
int
]) –Total number of unique role and user mentions allowed per message (Maximum of 50)
Note
This field is only present if
trigger_type
isAutoModTriggerType.mention_spam
-
- property prefix_keywords
-
Returns all keywords for words that must start with the keyword.
Note
This is equal to
for keyword in self.keyword_filter: if keyword[0] != '*' and keyword[-1] == '*': yield keyword
- Yields:
-
str
– A keyword
- property suffix_keywords
-
Returns all keywords for words that must end with the keyword.
Note
This is equal to
for keyword in self.keyword_filter: if keyword[0] == '*' and keyword[-1] != '*': yield keyword
- Yields:
-
str
– A keyword
- property anywhere_keywords
-
Returns all keywords which can appear anywhere in a word
Note
This is equal to
for keyword in self.keyword_filter: if keyword[0] == '*' and keyword[-1] == '*': yield keyword
- Yields:
-
str
– A keyword
- property whole_word_keywords
-
Returns all keywords that must occur as a whole in a word or phrase and must be surrounded by spaces.
Note
This is equal to
for keyword in self.keyword_filter: if keyword[0] != '*' and keyword[-1] != '*': yield keyword
- Yields:
-
str
– A keyword
WelcomeScreenChannel
Attributes
- channel
- description
- emoji
- class discord.WelcomeScreenChannel
-
Represents a channel shown in a welcome screen.
- channel
-
The channel the welcome screen channel belongs to
- Type:
-
Snowflake
- description
-
The description of the welcome screen channel
- Type:
-
str
- emoji
-
The emoji that is shown on the left side of the welcome screen channel
- Type:
-
Optional[
PartialEmoji
]
- Members:
Exceptions
The following exceptions are thrown by the library.
- exception discord.DiscordException
-
Base exception class for discord.py
Ideally speaking, this could be caught to handle any exceptions thrown from this library.
- exception discord.ClientException
-
Exception that’s thrown when an operation in the
Client
fails.These are usually for exceptions that happened due to user input.
- exception discord.LoginFailure
-
Exception that’s thrown when the
Client.login()
function
fails to log you in from improper credentials or some other misc.
failure.
- exception discord.NoMoreItems
-
Exception that is thrown when an async iteration operation has no more
items.
- exception discord.HTTPException(response, message)
-
Exception that’s thrown when an HTTP request operation fails.
- response
-
The response of the failed HTTP request. This is an
instance ofaiohttp.ClientResponse
. In some cases
this could also be arequests.Response
.- Type:
-
aiohttp.ClientResponse
- text
-
The text of the error. Could be an empty string.
- Type:
-
str
- status
-
The status code of the HTTP request.
- Type:
-
int
- code
-
The Discord specific error code for the failure.
- Type:
-
int
- exception discord.Forbidden(response, message)
-
Exception that’s thrown for when status code 403 occurs.
Subclass of
HTTPException
- exception discord.NotFound(response, message)
-
Exception that’s thrown for when status code 404 occurs.
Subclass of
HTTPException
- exception discord.DiscordServerError(response, message)
-
Exception that’s thrown for when a 500 range status code occurs.
Subclass of
HTTPException
.New in version 1.5.
- exception discord.InvalidData
-
Exception that’s raised when the library encounters unknown
or invalid data from Discord.
- exception discord.InvalidArgument
-
Exception that’s thrown when an argument to a function
is invalid some way (e.g. wrong value or wrong type).This could be considered the analogous of
ValueError
and
TypeError
except inherited fromClientException
and thus
DiscordException
.
- exception discord.GatewayNotFound
-
An exception that is usually thrown when the gateway hub
for theClient
websocket is not found.
- exception discord.ConnectionClosed(socket, *, shard_id, code=None)
-
Exception that’s thrown when the gateway connection is
closed for reasons that could not be handled internally.- code
-
The close code of the websocket.
- Type:
-
int
- reason
-
The reason provided for the closure.
- Type:
-
str
- shard_id
-
The shard ID that got closed if applicable.
- Type:
-
Optional[
int
]
- exception discord.PrivilegedIntentsRequired(shard_id)
-
Exception that’s thrown when the gateway is requesting privileged intents,
but they’re not ticked in the developer page yet.Go to https://discord.com/developers/applications/ and enable the intents
that are required. Currently, these are as follows:-
Intents.members
-
Intents.presences
-
Intents.message_content
- shard_id
-
The shard ID that got closed if applicable.
- Type:
-
Optional[
int
]
-
- exception discord.AlreadyResponded(interaction_id)
-
Exception thrown when attempting to send the callback for an interaction that has already been responded to.’
- exception discord.opus.OpusError(code)
-
An exception that is thrown for libopus related errors.
- code
-
The error code returned.
- Type:
-
int
- exception discord.opus.OpusNotLoaded
-
An exception that is thrown for when libopus is not loaded.
- exception discord.DiscordWarning
-
Base warning class for discord.py
Ideally speaking, this could be caught to handle any warnings thrown from this library.
- exception discord.UnknownInteraction(interaction_id)
-
A warning that comes when you try to interact with an expired interaction.
Exception Hierarchy
-
Exception
-
-
DiscordException
-
-
ClientException
-
-
InvalidData
-
InvalidArgument
-
LoginFailure
-
ConnectionClosed
-
PrivilegedIntentsRequired
-
-
NoMoreItems
-
GatewayNotFound
-
HTTPException
-
-
Forbidden
-
NotFound
-
DiscordServerError
-
-
AlreadyResponded
-
-
-
Warning
-
-
DiscordWarning
-
-
UnknownInteraction
-
-