Browse Source

Merge branch 'staging/v1.0.0' of https://github.com/b1naryth1ef/disco into staging/v1.0.0

Additional changes from upstream/master
pull/152/head
“elderlabs” 5 years ago
parent
commit
ee45b47aa6
  1. 2
      README.md
  2. 88
      disco/api/client.py
  3. 40
      disco/api/http.py
  4. 12
      disco/api/ratelimit.py
  5. 33
      disco/bot/bot.py
  6. 8
      disco/bot/command.py
  7. 2
      disco/bot/parser.py
  8. 8
      disco/bot/plugin.py
  9. 8
      disco/cli.py
  10. 13
      disco/client.py
  11. 11
      disco/gateway/client.py
  12. 86
      disco/gateway/events.py
  13. 39
      disco/state.py
  14. 2
      disco/types/base.py
  15. 28
      disco/types/channel.py
  16. 175
      disco/types/guild.py
  17. 8
      disco/types/message.py
  18. 85
      disco/types/oauth.py
  19. 4
      disco/types/user.py
  20. 17
      disco/types/voice.py
  21. 4
      disco/util/emitter.py
  22. 8
      disco/util/functional.py
  23. 2
      disco/util/logging.py
  24. 4
      disco/util/serializer.py
  25. 2
      disco/util/snowflake.py
  26. 2
      disco/voice.py
  27. 4
      docs/bot_tutorial/building_block_commands.md
  28. 2
      docs/bot_tutorial/building_block_listeners.md
  29. 2
      docs/bot_tutorial/message_embeds.md
  30. 3
      setup.py

2
README.md

@ -4,7 +4,7 @@
[![PyPI](https://img.shields.io/pypi/v/disco-py.svg)](https://pypi.python.org/pypi/disco-py/) [![PyPI](https://img.shields.io/pypi/v/disco-py.svg)](https://pypi.python.org/pypi/disco-py/)
[![TravisCI](https://img.shields.io/travis/b1naryth1ef/disco.svg)](https://travis-ci.org/b1naryth1ef/disco/) [![TravisCI](https://img.shields.io/travis/b1naryth1ef/disco.svg)](https://travis-ci.org/b1naryth1ef/disco/)
Disco is an extensive and extendable Python 2.x/3.x library for the [Discord API](https://discordapp.com/developers/docs/intro). Join the Official channel and chat [here](https://discord.gg/WMzzPec). Disco boasts the following major features: Disco is an extensive and extendable Python 2.x/3.x library for the [Discord API](https://discordapp.com/developers/docs/intro). Disco boasts the following major features:
- Expressive, functional interface that gets out of the way - Expressive, functional interface that gets out of the way
- Built for high-performance and efficiency - Built for high-performance and efficiency

88
disco/api/client.py

@ -11,9 +11,14 @@ from disco.util.logging import LoggingClass
from disco.util.sanitize import S from disco.util.sanitize import S
from disco.types.user import User from disco.types.user import User
from disco.types.message import Message from disco.types.message import Message
from disco.types.guild import Guild, GuildMember, GuildBan, Role, GuildEmoji, AuditLogEntry from disco.types.oauth import Application, Connection
from disco.types.guild import (
Guild, GuildMember, GuildBan, GuildEmbed, PruneCount, Role, GuildEmoji,
AuditLogEntry, Integration,
)
from disco.types.channel import Channel from disco.types.channel import Channel
from disco.types.invite import Invite from disco.types.invite import Invite
from disco.types.voice import VoiceRegion
from disco.types.webhook import Webhook from disco.types.webhook import Webhook
@ -47,8 +52,8 @@ class APIClient(LoggingClass):
is the only path to the API used within models/other interfaces, and it's is the only path to the API used within models/other interfaces, and it's
the recommended path for all third-party users/implementations. the recommended path for all third-party users/implementations.
Args Parameters
---- ----------
token : str token : str
The Discord authentication token (without prefixes) to be used for all The Discord authentication token (without prefixes) to be used for all
HTTP requests. HTTP requests.
@ -100,6 +105,10 @@ class APIClient(LoggingClass):
data = self.http(Routes.GATEWAY_BOT_GET).json() data = self.http(Routes.GATEWAY_BOT_GET).json()
return data return data
def oauth2_applications_me_get(self):
r = self.http(Routes.OAUTH2_APPLICATIONS_ME)
return Application.create(self.client, r.json())
def channels_get(self, channel): def channels_get(self, channel):
r = self.http(Routes.CHANNELS_GET, dict(channel=channel)) r = self.http(Routes.CHANNELS_GET, dict(channel=channel))
return Channel.create(self.client, r.json()) return Channel.create(self.client, r.json())
@ -432,6 +441,17 @@ class APIClient(LoggingClass):
dict(guild=guild, user=user), dict(guild=guild, user=user),
headers=_reason_header(reason)) headers=_reason_header(reason))
def guilds_prune_count_get(self, guild, days=None):
r = self.http(Routes.GUILDS_PRUNE_COUNT, dict(guild=guild), params=optional(days=days))
return PruneCount.create(self.client, r.json())
def guilds_prune_create(self, guild, days=None, compute_prune_count=None):
r = self.http(Routes.GUILDS_PRUNE_CREATE, dict(guild=guild), params=optional(
days=days,
compute_prune_count=compute_prune_count,
))
return PruneCount.create(self.client, r.json())
def guilds_roles_list(self, guild): def guilds_roles_list(self, guild):
r = self.http(Routes.GUILDS_ROLES_LIST, dict(guild=guild)) r = self.http(Routes.GUILDS_ROLES_LIST, dict(guild=guild))
return Role.create_map(self.client, r.json(), guild_id=guild) return Role.create_map(self.client, r.json(), guild_id=guild)
@ -492,14 +512,61 @@ class APIClient(LoggingClass):
def guilds_roles_delete(self, guild, role, reason=None): def guilds_roles_delete(self, guild, role, reason=None):
self.http(Routes.GUILDS_ROLES_DELETE, dict(guild=guild, role=role), headers=_reason_header(reason)) self.http(Routes.GUILDS_ROLES_DELETE, dict(guild=guild, role=role), headers=_reason_header(reason))
def guilds_voice_regions_list(self, guild):
r = self.http(Routes.GUILDS_VOICE_REGIONS_LIST, dict(guild=guild))
return VoiceRegion.create_hash(self.client, 'id', r.json())
def guilds_invites_list(self, guild): def guilds_invites_list(self, guild):
r = self.http(Routes.GUILDS_INVITES_LIST, dict(guild=guild)) r = self.http(Routes.GUILDS_INVITES_LIST, dict(guild=guild))
return Invite.create_map(self.client, r.json()) return Invite.create_map(self.client, r.json())
def guilds_integrations_list(self, guild):
r = self.http(Routes.GUILDS_INTEGRATIONS_LIST, dict(guild=guild))
return Integration.create_map(self.client, r.json())
def guilds_integrations_create(self, guild, type, id):
r = self.http(Routes.GUILDS_INTEGRATIONS_CREATE, dict(guild=guild), json={"type": type, "id": id})
return Integration.create(r.json())
def guilds_integrations_modify(
self,
guild,
integration,
expire_behavior=None,
expire_grace_period=None,
enable_emoticons=None):
self.http(
Routes.GUILDS_INTEGRATIONS_MODIFY,
dict(guild=guild, integration=integration),
json=optional(
expire_behavior=expire_behavior,
expire_grace_period=expire_grace_period,
enable_emoticons=enable_emoticons,
))
def guilds_integrations_delete(self, guild, integration):
self.http(Routes.GUILDS_INTEGRATIONS_DELETE, dict(guild=guild, integration=integration))
def guilds_integrations_sync(self, guild, integration):
self.http(Routes.GUILDS_INTEGRATIONS_SYNC, dict(guild=guild, integration=integration))
def guilds_vanity_url_get(self, guild): def guilds_vanity_url_get(self, guild):
r = self.http(Routes.GUILDS_VANITY_URL_GET, dict(guild=guild)) r = self.http(Routes.GUILDS_VANITY_URL_GET, dict(guild=guild))
return Invite.create(self.client, r.json()) return Invite.create(self.client, r.json())
def guilds_embed_get(self, guild):
r = self.http(Routes.GUILDS_EMBED_GET, dict(guild=guild))
return GuildEmbed.create(self.client, r.json())
def guilds_embed_modify(self, guild, reason=None, **kwargs):
r = self.http(
Routes.GUILDS_EMBED_MODIFY,
dict(guild=guild),
json=kwargs,
headers=_reason_header(reason))
return GuildEmbed.create(self.client, r.json())
def guilds_webhooks_list(self, guild): def guilds_webhooks_list(self, guild):
r = self.http(Routes.GUILDS_WEBHOOKS_LIST, dict(guild=guild)) r = self.http(Routes.GUILDS_WEBHOOKS_LIST, dict(guild=guild))
return Webhook.create_map(self.client, r.json()) return Webhook.create_map(self.client, r.json())
@ -553,12 +620,17 @@ class APIClient(LoggingClass):
return User.create(self.client, r.json()) return User.create(self.client, r.json())
def users_me_get(self): def users_me_get(self):
return User.create(self.client, self.http(Routes.USERS_ME_GET).json()) r = self.http(Routes.USERS_ME_GET)
return User.create(self.client, r.json())
def users_me_patch(self, payload): def users_me_patch(self, payload):
r = self.http(Routes.USERS_ME_PATCH, json=payload) r = self.http(Routes.USERS_ME_PATCH, json=payload)
return User.create(self.client, r.json()) return User.create(self.client, r.json())
def users_me_guilds_list(self):
r = self.http(Routes.USERS_ME_GUILDS_LIST)
return Guild.create_hash(self.client, 'id', r.json())
def users_me_guilds_delete(self, guild): def users_me_guilds_delete(self, guild):
self.http(Routes.USERS_ME_GUILDS_DELETE, dict(guild=guild)) self.http(Routes.USERS_ME_GUILDS_DELETE, dict(guild=guild))
@ -568,6 +640,10 @@ class APIClient(LoggingClass):
}) })
return Channel.create(self.client, r.json()) return Channel.create(self.client, r.json())
def users_me_connections_list(self):
r = self.http(Routes.USERS_ME_CONNECTIONS_LIST)
return Connection.create_map(self.client, r.json())
def invites_get(self, invite): def invites_get(self, invite):
r = self.http(Routes.INVITES_GET, dict(invite=invite)) r = self.http(Routes.INVITES_GET, dict(invite=invite))
return Invite.create(self.client, r.json()) return Invite.create(self.client, r.json())
@ -576,6 +652,10 @@ class APIClient(LoggingClass):
r = self.http(Routes.INVITES_DELETE, dict(invite=invite), headers=_reason_header(reason)) r = self.http(Routes.INVITES_DELETE, dict(invite=invite), headers=_reason_header(reason))
return Invite.create(self.client, r.json()) return Invite.create(self.client, r.json())
def voice_regions_list(self):
r = self.http(Routes.VOICE_REGIONS_LIST)
return VoiceRegion.create_hash(self.client, 'id', r.json())
def webhooks_get(self, webhook): def webhooks_get(self, webhook):
r = self.http(Routes.WEBHOOKS_GET, dict(webhook=webhook)) r = self.http(Routes.WEBHOOKS_GET, dict(webhook=webhook))
return Webhook.create(self.client, r.json()) return Webhook.create(self.client, r.json())

40
disco/api/http.py

@ -34,6 +34,12 @@ class Routes(object):
GATEWAY_GET = (HTTPMethod.GET, '/gateway') GATEWAY_GET = (HTTPMethod.GET, '/gateway')
GATEWAY_BOT_GET = (HTTPMethod.GET, '/gateway/bot') GATEWAY_BOT_GET = (HTTPMethod.GET, '/gateway/bot')
# OAUTH2
OAUTH2 = '/oauth2'
OAUTH2_TOKEN = (HTTPMethod.POST, OAUTH2 + '/token')
OAUTH2_TOKEN_REVOKE = (HTTPMethod.POST, OAUTH2 + '/token/revoke')
OAUTH2_APPLICATIONS_ME = (HTTPMethod.GET, OAUTH2 + '/applications/@me')
# Channels # Channels
CHANNELS = '/channels/{channel}' CHANNELS = '/channels/{channel}'
CHANNELS_GET = (HTTPMethod.GET, CHANNELS) CHANNELS_GET = (HTTPMethod.GET, CHANNELS)
@ -89,7 +95,7 @@ class Routes(object):
GUILDS_ROLES_MODIFY = (HTTPMethod.PATCH, GUILDS + '/roles/{role}') GUILDS_ROLES_MODIFY = (HTTPMethod.PATCH, GUILDS + '/roles/{role}')
GUILDS_ROLES_DELETE = (HTTPMethod.DELETE, GUILDS + '/roles/{role}') GUILDS_ROLES_DELETE = (HTTPMethod.DELETE, GUILDS + '/roles/{role}')
GUILDS_PRUNE_COUNT = (HTTPMethod.GET, GUILDS + '/prune') GUILDS_PRUNE_COUNT = (HTTPMethod.GET, GUILDS + '/prune')
GUILDS_PRUNE_BEGIN = (HTTPMethod.POST, GUILDS + '/prune') GUILDS_PRUNE_CREATE = (HTTPMethod.POST, GUILDS + '/prune')
GUILDS_VOICE_REGIONS_LIST = (HTTPMethod.GET, GUILDS + '/regions') GUILDS_VOICE_REGIONS_LIST = (HTTPMethod.GET, GUILDS + '/regions')
GUILDS_VANITY_URL_GET = (HTTPMethod.GET, GUILDS + '/vanity-url') GUILDS_VANITY_URL_GET = (HTTPMethod.GET, GUILDS + '/vanity-url')
GUILDS_INVITES_LIST = (HTTPMethod.GET, GUILDS + '/invites') GUILDS_INVITES_LIST = (HTTPMethod.GET, GUILDS + '/invites')
@ -124,6 +130,10 @@ class Routes(object):
INVITES_GET = (HTTPMethod.GET, INVITES + '/{invite}') INVITES_GET = (HTTPMethod.GET, INVITES + '/{invite}')
INVITES_DELETE = (HTTPMethod.DELETE, INVITES + '/{invite}') INVITES_DELETE = (HTTPMethod.DELETE, INVITES + '/{invite}')
# Voice
VOICE = '/voice'
VOICE_REGIONS_LIST = (HTTPMethod.GET, VOICE + '/regions')
# Webhooks # Webhooks
WEBHOOKS = '/webhooks/{webhook}' WEBHOOKS = '/webhooks/{webhook}'
WEBHOOKS_GET = (HTTPMethod.GET, WEBHOOKS) WEBHOOKS_GET = (HTTPMethod.GET, WEBHOOKS)
@ -174,7 +184,9 @@ class APIException(Exception):
self.msg = '{} ({} - {})'.format(data['message'], self.code, self.errors) self.msg = '{} ({} - {})'.format(data['message'], self.code, self.errors)
elif len(data) == 1: elif len(data) == 1:
key, value = list(data.items())[0] key, value = list(data.items())[0]
self.msg = 'Request Failed: {}: {}'.format(key, ', '.join(value)) if not isinstance(value, str):
value = ', '.join(value)
self.msg = 'Request Failed: {}: {}'.format(key, value)
except ValueError: except ValueError:
pass pass
@ -202,18 +214,18 @@ class HTTPClient(LoggingClass):
sys.version_info.micro) sys.version_info.micro)
self.limiter = RateLimiter() self.limiter = RateLimiter()
self.headers = { self.after_request = after_request
self.session = requests.Session()
self.session.headers.update({
'User-Agent': 'DiscordBot (https://github.com/b1naryth1ef/disco {}) Python/{} requests/{}'.format( 'User-Agent': 'DiscordBot (https://github.com/b1naryth1ef/disco {}) Python/{} requests/{}'.format(
disco_version, disco_version,
py_version, py_version,
requests_version), requests_version),
} })
if token: if token:
self.headers['Authorization'] = 'Bot ' + token self.session.headers['Authorization'] = 'Bot ' + token
self.after_request = after_request
self.session = requests.Session()
def __call__(self, route, args=None, **kwargs): def __call__(self, route, args=None, **kwargs):
return self.call(route, args, **kwargs) return self.call(route, args, **kwargs)
@ -235,7 +247,7 @@ class HTTPClient(LoggingClass):
to create the requestable route. The HTTPClient uses this to track to create the requestable route. The HTTPClient uses this to track
rate limits as well. rate limits as well.
kwargs : dict kwargs : dict
Keyword arguments that will be passed along to the requests library Keyword arguments that will be passed along to the requests library.
Raises Raises
------ ------
@ -246,17 +258,11 @@ class HTTPClient(LoggingClass):
Returns Returns
------- -------
:class:`requests.Response` :class:`requests.Response`
The response object for the request The response object for the request.
""" """
args = args or {} args = args or {}
retry = kwargs.pop('retry_number', 0) retry = kwargs.pop('retry_number', 0)
# Merge or set headers
if 'headers' in kwargs:
kwargs['headers'].update(self.headers)
else:
kwargs['headers'] = self.headers
# Build the bucket URL # Build the bucket URL
args = {k: to_bytes(v) for k, v in six.iteritems(args)} args = {k: to_bytes(v) for k, v in six.iteritems(args)}
filtered = {k: (v if k in ('guild', 'channel') else '') for k, v in six.iteritems(args)} filtered = {k: (v if k in ('guild', 'channel') else '') for k, v in six.iteritems(args)}
@ -315,7 +321,7 @@ class HTTPClient(LoggingClass):
client suspects is transient. Will always return a value between 500 and client suspects is transient. Will always return a value between 500 and
5000 milliseconds. 5000 milliseconds.
:returns: a random backoff in milliseconds :returns: a random backoff in milliseconds.
:rtype: float :rtype: float
""" """
return random.randint(500, 5000) / 1000.0 return random.randint(500, 5000) / 1000.0

12
disco/api/ratelimit.py

@ -26,7 +26,7 @@ class RouteState(LoggingClass):
The number of remaining requests to the route before the rate limit will The number of remaining requests to the route before the rate limit will
be hit, triggering a 429 response. be hit, triggering a 429 response.
reset_time : int reset_time : int
A unix epoch timestamp (in seconds) after which this rate limit is reset A UNIX epoch timestamp (in seconds) after which this rate limit is reset.
event : :class:`gevent.event.Event` event : :class:`gevent.event.Event`
An event that is used to block all requests while a route is in the An event that is used to block all requests while a route is in the
cooldown stage. cooldown stage.
@ -45,7 +45,7 @@ class RouteState(LoggingClass):
@property @property
def chilled(self): def chilled(self):
""" """
Whether this route is currently being cooldown (aka waiting until reset_time). Whether this route is currently being cooled-down (aka waiting until reset_time).
""" """
return self.event is not None return self.event is not None
@ -63,8 +63,8 @@ class RouteState(LoggingClass):
def update(self, response): def update(self, response):
""" """
Updates this route with a given Requests response object. Its expected Updates this route with a given Requests response object. It's expected
the response has the required headers, however in the case it doesn't the response has the required headers, however in the case that it doesn't
this function has no effect. this function has no effect.
""" """
if 'X-RateLimit-Remaining' not in response.headers: if 'X-RateLimit-Remaining' not in response.headers:
@ -108,7 +108,7 @@ class RouteState(LoggingClass):
class RateLimiter(LoggingClass): class RateLimiter(LoggingClass):
""" """
A in-memory store of ratelimit states for all routes we've ever called. An in-memory store of ratelimit states for all routes we've ever called.
Attributes Attributes
---------- ----------
@ -124,7 +124,7 @@ class RateLimiter(LoggingClass):
Checks whether a given route can be called. This function will return Checks whether a given route can be called. This function will return
immediately if no rate-limit cooldown is being imposed for the given immediately if no rate-limit cooldown is being imposed for the given
route, or will wait indefinitely until the route is finished being route, or will wait indefinitely until the route is finished being
cooled down. This function should be called before making a request to cooled-down. This function should be called before making a request to
the specified route. the specified route.
Parameters Parameters

33
disco/bot/bot.py

@ -27,7 +27,7 @@ class BotConfig(Config):
Attributes Attributes
---------- ----------
levels : dict(snowflake, str) levels : dict(snowflake, str)
Mapping of user IDs/role IDs to :class:`disco.bot.commands.CommandLevesls` Mapping of user IDs/role IDs to :class:`disco.bot.commands.CommandLevels`
which is used for the default commands_level_getter. which is used for the default commands_level_getter.
plugins : list[string] plugins : list[string]
List of plugin modules to load. List of plugin modules to load.
@ -41,15 +41,15 @@ class BotConfig(Config):
A dictionary describing what mention types can be considered a mention A dictionary describing what mention types can be considered a mention
of the bot when using :attr:`commands_require_mention`. This dictionary of the bot when using :attr:`commands_require_mention`. This dictionary
can contain the following keys: `here`, `everyone`, `role`, `user`. When can contain the following keys: `here`, `everyone`, `role`, `user`. When
a keys value is set to true, the mention type will be considered for a key's value is set to true, the mention type will be considered for
command parsing. command parsing.
commands_prefix : str commands_prefix : str
A string prefix that is required for a message to be considered for A string prefix that is required for a message to be considered for
command parsing. command parsing.
commands_allow_edit : bool commands_allow_edit : bool
If true, the bot will reparse an edited message if it was the last sent If true, the bot will re-parse an edited message if it was the last sent
message in a channel, and did not previously trigger a command. This is message in a channel, and did not previously trigger a command. This is
helpful for allowing edits to typod commands. helpful for allowing edits to typed commands.
commands_level_getter : function commands_level_getter : function
If set, a function which when given a GuildMember or User, returns the If set, a function which when given a GuildMember or User, returns the
relevant :class:`disco.bot.commands.CommandLevels`. relevant :class:`disco.bot.commands.CommandLevels`.
@ -70,9 +70,9 @@ class BotConfig(Config):
Whether to enable the built-in Flask server which allows plugins to handle Whether to enable the built-in Flask server which allows plugins to handle
and route HTTP requests. and route HTTP requests.
http_host : str http_host : str
The host string for the HTTP Flask server (if enabled) The host string for the HTTP Flask server (if enabled).
http_port : int http_port : int
The port for the HTTP Flask server (if enabled) The port for the HTTP Flask server (if enabled).
""" """
levels = {} levels = {}
plugins = [] plugins = []
@ -109,7 +109,7 @@ class BotConfig(Config):
class Bot(LoggingClass): class Bot(LoggingClass):
""" """
Disco's implementation of a simple but extendable Discord bot. Bots consist Disco's implementation of a simple but extendable Discord bot. Bots consist
of a set of plugins, and a Disco client. of a set of plugins, and a Disco Client.
Parameters Parameters
---------- ----------
@ -126,7 +126,7 @@ class Bot(LoggingClass):
config : `BotConfig` config : `BotConfig`
The bot configuration instance for this bot. The bot configuration instance for this bot.
plugins : dict(str, :class:`disco.bot.plugin.Plugin`) plugins : dict(str, :class:`disco.bot.plugin.Plugin`)
Any plugins this bot has loaded Any plugins this bot has loaded.
""" """
def __init__(self, client, config=None): def __init__(self, client, config=None):
self.client = client self.client = client
@ -205,8 +205,7 @@ class Bot(LoggingClass):
Parameters Parameters
--------- ---------
plugins : Optional[list(:class:`disco.bot.plugin.Plugin`)] plugins : Optional[list(:class:`disco.bot.plugin.Plugin`)]
Any plugins to load after creating the new bot instance Any plugins to load after creating the new bot instance.
""" """
from disco.cli import disco_main from disco.cli import disco_main
inst = cls(disco_main()) inst = cls(disco_main())
@ -250,7 +249,7 @@ class Bot(LoggingClass):
else: else:
possible[current] = group possible[current] = group
# Now, we want to compute the actual shortest abbreivation out of the # Now, we want to compute the actual shortest abbreviation out of the
# possible ones # possible ones
result = {} result = {}
for abbrev, group in six.iteritems(possible): for abbrev, group in six.iteritems(possible):
@ -284,12 +283,12 @@ class Bot(LoggingClass):
Parameters Parameters
--------- ---------
msg : :class:`disco.types.message.Message` msg : :class:`disco.types.message.Message`
The message object to parse and find matching commands for The message object to parse and find matching commands for.
Yields Yields
------- -------
tuple(:class:`disco.bot.command.Command`, `re.MatchObject`) tuple(:class:`disco.bot.command.Command`, `re.MatchObject`)
All commands the message triggers All commands the message triggers.
""" """
content = msg.content content = msg.content
@ -314,9 +313,7 @@ class Bot(LoggingClass):
if msg.guild: if msg.guild:
member = msg.guild.get_member(self.client.state.me) member = msg.guild.get_member(self.client.state.me)
if member: if member:
# If nickname is set, filter both the normal and nick mentions content = content.replace(member.user.mention_nickname, '', 1)
if member.nick:
content = content.replace(member.mention, '', 1)
content = content.replace(member.user.mention, '', 1) content = content.replace(member.user.mention, '', 1)
else: else:
content = content.replace(self.client.state.me.mention, '', 1) content = content.replace(self.client.state.me.mention, '', 1)
@ -382,7 +379,7 @@ class Bot(LoggingClass):
Returns Returns
------- -------
bool bool
whether any commands where successfully triggered by the message Whether any commands where successfully triggered by the message.
""" """
commands = list(self.get_commands_for_message( commands = list(self.get_commands_for_message(
self.config.commands_require_mention, self.config.commands_require_mention,
@ -473,7 +470,7 @@ class Bot(LoggingClass):
Plugin class to unload and remove. Plugin class to unload and remove.
""" """
if cls.__name__ not in self.plugins: if cls.__name__ not in self.plugins:
raise Exception('Cannot remove non-existant plugin: {}'.format(cls.__name__)) raise Exception('Cannot remove non-existent plugin: {}'.format(cls.__name__))
ctx = {} ctx = {}
self.plugins[cls.__name__].unload(ctx) self.plugins[cls.__name__].unload(ctx)

8
disco/bot/command.py

@ -35,7 +35,7 @@ class CommandEvent(object):
message information). message information).
Attributes Attributes
--------- ----------
command : :class:`Command` command : :class:`Command`
The command this event was created for (aka the triggered command). The command this event was created for (aka the triggered command).
msg : :class:`disco.types.message.Message` msg : :class:`disco.types.message.Message`
@ -43,9 +43,9 @@ class CommandEvent(object):
match : :class:`re.MatchObject` match : :class:`re.MatchObject`
The regex match object for the command. The regex match object for the command.
name : str name : str
The command name (or alias) which was triggered by the command The command name (or alias) which was triggered by the command.
args : list(str) args : list(str)
Arguments passed to the command Arguments passed to the command.
""" """
def __init__(self, command, msg, match): def __init__(self, command, msg, match):
@ -276,7 +276,7 @@ class Command(object):
Returns Returns
------- -------
bool bool
Whether this command was successful Whether this command was successful.
""" """
parsed_kwargs = {} parsed_kwargs = {}

2
disco/bot/parser.py

@ -226,6 +226,6 @@ class ArgumentSet(object):
@property @property
def required_length(self): def required_length(self):
""" """
The number of required arguments to compile this set/specificaiton. The number of required arguments to compile this set/specification.
""" """
return sum(i.true_count for i in self.args if i.required) return sum(i.true_count for i in self.args if i.required)

8
disco/bot/plugin.py

@ -436,8 +436,8 @@ class Plugin(LoggingClass, PluginDeco):
Registers a function to be called repeatedly, waiting for an interval Registers a function to be called repeatedly, waiting for an interval
duration. duration.
Args Parameters
---- ----------
func : function func : function
The function to be registered. The function to be registered.
interval : int interval : int
@ -447,8 +447,8 @@ class Plugin(LoggingClass, PluginDeco):
init : bool init : bool
Whether to run this schedule once immediately, or wait for the first Whether to run this schedule once immediately, or wait for the first
scheduled iteration. scheduled iteration.
kwargs: dict kwargs : dict
kwargs which will be passed to executed `func` kwargs which will be passed to executed `func`.
""" """
if kwargs is None: if kwargs is None:
kwargs = {} kwargs = {}

8
disco/cli.py

@ -16,8 +16,8 @@ monkey.patch_all()
parser = argparse.ArgumentParser() parser = argparse.ArgumentParser()
# Command line specific arguments # Command line specific arguments
parser.add_argument('--run-bot', help='run a disco bot on this client', action='store_true', default=False) parser.add_argument('--run-bot', help='Run a disco bot on this client', action='store_true', default=False)
parser.add_argument('--plugin', help='load plugins into the bot', nargs='*', default=[]) parser.add_argument('--plugin', help='Load plugins into the bot', nargs='*', default=[])
parser.add_argument('--config', help='Configuration file', default=None) parser.add_argument('--config', help='Configuration file', default=None)
parser.add_argument('--shard-auto', help='Automatically run all shards', action='store_true', default=False) parser.add_argument('--shard-auto', help='Automatically run all shards', action='store_true', default=False)
@ -29,7 +29,7 @@ parser.add_argument('--max-reconnects', help='Maximum reconnect attempts', defau
parser.add_argument('--log-level', help='log level', default=None) parser.add_argument('--log-level', help='log level', default=None)
parser.add_argument('--manhole', action='store_true', help='Enable the manhole', default=None) parser.add_argument('--manhole', action='store_true', help='Enable the manhole', default=None)
parser.add_argument('--manhole-bind', help='host:port for the manhole to bind too', default=None) parser.add_argument('--manhole-bind', help='host:port for the manhole to bind too', default=None)
parser.add_argument('--encoder', help='encoder for gateway data', default=None) parser.add_argument('--encoder', help='Encoder for gateway data', default=None)
# Mapping of argument names to configuration overrides # Mapping of argument names to configuration overrides
@ -53,7 +53,7 @@ def disco_main(run=False):
Returns Returns
------- -------
:class:`Client` :class:`Client`
A new Client from the provided command line arguments A new Client from the provided command line arguments.
""" """
from disco.client import Client, ClientConfig from disco.client import Client, ClientConfig
from disco.bot import Bot, BotConfig from disco.bot import Bot, BotConfig

13
disco/client.py

@ -25,14 +25,16 @@ class ClientConfig(Config):
The shard ID for the current client instance. The shard ID for the current client instance.
shard_count : int shard_count : int
The total count of shards running. The total count of shards running.
guild_subscriptions : bool
Whether to enable subscription events (e.g. presence and typing).
max_reconnects : int max_reconnects : int
The maximum number of connection retries to make before giving up (0 = never give up). The maximum number of connection retries to make before giving up (0 = never give up).
log_level: str log_level : str
The logging level to use. The logging level to use.
manhole_enable : bool manhole_enable : bool
Whether to enable the manhole (e.g. console backdoor server) utility. Whether to enable the manhole (e.g. console backdoor server) utility.
manhole_bind : tuple(str, int) manhole_bind : tuple(str, int)
A (host, port) combination which the manhole server will bind to (if its A (host, port) combination which the manhole server will bind to (if it's
enabled using :attr:`manhole_enable`). enabled using :attr:`manhole_enable`).
encoder : str encoder : str
The type of encoding to use for encoding/decoding data from websockets, The type of encoding to use for encoding/decoding data from websockets,
@ -42,6 +44,7 @@ class ClientConfig(Config):
token = '' token = ''
shard_id = 0 shard_id = 0
shard_count = 1 shard_count = 1
guild_subscriptions = True
max_reconnects = 5 max_reconnects = 5
log_level = 'info' log_level = 'info'
@ -111,12 +114,12 @@ class Client(LoggingClass):
""" """
Updates the current clients presence. Updates the current clients presence.
Params Parameters
------ ----------
status : `user.Status` status : `user.Status`
The clients current status. The clients current status.
game : `user.Activity` game : `user.Activity`
If passed, the game object to set for the users presence. If passed, the game object to set for the user's presence.
afk : bool afk : bool
Whether the client is currently afk. Whether the client is currently afk.
since : float since : float

11
disco/gateway/client.py

@ -2,7 +2,9 @@ import gevent
import zlib import zlib
import six import six
import ssl import ssl
import time
import platform
from websocket import ABNF from websocket import ABNF
from disco.gateway.packets import OPCode, RECV, SEND from disco.gateway.packets import OPCode, RECV, SEND
@ -70,6 +72,10 @@ class GatewayClient(LoggingClass):
self._heartbeat_task = None self._heartbeat_task = None
self._heartbeat_acknowledged = True self._heartbeat_acknowledged = True
# Latency
self._last_heartbeat = 0
self.latency = -1
def send(self, op, data): def send(self, op, data):
self.limiter.check() self.limiter.check()
return self._send(op, data) return self._send(op, data)
@ -89,6 +95,7 @@ class GatewayClient(LoggingClass):
self._heartbeat_acknowledged = True self._heartbeat_acknowledged = True
self.ws.close(status=4000) self.ws.close(status=4000)
return return
self._last_heartbeat = time.time()
self._send(OPCode.HEARTBEAT, self.seq) self._send(OPCode.HEARTBEAT, self.seq)
self._heartbeat_acknowledged = False self._heartbeat_acknowledged = False
@ -107,6 +114,7 @@ class GatewayClient(LoggingClass):
def handle_heartbeat_acknowledge(self, _): def handle_heartbeat_acknowledge(self, _):
self.log.debug('Received HEARTBEAT_ACK') self.log.debug('Received HEARTBEAT_ACK')
self._heartbeat_acknowledged = True self._heartbeat_acknowledged = True
self.latency = int((time.time() - self._last_heartbeat) * 1000)
def handle_reconnect(self, _): def handle_reconnect(self, _):
self.log.warning('Received RECONNECT request, forcing a fresh reconnect') self.log.warning('Received RECONNECT request, forcing a fresh reconnect')
@ -214,12 +222,13 @@ class GatewayClient(LoggingClass):
'token': self.client.config.token, 'token': self.client.config.token,
'compress': True, 'compress': True,
'large_threshold': 250, 'large_threshold': 250,
'guild_subscriptions': self.client.config.guild_subscriptions,
'shard': [ 'shard': [
int(self.client.config.shard_id), int(self.client.config.shard_id),
int(self.client.config.shard_count), int(self.client.config.shard_count),
], ],
'properties': { 'properties': {
'$os': 'linux', '$os': platform.system(),
'$browser': 'disco', '$browser': 'disco',
'$device': 'disco', '$device': 'disco',
'$referrer': '', '$referrer': '',

86
disco/gateway/events.py

@ -7,7 +7,7 @@ from disco.types.channel import Channel, PermissionOverwrite
from disco.types.message import Message, MessageReactionEmoji from disco.types.message import Message, MessageReactionEmoji
from disco.types.voice import VoiceState from disco.types.voice import VoiceState
from disco.types.guild import Guild, GuildMember, Role, GuildEmoji from disco.types.guild import Guild, GuildMember, Role, GuildEmoji
from disco.types.base import Model, ModelMeta, Field, ListField, AutoDictField, snowflake, datetime from disco.types.base import Model, ModelMeta, Field, ListField, AutoDictField, UNSET, snowflake, datetime
from disco.util.string import underscore from disco.util.string import underscore
# Mapping of discords event name to our event classes # Mapping of discords event name to our event classes
@ -127,13 +127,13 @@ class Ready(GatewayEvent):
for bootstrapping the client's states. for bootstrapping the client's states.
Attributes Attributes
----- ----------
version : int version : int
The gateway version. The gateway version.
session_id : str session_id : str
The session ID. The session ID.
user : :class:`disco.types.user.User` user : :class:`disco.types.user.User`
The user object for the authed account. The user object for the authenticated account.
guilds : list[:class:`disco.types.guild.Guild` guilds : list[:class:`disco.types.guild.Guild`
All guilds this account is a member of. These are shallow guild objects. All guilds this account is a member of. These are shallow guild objects.
private_channels list[:class:`disco.types.channel.Channel`] private_channels list[:class:`disco.types.channel.Channel`]
@ -158,12 +158,12 @@ class GuildCreate(GatewayEvent):
Sent when a guild is joined, or becomes available. Sent when a guild is joined, or becomes available.
Attributes Attributes
----- ----------
guild : :class:`disco.types.guild.Guild` guild : :class:`disco.types.guild.Guild`
The guild being created (e.g. joined) The guild being created (e.g. joined).
unavailable : bool unavailable : bool
If false, this guild is coming online from a previously unavailable state, If false, this guild is coming online from a previously unavailable state,
and if None, this is a normal guild join event. and if UNSET, this is a normal guild join event.
""" """
unavailable = Field(bool) unavailable = Field(bool)
presences = ListField(Presence) presences = ListField(Presence)
@ -173,7 +173,7 @@ class GuildCreate(GatewayEvent):
""" """
Shortcut property which is true when we actually joined the guild. Shortcut property which is true when we actually joined the guild.
""" """
return self.unavailable is None return self.unavailable is UNSET
@wraps_model(Guild) @wraps_model(Guild)
@ -182,7 +182,7 @@ class GuildUpdate(GatewayEvent):
Sent when a guild is updated. Sent when a guild is updated.
Attributes Attributes
----- ----------
guild : :class:`disco.types.guild.Guild` guild : :class:`disco.types.guild.Guild`
The updated guild object. The updated guild object.
""" """
@ -193,11 +193,11 @@ class GuildDelete(GatewayEvent):
Sent when a guild is deleted, left, or becomes unavailable. Sent when a guild is deleted, left, or becomes unavailable.
Attributes Attributes
----- ----------
id : snowflake id : snowflake
The ID of the guild being deleted. The ID of the guild being deleted.
unavailable : bool unavailable : bool
If true, this guild is becoming unavailable, if None this is a normal If true, this guild is becoming unavailable, if UNSET this is a normal
guild leave event. guild leave event.
""" """
id = Field(snowflake) id = Field(snowflake)
@ -208,7 +208,7 @@ class GuildDelete(GatewayEvent):
""" """
Shortcut property which is true when we actually have left the guild. Shortcut property which is true when we actually have left the guild.
""" """
return self.unavailable is None return self.unavailable is UNSET
@wraps_model(Channel) @wraps_model(Channel)
@ -217,7 +217,7 @@ class ChannelCreate(GatewayEvent):
Sent when a channel is created. Sent when a channel is created.
Attributes Attributes
----- ----------
channel : :class:`disco.types.channel.Channel` channel : :class:`disco.types.channel.Channel`
The channel which was created. The channel which was created.
""" """
@ -229,7 +229,7 @@ class ChannelUpdate(ChannelCreate):
Sent when a channel is updated. Sent when a channel is updated.
Attributes Attributes
----- ----------
channel : :class:`disco.types.channel.Channel` channel : :class:`disco.types.channel.Channel`
The channel which was updated. The channel which was updated.
""" """
@ -242,7 +242,7 @@ class ChannelDelete(ChannelCreate):
Sent when a channel is deleted. Sent when a channel is deleted.
Attributes Attributes
----- ----------
channel : :class:`disco.types.channel.Channel` channel : :class:`disco.types.channel.Channel`
The channel being deleted. The channel being deleted.
""" """
@ -253,10 +253,10 @@ class ChannelPinsUpdate(GatewayEvent):
Sent when a channel's pins are updated. Sent when a channel's pins are updated.
Attributes Attributes
----- ----------
channel_id : snowflake channel_id : snowflake
ID of the channel where pins where updated. ID of the channel where pins where updated.
last_pin_timestap : datetime last_pin_timestamp : datetime
The time the last message was pinned. The time the last message was pinned.
""" """
channel_id = Field(snowflake) channel_id = Field(snowflake)
@ -269,7 +269,7 @@ class GuildBanAdd(GatewayEvent):
Sent when a user is banned from a guild. Sent when a user is banned from a guild.
Attributes Attributes
----- ----------
guild_id : snowflake guild_id : snowflake
The ID of the guild the user is being banned from. The ID of the guild the user is being banned from.
user : :class:`disco.types.user.User` user : :class:`disco.types.user.User`
@ -289,7 +289,7 @@ class GuildBanRemove(GuildBanAdd):
Sent when a user is unbanned from a guild. Sent when a user is unbanned from a guild.
Attributes Attributes
----- ----------
guild_id : snowflake guild_id : snowflake
The ID of the guild the user is being unbanned from. The ID of the guild the user is being unbanned from.
user : :class:`disco.types.user.User` user : :class:`disco.types.user.User`
@ -306,11 +306,11 @@ class GuildEmojisUpdate(GatewayEvent):
Sent when a guild's emojis are updated. Sent when a guild's emojis are updated.
Attributes Attributes
----- ----------
guild_id : snowflake guild_id : snowflake
The ID of the guild the emojis are being updated in. The ID of the guild the emojis are being updated in.
emojis : list[:class:`disco.types.guild.Emoji`] emojis : list[:class:`disco.types.guild.Emoji`]
The new set of emojis for the guild The new set of emojis for the guild.
""" """
guild_id = Field(snowflake) guild_id = Field(snowflake)
emojis = ListField(GuildEmoji) emojis = ListField(GuildEmoji)
@ -321,7 +321,7 @@ class GuildIntegrationsUpdate(GatewayEvent):
Sent when a guild's integrations are updated. Sent when a guild's integrations are updated.
Attributes Attributes
----- ----------
guild_id : snowflake guild_id : snowflake
The ID of the guild integrations where updated in. The ID of the guild integrations where updated in.
""" """
@ -333,7 +333,7 @@ class GuildMembersChunk(GatewayEvent):
Sent in response to a member's chunk request. Sent in response to a member's chunk request.
Attributes Attributes
----- ----------
guild_id : snowflake guild_id : snowflake
The ID of the guild this member chunk is for. The ID of the guild this member chunk is for.
members : list[:class:`disco.types.guild.GuildMember`] members : list[:class:`disco.types.guild.GuildMember`]
@ -353,7 +353,7 @@ class GuildMemberAdd(GatewayEvent):
Sent when a user joins a guild. Sent when a user joins a guild.
Attributes Attributes
----- ----------
member : :class:`disco.types.guild.GuildMember` member : :class:`disco.types.guild.GuildMember`
The member that has joined the guild. The member that has joined the guild.
""" """
@ -365,7 +365,7 @@ class GuildMemberRemove(GatewayEvent):
Sent when a user leaves a guild (via leaving, kicking, or banning). Sent when a user leaves a guild (via leaving, kicking, or banning).
Attributes Attributes
----- ----------
guild_id : snowflake guild_id : snowflake
The ID of the guild the member left from. The ID of the guild the member left from.
user : :class:`disco.types.user.User` user : :class:`disco.types.user.User`
@ -385,7 +385,7 @@ class GuildMemberUpdate(GatewayEvent):
Sent when a guilds member is updated. Sent when a guilds member is updated.
Attributes Attributes
----- ----------
member : :class:`disco.types.guild.GuildMember` member : :class:`disco.types.guild.GuildMember`
The member being updated The member being updated
""" """
@ -398,7 +398,7 @@ class GuildRoleCreate(GatewayEvent):
Sent when a role is created. Sent when a role is created.
Attributes Attributes
----- ----------
guild_id : snowflake guild_id : snowflake
The ID of the guild where the role was created. The ID of the guild where the role was created.
role : :class:`disco.types.guild.Role` role : :class:`disco.types.guild.Role`
@ -417,7 +417,7 @@ class GuildRoleUpdate(GuildRoleCreate):
Sent when a role is updated. Sent when a role is updated.
Attributes Attributes
----- ----------
guild_id : snowflake guild_id : snowflake
The ID of the guild where the role was created. The ID of the guild where the role was created.
role : :class:`disco.types.guild.Role` role : :class:`disco.types.guild.Role`
@ -434,7 +434,7 @@ class GuildRoleDelete(GatewayEvent):
Sent when a role is deleted. Sent when a role is deleted.
Attributes Attributes
----- ----------
guild_id : snowflake guild_id : snowflake
The ID of the guild where the role is being deleted. The ID of the guild where the role is being deleted.
role_id : snowflake role_id : snowflake
@ -454,7 +454,7 @@ class MessageCreate(GatewayEvent):
Sent when a message is created. Sent when a message is created.
Attributes Attributes
----- ----------
message : :class:`disco.types.message.Message` message : :class:`disco.types.message.Message`
The message being created. The message being created.
guild_id : snowflake guild_id : snowflake
@ -469,7 +469,7 @@ class MessageUpdate(MessageCreate):
Sent when a message is updated/edited. Sent when a message is updated/edited.
Attributes Attributes
----- ----------
message : :class:`disco.types.message.Message` message : :class:`disco.types.message.Message`
The message being updated. The message being updated.
guild_id : snowflake guild_id : snowflake
@ -483,7 +483,7 @@ class MessageDelete(GatewayEvent):
Sent when a message is deleted. Sent when a message is deleted.
Attributes Attributes
----- ----------
id : snowflake id : snowflake
The ID of message being deleted. The ID of message being deleted.
channel_id : snowflake channel_id : snowflake
@ -509,7 +509,7 @@ class MessageDeleteBulk(GatewayEvent):
Sent when multiple messages are deleted from a channel. Sent when multiple messages are deleted from a channel.
Attributes Attributes
----- ----------
guild_id : snowflake guild_id : snowflake
The guild the messages are being deleted in. The guild the messages are being deleted in.
channel_id : snowflake channel_id : snowflake
@ -536,7 +536,7 @@ class PresenceUpdate(GatewayEvent):
Sent when a user's presence is updated. Sent when a user's presence is updated.
Attributes Attributes
----- ----------
presence : :class:`disco.types.user.Presence` presence : :class:`disco.types.user.Presence`
The updated presence object. The updated presence object.
guild_id : snowflake guild_id : snowflake
@ -557,7 +557,7 @@ class TypingStart(GatewayEvent):
Sent when a user begins typing in a channel. Sent when a user begins typing in a channel.
Attributes Attributes
----- ----------
guild_id : snowflake guild_id : snowflake
The ID of the guild where the user is typing. The ID of the guild where the user is typing.
channel_id : snowflake channel_id : snowflake
@ -579,7 +579,7 @@ class VoiceStateUpdate(GatewayEvent):
Sent when a users voice state changes. Sent when a users voice state changes.
Attributes Attributes
----- ----------
state : :class:`disco.models.voice.VoiceState` state : :class:`disco.models.voice.VoiceState`
The voice state which was updated. The voice state which was updated.
""" """
@ -590,7 +590,7 @@ class VoiceServerUpdate(GatewayEvent):
Sent when a voice server is updated. Sent when a voice server is updated.
Attributes Attributes
----- ----------
token : str token : str
The token for the voice server. The token for the voice server.
endpoint : str endpoint : str
@ -608,7 +608,7 @@ class WebhooksUpdate(GatewayEvent):
Sent when a channels webhooks are updated. Sent when a channels webhooks are updated.
Attributes Attributes
----- ----------
channel_id : snowflake channel_id : snowflake
The channel ID this webhooks update is for. The channel ID this webhooks update is for.
guild_id : snowflake guild_id : snowflake
@ -714,3 +714,15 @@ class MessageReactionRemoveAll(GatewayEvent):
@property @property
def guild(self): def guild(self):
return self.channel.guild return self.channel.guild
@wraps_model(User)
class UserUpdate(GatewayEvent):
"""
Sent when the client user is updated.
Attributes
-----
user : :class:`disco.types.user.User`
The updated user object.
"""

39
disco/state.py

@ -19,11 +19,11 @@ class StackMessage(namedtuple('StackMessage', ['id', 'channel_id', 'author_id'])
Attributes Attributes
--------- ---------
id : snowflake id : snowflake
the id of the message The id of the message.
channel_id : snowflake channel_id : snowflake
the id of the channel this message was sent in The id of the channel this message was sent in.
author_id : snowflake author_id : snowflake
the id of the author of this message The id of the author of this message.
""" """
@ -40,8 +40,8 @@ class StateConfig(Config):
Message tracking is implemented using a deque and a namedtuple, meaning Message tracking is implemented using a deque and a namedtuple, meaning
it should generally not have a high impact on memory, however users who it should generally not have a high impact on memory, however users who
find they do not need and may be experiencing memory pressure can disable find that they do not need and may be experiencing memory pressure can
this feature entirely using this attribute. disable this feature entirely using this attribute.
track_messages_size : int track_messages_size : int
The size of the messages deque for each channel. This value can be used The size of the messages deque for each channel. This value can be used
to calculate the total number of possible `StackMessage` objects kept in to calculate the total number of possible `StackMessage` objects kept in
@ -50,7 +50,7 @@ class StateConfig(Config):
sync_guild_members : bool sync_guild_members : bool
If true, guilds will be automatically synced when they are initially loaded If true, guilds will be automatically synced when they are initially loaded
or joined. Generally this setting is OK for smaller bots, however bots in over or joined. Generally this setting is OK for smaller bots, however bots in over
50 guilds will notice this operation can take a while to complete and may want 50 guilds will notice this operation can take a while to complete, and may want
to batch requests using the underlying `GatewayClient.request_guild_members` to batch requests using the underlying `GatewayClient.request_guild_members`
interface. interface.
""" """
@ -69,33 +69,33 @@ class State(object):
Attributes Attributes
---------- ----------
EVENTS : list(str) EVENTS : list(str)
A list of all events the State object binds to A list of all events the State object binds to.
client : `disco.client.Client` client : `disco.client.Client`
The Client instance this state is attached to The Client instance this state is attached to.
config : `StateConfig` config : `StateConfig`
The configuration for this state instance The configuration for this state instance.
me : `User` me : `User`
The currently logged in user The currently logged in user.
dms : dict(snowflake, `Channel`) dms : dict(snowflake, `Channel`)
Mapping of all known DM Channels Mapping of all known DM Channels.
guilds : dict(snowflake, `Guild`) guilds : dict(snowflake, `Guild`)
Mapping of all known/loaded Guilds Mapping of all known/loaded Guilds.
channels : dict(snowflake, `Channel`) channels : dict(snowflake, `Channel`)
Weak mapping of all known/loaded Channels Weak mapping of all known/loaded Channels.
users : dict(snowflake, `User`) users : dict(snowflake, `User`)
Weak mapping of all known/loaded Users Weak mapping of all known/loaded Users.
voice_clients : dict(str, 'VoiceClient') voice_clients : dict(str, 'VoiceClient')
Weak mapping of all known voice clients Weak mapping of all known voice clients.
voice_states : dict(str, `VoiceState`) voice_states : dict(str, `VoiceState`)
Weak mapping of all known/active Voice States Weak mapping of all known/active Voice States.
messages : Optional[dict(snowflake, deque)] messages : Optional[dict(snowflake, deque)]
Mapping of channel ids to deques containing `StackMessage` objects Mapping of channel ids to deques containing `StackMessage` objects.
""" """
EVENTS = [ EVENTS = [
'Ready', 'GuildCreate', 'GuildUpdate', 'GuildDelete', 'GuildMemberAdd', 'GuildMemberRemove', 'Ready', 'GuildCreate', 'GuildUpdate', 'GuildDelete', 'GuildMemberAdd', 'GuildMemberRemove',
'GuildMemberUpdate', 'GuildMembersChunk', 'GuildRoleCreate', 'GuildRoleUpdate', 'GuildRoleDelete', 'GuildMemberUpdate', 'GuildMembersChunk', 'GuildRoleCreate', 'GuildRoleUpdate', 'GuildRoleDelete',
'GuildEmojisUpdate', 'ChannelCreate', 'ChannelUpdate', 'ChannelDelete', 'VoiceServerUpdate', 'VoiceStateUpdate', 'GuildEmojisUpdate', 'ChannelCreate', 'ChannelUpdate', 'ChannelDelete', 'VoiceServerUpdate', 'VoiceStateUpdate',
'MessageCreate', 'PresenceUpdate', 'MessageCreate', 'PresenceUpdate', 'UserUpdate',
] ]
def __init__(self, client, config): def __init__(self, client, config):
@ -153,6 +153,9 @@ class State(object):
self.dms[dm.id] = dm self.dms[dm.id] = dm
self.channels[dm.id] = dm self.channels[dm.id] = dm
def on_user_update(self, event):
self.me.inplace_update(event.user)
def on_message_create(self, event): def on_message_create(self, event):
if self.config.track_messages: if self.config.track_messages:
self.messages[event.message.channel_id].append( self.messages[event.message.channel_id].append(

2
disco/types/base.py

@ -220,7 +220,7 @@ def datetime(data):
except (ValueError, TypeError): except (ValueError, TypeError):
continue continue
raise ValueError('Failed to conver `{}` to datetime'.format(data)) raise ValueError('Failed to convert `{}` to datetime'.format(data))
def text(obj): def text(obj):

28
disco/types/channel.py

@ -43,13 +43,13 @@ class PermissionOverwrite(ChannelSubType):
Attributes Attributes
---------- ----------
id : snowflake id : snowflake
The overwrite ID The overwrite ID.
type : :const:`disco.types.channel.PermissionsOverwriteType` type : :const:`disco.types.channel.PermissionsOverwriteType`
The overwrite type The overwrite type.
allow : :class:`disco.types.permissions.PermissionValue` allow : :class:`disco.types.permissions.PermissionValue`
All allowed permissions All allowed permissions.
deny : :class:`disco.types.permissions.PermissionValue` deny : :class:`disco.types.permissions.PermissionValue`
All denied permissions All denied permissions.
""" """
id = Field(snowflake) id = Field(snowflake)
type = Field(enum(PermissionOverwriteType)) type = Field(enum(PermissionOverwriteType))
@ -112,7 +112,7 @@ class Channel(SlottedModel, Permissible):
The channel's bitrate. The channel's bitrate.
user_limit : int user_limit : int
The channel's user limit. The channel's user limit.
recipients: list(:class:`disco.types.user.User`) recipients : list(:class:`disco.types.user.User`)
Members of this channel (if this is a DM channel). Members of this channel (if this is a DM channel).
type : :const:`ChannelType` type : :const:`ChannelType`
The type of this channel. The type of this channel.
@ -269,7 +269,7 @@ class Channel(SlottedModel, Permissible):
Returns Returns
------- -------
`Message` `Message`
The fetched message The fetched message.
""" """
return self.client.api.channels_messages_get(self.id, to_snowflake(message)) return self.client.api.channels_messages_get(self.id, to_snowflake(message))
@ -308,8 +308,8 @@ class Channel(SlottedModel, Permissible):
""" """
Pins the given message to the channel. Pins the given message to the channel.
Params Parameters
------ ----------
message : `Message`|snowflake message : `Message`|snowflake
The message or message ID to pin. The message or message ID to pin.
""" """
@ -319,8 +319,8 @@ class Channel(SlottedModel, Permissible):
""" """
Unpins the given message from the channel. Unpins the given message from the channel.
Params Parameters
------ ----------
message : `Message`|snowflake message : `Message`|snowflake
The message or message ID to pin. The message or message ID to pin.
""" """
@ -377,8 +377,8 @@ class Channel(SlottedModel, Permissible):
""" """
Deletes a single message from this channel. Deletes a single message from this channel.
Args Parameters
---- ----------
message : snowflake|`Message` message : snowflake|`Message`
The message to delete. The message to delete.
""" """
@ -390,8 +390,8 @@ class Channel(SlottedModel, Permissible):
Deletes a set of messages using the correct API route based on the number Deletes a set of messages using the correct API route based on the number
of messages passed. of messages passed.
Args Parameters
---- ----------
messages : list(snowflake|`Message`) messages : list(snowflake|`Message`)
List of messages (or message ids) to delete. All messages must originate List of messages (or message ids) to delete. All messages must originate
from this channel. from this channel.

175
disco/types/guild.py

@ -15,17 +15,6 @@ from disco.types.message import Emoji
from disco.types.permissions import PermissionValue, Permissions, Permissible from disco.types.permissions import PermissionValue, Permissions, Permissible
class DefaultMessageNotificationsLevel(object):
ALL_MESSAGES = 0
ONLY_MENTIONS = 1
class ExplicitContentFilterLevel(object):
NONE = 0
WITHOUT_ROLES = 1
ALL = 2
class MFALevel(object): class MFALevel(object):
NONE = 0 NONE = 0
ELEVATED = 1 ELEVATED = 1
@ -39,6 +28,17 @@ class VerificationLevel(object):
EXTREME = 4 EXTREME = 4
class ExplicitContentFilterLevel(object):
NONE = 0
WITHOUT_ROLES = 1
ALL = 2
class DefaultMessageNotificationsLevel(object):
ALL_MESSAGES = 0
ONLY_MENTIONS = 1
class PremiumTier(object): class PremiumTier(object):
NONE = 0 NONE = 0
TIER_1 = 1 TIER_1 = 1
@ -62,25 +62,25 @@ class GuildEmoji(Emoji):
The ID of this emoji. The ID of this emoji.
name : str name : str
The name of this emoji. The name of this emoji.
roles : list(snowflake)
Roles this emoji is attached to.
user : User user : User
The User that created this emoji. The User that created this emoji.
require_colons : bool require_colons : bool
Whether this emoji requires colons to use. Whether this emoji requires colons to use.
managed : bool managed : bool
Whether this emoji is managed by an integration. Whether this emoji is managed by an integration.
roles : list(snowflake)
Roles this emoji is attached to.
animated : bool animated : bool
Whether this emoji is animated. Whether this emoji is animated.
""" """
id = Field(snowflake) id = Field(snowflake)
guild_id = Field(snowflake)
name = Field(text) name = Field(text)
roles = ListField(snowflake)
user = Field(User) user = Field(User)
require_colons = Field(bool) require_colons = Field(bool)
managed = Field(bool) managed = Field(bool)
roles = ListField(snowflake)
animated = Field(bool) animated = Field(bool)
guild_id = Field(snowflake)
def __str__(self): def __str__(self):
return u'<{}:{}:{}>'.format('a' if self.animated else '', self.name, self.id) return u'<{}:{}:{}>'.format('a' if self.animated else '', self.name, self.id)
@ -100,6 +100,10 @@ class GuildEmoji(Emoji):
return self.client.state.guilds.get(self.guild_id) return self.client.state.guilds.get(self.guild_id)
class PruneCount(SlottedModel):
pruned = Field(int, default=None)
class Role(SlottedModel): class Role(SlottedModel):
""" """
A role object. A role object.
@ -110,30 +114,30 @@ class Role(SlottedModel):
The role ID. The role ID.
name : string name : string
The role name. The role name.
color : int
The RGB color of this role.
hoist : bool hoist : bool
Whether this role is hoisted (displayed separately in the sidebar). Whether this role is hoisted (displayed separately in the sidebar).
position : int
The position of this role in the hierarchy.
permissions : :class:`disco.types.permissions.PermissionsValue`
The permissions this role grants.
managed : bool managed : bool
Whether this role is managed by an integration. Whether this role is managed by an integration.
color : int
The RGB color of this role.
permissions : :class:`disco.types.permissions.PermissionsValue`
The permissions this role grants.
position : int
The position of this role in the hierarchy.
mentionable : bool mentionable : bool
Wherther this role is taggable in chat. Wherther this role is taggable in chat.
guild_id : snowflake guild_id : snowflake
The id of the server the role is in. The id of the server the role is in.
""" """
id = Field(snowflake) id = Field(snowflake)
guild_id = Field(snowflake)
name = Field(text) name = Field(text)
color = Field(int)
hoist = Field(bool) hoist = Field(bool)
position = Field(int)
permissions = Field(PermissionValue)
managed = Field(bool) managed = Field(bool)
color = Field(int)
permissions = Field(PermissionValue)
position = Field(int)
mentionable = Field(bool) mentionable = Field(bool)
guild_id = Field(snowflake)
def __str__(self): def __str__(self):
return self.name return self.name
@ -158,6 +162,11 @@ class GuildBan(SlottedModel):
reason = Field(text) reason = Field(text)
class GuildEmbed(SlottedModel):
enabled = Field(bool)
channel_id = Field(snowflake)
class GuildMember(SlottedModel): class GuildMember(SlottedModel):
""" """
A GuildMember object. A GuildMember object.
@ -166,29 +175,29 @@ class GuildMember(SlottedModel):
---------- ----------
user : :class:`disco.types.user.User` user : :class:`disco.types.user.User`
The user object of this member. The user object of this member.
guild_id : snowflake
The guild this member is part of.
nick : str nick : str
The nickname of the member. The nickname of the member.
roles : list(snowflake) mute : bool
Roles this member is part of. Whether this member is server voice-muted.
deaf : bool
Whether this member is server voice-deafened.
joined_at : datetime joined_at : datetime
When this user joined the guild. When this user joined the guild.
roles : list(snowflake)
Roles this member is part of.
premium_since : datetime premium_since : datetime
When this user set their nitro boost to this server. When this user set their Nitro boost to this server.
deaf : bool
Whether this member is server voice-deafened.
mute : bool
Whether this member is server voice-muted.
guild_id : snowflake
The guild this member is part of.
""" """
user = Field(User) user = Field(User)
guild_id = Field(snowflake)
nick = Field(text) nick = Field(text)
roles = ListField(snowflake) mute = Field(bool)
deaf = Field(bool)
joined_at = Field(datetime) joined_at = Field(datetime)
roles = ListField(snowflake)
premium_since = Field(datetime) premium_since = Field(datetime)
deaf = Field(bool)
mute = Field(bool)
guild_id = Field(snowflake)
def __str__(self): def __str__(self):
return self.user.__str__() return self.user.__str__()
@ -220,8 +229,8 @@ class GuildMember(SlottedModel):
""" """
Bans the member from the guild. Bans the member from the guild.
Args Parameters
---- ----------
delete_message_days : int delete_message_days : int
The number of days to retroactively delete messages for. The number of days to retroactively delete messages for.
""" """
@ -237,8 +246,8 @@ class GuildMember(SlottedModel):
""" """
Sets the member's nickname (or clears it if None). Sets the member's nickname (or clears it if None).
Args Parameters
---- ----------
nickname : Optional[str] nickname : Optional[str]
The nickname (or none to reset) to set. The nickname (or none to reset) to set.
""" """
@ -312,6 +321,12 @@ class Guild(SlottedModel, Permissible):
The id of the embed channel. The id of the embed channel.
system_channel_id : snowflake system_channel_id : snowflake
The id of the system channel. The id of the system channel.
name : str
Guild's name.
icon : str
Guild's icon image hash
splash : str
Guild's splash image hash
widget_channel_id : snowflake widget_channel_id : snowflake
The id of the server widget channel The id of the server widget channel
banner : str banner : str
@ -355,47 +370,47 @@ class Guild(SlottedModel, Permissible):
premium_tier : int premium_tier : int
Guild's premium tier. Guild's premium tier.
premium_subscription_count : int premium_subscription_count : int
The amount of users using their nitro boost on this guild. The amount of users using their Nitro boost on this guild.
""" """
id = Field(snowflake) id = Field(snowflake)
name = Field(text)
icon = Field(text)
splash = Field(text)
owner = Field(bool) owner = Field(bool)
owner_id = Field(snowflake) owner_id = Field(snowflake)
permissions = Field(int) permissions = Field(int)
region = Field(text)
afk_channel_id = Field(snowflake) afk_channel_id = Field(snowflake)
embed_channel_id = Field(snowflake)
system_channel_id = Field(snowflake)
name = Field(text)
icon = Field(text)
splash = Field(text)
banner = Field(text)
region = Field(text)
afk_timeout = Field(int) afk_timeout = Field(int)
embed_enabled = Field(bool) embed_enabled = Field(bool)
embed_channel_id = Field(snowflake)
verification_level = Field(enum(VerificationLevel)) verification_level = Field(enum(VerificationLevel))
default_message_notifications = Field(enum(DefaultMessageNotificationsLevel))
explicit_content_filter = Field(enum(ExplicitContentFilterLevel)) explicit_content_filter = Field(enum(ExplicitContentFilterLevel))
roles = AutoDictField(Role, 'id') default_message_notifications = Field(enum(DefaultMessageNotificationsLevel))
emojis = AutoDictField(GuildEmoji, 'id')
features = ListField(str)
mfa_level = Field(int) mfa_level = Field(int)
application_id = Field(snowflake) application_id = Field(snowflake)
widget_enabled = Field(bool) widget_enabled = Field(bool)
widget_channel_id = Field(snowflake) widget_channel_id = Field(snowflake)
system_channel_id = Field(snowflake)
joined_at = Field(datetime) joined_at = Field(datetime)
large = Field(bool) large = Field(bool)
unavailable = Field(bool) unavailable = Field(bool)
member_count = Field(int) member_count = Field(int)
voice_states = AutoDictField(VoiceState, 'session_id') voice_states = AutoDictField(VoiceState, 'session_id')
features = ListField(str)
members = AutoDictField(GuildMember, 'id') members = AutoDictField(GuildMember, 'id')
channels = AutoDictField(Channel, 'id') channels = AutoDictField(Channel, 'id')
max_presences = Field(int, default=5000) roles = AutoDictField(Role, 'id')
max_members = Field(int) emojis = AutoDictField(GuildEmoji, 'id')
vanity_url_code = Field(text)
description = Field(text)
banner = Field(text)
premium_tier = Field(int, default=0) premium_tier = Field(int, default=0)
premium_subscription_count = Field(int, default=0) premium_subscription_count = Field(int, default=0)
system_channel_flags = Field(int) system_channel_flags = Field(int)
preferred_locale = Field(str) preferred_locale = Field(str)
vanity_url_code = Field(text)
max_presences = Field(int, default=5000)
max_members = Field(int)
description = Field(text)
def __init__(self, *args, **kwargs): def __init__(self, *args, **kwargs):
super(Guild, self).__init__(*args, **kwargs) super(Guild, self).__init__(*args, **kwargs)
@ -470,6 +485,12 @@ class Guild(SlottedModel, Permissible):
return self.members.get(user) return self.members.get(user)
def get_prune_count(self, days=None):
return self.client.api.guilds_prune_count_get(self.id, days=days)
def prune(self, days=None, compute_prune_count=None):
return self.client.api.guilds_prune_create(self.id, days=days, compute_prune_count=compute_prune_count)
def create_role(self, **kwargs): def create_role(self, **kwargs):
""" """
Create a new role. Create a new role.
@ -545,7 +566,8 @@ class Guild(SlottedModel, Permissible):
""" """
return self.client.api.guilds_channels_create( return self.client.api.guilds_channels_create(
self.id, ChannelType.GUILD_TEXT, name=name, permission_overwrites=permission_overwrites, self.id, ChannelType.GUILD_TEXT, name=name, permission_overwrites=permission_overwrites,
parent_id=parent_id, nsfw=nsfw, position=position, reason=reason) parent_id=parent_id, nsfw=nsfw, position=position, reason=reason,
)
def create_voice_channel( def create_voice_channel(
self, self,
@ -569,15 +591,15 @@ class Guild(SlottedModel, Permissible):
def get_invites(self): def get_invites(self):
return self.client.api.guilds_invites_list(self.id) return self.client.api.guilds_invites_list(self.id)
def get_vanity_url(self):
return self.client.api.guilds_vanity_url_get(self.id)
def get_emojis(self): def get_emojis(self):
return self.client.api.guilds_emojis_list(self.id) return self.client.api.guilds_emojis_list(self.id)
def get_emoji(self, emoji): def get_emoji(self, emoji):
return self.client.api.guilds_emojis_get(self.id, emoji) return self.client.api.guilds_emojis_get(self.id, emoji)
def get_voice_regions(self):
return self.client.api.guilds_voice_regions_list(self.id)
def get_icon_url(self, still_format='webp', animated_format='gif', size=1024): def get_icon_url(self, still_format='webp', animated_format='gif', size=1024):
if not self.icon: if not self.icon:
return '' return ''
@ -591,6 +613,12 @@ class Guild(SlottedModel, Permissible):
self.id, self.icon, still_format, size self.id, self.icon, still_format, size
) )
def get_vanity_url(self):
if not self.vanity_url_code:
return ''
return 'https://discord.gg/' + self.vanity_url_code
def get_splash_url(self, fmt='webp', size=1024): def get_splash_url(self, fmt='webp', size=1024):
if not self.splash: if not self.splash:
return '' return ''
@ -607,6 +635,10 @@ class Guild(SlottedModel, Permissible):
def icon_url(self): def icon_url(self):
return self.get_icon_url() return self.get_icon_url()
@property
def vanity_url(self):
return self.get_vanity_url()
@property @property
def splash_url(self): def splash_url(self):
return self.get_splash_url() return self.get_splash_url()
@ -635,6 +667,25 @@ class Guild(SlottedModel, Permissible):
return self.client.api.guilds_auditlogs_list(self.id, *args, **kwargs) return self.client.api.guilds_auditlogs_list(self.id, *args, **kwargs)
class IntegrationAccount(SlottedModel):
id = Field(text)
name = Field(text)
class Integration(SlottedModel):
id = Field(snowflake)
name = Field(text)
type = Field(text)
enabled = Field(bool)
syncing = Field(bool)
role_id = Field(snowflake)
expire_behavior = Field(int)
expire_grace_period = Field(int)
user = Field(User)
account = Field(IntegrationAccount)
synced_at = Field(datetime)
class AuditLogActionTypes(object): class AuditLogActionTypes(object):
GUILD_UPDATE = 1 GUILD_UPDATE = 1
CHANNEL_CREATE = 10 CHANNEL_CREATE = 10

8
disco/types/message.py

@ -507,8 +507,8 @@ class Message(SlottedModel):
""" """
Edit this message. Edit this message.
Args Parameters
---- ----------
content : str content : str
The new edited contents of the message. The new edited contents of the message.
@ -646,8 +646,8 @@ class Message(SlottedModel):
""" """
Replaces user and role mentions with the result of a given lambda/function. Replaces user and role mentions with the result of a given lambda/function.
Args Parameters
---- ----------
user_replace : function user_replace : function
A function taking a single argument, the user object mentioned, and A function taking a single argument, the user object mentioned, and
returning a valid string. returning a valid string.

85
disco/types/oauth.py

@ -0,0 +1,85 @@
from disco.types.base import SlottedModel, Field, ListField, snowflake, text, enum
from disco.types.guild import Integration
from disco.types.user import User
from disco.util.snowflake import to_snowflake
class TeamMembershipState(object):
INVITED = 1
ACCEPTED = 2
class TeamMember(SlottedModel):
membership_state = Field(enum(TeamMembershipState))
permissions = Field(text)
team_id = Field(snowflake)
user = Field(User)
class Team(SlottedModel):
icon = Field(text)
id = Field(snowflake)
members = ListField(TeamMember)
owner_user_id = Field(snowflake)
class Application(SlottedModel):
id = Field(snowflake)
name = Field(text)
icon = Field(text)
description = Field(text)
rpc_origins = ListField(text)
bot_public = Field(bool)
bot_require_code_grant = Field(bool)
owner = Field(User)
summary = Field(text)
verify_key = Field(text)
team = Field(Team)
guild_id = Field(snowflake)
primary_sku_id = Field(snowflake)
slug = Field(text)
cover_image = Field(text)
def user_is_owner(self, user):
user_id = to_snowflake(user)
if user_id == self.owner.id:
return True
return any(user_id == member.user.id for member in self.team.members)
def get_icon_url(self, fmt='webp', size=1024):
if not self.icon:
return ''
return 'https://cdn.discordapp.com/app-icons/{}/{}.{}?size={}'.format(self.id, self.icon, fmt, size)
def get_cover_image_url(self, fmt='webp', size=1024):
if not self.cover_image:
return ''
return 'https://cdn.discordapp.com/app-icons/{}/{}.{}?size={}'.format(self.id, self.cover_image, fmt, size)
@property
def icon_url(self):
return self.get_icon_url()
@property
def cover_image_url(self):
return self.get_cover_image_url()
class ConnectionVisibility(object):
NOBODY = 0
EVERYONE = 1
class Connection(SlottedModel):
id = Field(text)
name = Field(text)
type = Field(text)
revoked = Field(bool)
integrations = ListField(Integration)
verified = Field(bool)
friend_sync = Field(bool)
show_activity = Field(bool)
visibility = Field(enum(ConnectionVisibility))

4
disco/types/user.py

@ -74,6 +74,10 @@ class User(SlottedModel, with_equality('id'), with_hash('id')):
def mention(self): def mention(self):
return '<@{}>'.format(self.id) return '<@{}>'.format(self.id)
@property
def mention_nickname(self):
return '<@!{}>'.format(self.id)
def open_dm(self): def open_dm(self):
return self.client.api.users_me_dms_create(self.id) return self.client.api.users_me_dms_create(self.id)

17
disco/types/voice.py

@ -1,4 +1,4 @@
from disco.types.base import SlottedModel, Field, snowflake, cached_property from disco.types.base import SlottedModel, text, Field, snowflake, cached_property
class VoiceState(SlottedModel): class VoiceState(SlottedModel):
@ -23,3 +23,18 @@ class VoiceState(SlottedModel):
@cached_property @cached_property
def user(self): def user(self):
return self.client.state.users.get(self.user_id) return self.client.state.users.get(self.user_id)
class VoiceRegion(SlottedModel):
id = Field(text)
name = Field(text)
vip = Field(bool)
optimal = Field(bool)
deprecated = Field(bool)
custom = Field(bool)
def __str__(self):
return self.id
def __repr__(self):
return u'<VoiceRegion {}>'.format(self.name)

4
disco/util/emitter.py

@ -16,12 +16,12 @@ class Priority(object):
# with the one difference being it executes after all the BEFORE listeners. # with the one difference being it executes after all the BEFORE listeners.
AFTER = 2 AFTER = 2
# SEQUENTIAL guarentees that all events your handler recieves will be ordered # SEQUENTIAL guarantees that all events your handler receives will be ordered
# when looked at in isolation. SEQUENTIAL handlers will not block other handlers, # when looked at in isolation. SEQUENTIAL handlers will not block other handlers,
# but do use a queue internally and thus can fall behind. # but do use a queue internally and thus can fall behind.
SEQUENTIAL = 3 SEQUENTIAL = 3
# NONE provides no guarentees around the ordering or execution of events, sans # NONE provides no guarantees around the ordering or execution of events, sans
# that BEFORE handlers will always complete before any NONE handlers are called. # that BEFORE handlers will always complete before any NONE handlers are called.
NONE = 4 NONE = 4

8
disco/util/functional.py

@ -7,8 +7,8 @@ def take(seq, count):
""" """
Take count many elements from a sequence or generator. Take count many elements from a sequence or generator.
Args Parameters
---- ----------
seq : sequence or generator seq : sequence or generator
The sequence to take elements from. The sequence to take elements from.
count : int count : int
@ -25,8 +25,8 @@ def chunks(obj, size):
""" """
Splits a list into sized chunks. Splits a list into sized chunks.
Args Parameters
---- ----------
obj : list obj : list
List to split up. List to split up.
size : int size : int

2
disco/util/logging.py

@ -21,7 +21,7 @@ def setup_logging(**kwargs):
# Pass through our basic configuration # Pass through our basic configuration
logging.basicConfig(**kwargs) logging.basicConfig(**kwargs)
# Override some noisey loggers # Override some noisy loggers
for logger, level in LEVEL_OVERRIDES.items(): for logger, level in LEVEL_OVERRIDES.items():
logging.getLogger(logger).setLevel(level) logging.getLogger(logger).setLevel(level)

4
disco/util/serializer.py

@ -21,8 +21,8 @@ class Serializer(object):
@staticmethod @staticmethod
def yaml(): def yaml():
from yaml import load, dump from yaml import full_load, dump
return (load, dump) return (full_load, dump)
@staticmethod @staticmethod
def pickle(): def pickle():

2
disco/util/snowflake.py

@ -41,7 +41,7 @@ def to_snowflake(i):
elif hasattr(i, 'id'): elif hasattr(i, 'id'):
return i.id return i.id
raise Exception('{} ({}) is not convertable to a snowflake'.format(type(i), i)) raise Exception('{} ({}) is not convertible to a snowflake'.format(type(i), i))
def calculate_shard(shard_count, guild_id): def calculate_shard(shard_count, guild_id):

2
disco/voice.py

@ -159,7 +159,7 @@ class VoiceConnection(object):
def _event_reader(self, fd): def _event_reader(self, fd):
if not make_nonblocking(fd): if not make_nonblocking(fd):
raise Exception('failed to make event pipe nonblocking') raise Exception('failed to make event pipe non-blocking')
buff = "" buff = ""
while True: while True:

4
docs/bot_tutorial/building_block_commands.md

@ -6,7 +6,7 @@ In the case of these examples, when you send `!help` or `!info` the bot will rep
## Basic commands ## Basic commands
Creating commands in Disco is really easy because of the [Plugins](https://b1naryth1ef.github.io/disco/bot_tutorial/building_block_plugins.html) that are a core fundamential of Disco. For more info on them, read back in the [Plugins](https://b1naryth1ef.github.io/disco/bot_tutorial/building_block_plugins.html) section of this tutorial. Creating a basic command is done as follows: Creating commands in Disco is really easy because of the [Plugins](https://b1naryth1ef.github.io/disco/bot_tutorial/building_block_plugins.html) that are a core fundamental of Disco. For more info on them, read back in the [Plugins](https://b1naryth1ef.github.io/disco/bot_tutorial/building_block_plugins.html) section of this tutorial. Creating a basic command is done as follows:
First, create a Plugin class: First, create a Plugin class:
```py ```py
class myPlugin(Plugin): class myPlugin(Plugin):
@ -48,7 +48,7 @@ Here, we added multiple arguments to our command. Namely, number a and number b,
Lets create a tag system, that can either store a tag if you'd use it like this: `!tag name value` or retrieve a tag if you'd use it like this: `!tag name` Lets create a tag system, that can either store a tag if you'd use it like this: `!tag name value` or retrieve a tag if you'd use it like this: `!tag name`
We'll need 2 arguments. A name argument that's required, and an optional value argument. Inside the command we'll check if a `value` is provided. If there is, we'll store the tag. Otherwise, we'll try to retrieve the previously set value for that tag and return it. We'll need 2 arguments. A name argument that's required, and an optional value argument. Inside the command we'll check if a `value` is provided. If there is, we'll store the tag. Otherwise, we'll try to retrieve the previously set value for that tag and return it.
For the sake of this example, we'll asume that the `tags` dict gets stored somewhere so it doesn't get removed after a restart. For the sake of this example, we'll assume that the `tags` dict gets stored somewhere so it doesn't get removed after a restart.
```py ```py
tags = {} tags = {}

2
docs/bot_tutorial/building_block_listeners.md

@ -12,7 +12,7 @@ def on_message_create(self, event):
self.log.debug('Got message: %s', event.message) self.log.debug('Got message: %s', event.message)
``` ```
Ok, but what if we want to make a listener which welcomes new users to our server? Well thats also easy: Ok, but what if we want to make a listener which welcomes new users to our server? Well that's also easy:
```py ```py
@Plugin.listen('GuildMemberAdd') @Plugin.listen('GuildMemberAdd')

2
docs/bot_tutorial/message_embeds.md

@ -46,7 +46,7 @@ embed.set_footer(text='Disco Message Embeds tutorial')
embed.color = '10038562' #This can be any color, but I chose a nice dark red tint embed.color = '10038562' #This can be any color, but I chose a nice dark red tint
``` ```
Once your embed is finshed, you can send it using the `channel.send_message()` message or the `event.msg.reply()` function. Once your embed is finished, you can send it using the `channel.send_message()` message or the `event.msg.reply()` function.
With `channel.send_message()`: With `channel.send_message()`:
```py ```py
self.state.channels.get(<ChannelID>).send_message('[optional text]', embed=embed) self.state.channels.get(<ChannelID>).send_message('[optional text]', embed=embed)

3
setup.py

@ -28,10 +28,11 @@ setup(
author='b1nzy', author='b1nzy',
url='https://github.com/b1naryth1ef/disco', url='https://github.com/b1naryth1ef/disco',
version=VERSION, version=VERSION,
packages=find_packages(), packages=find_packages(include=['disco*']),
license='MIT', license='MIT',
description='A Python library for Discord', description='A Python library for Discord',
long_description=readme, long_description=readme,
long_description_content_type="text/markdown",
include_package_data=True, include_package_data=True,
install_requires=requirements, install_requires=requirements,
extras_require=extras_require, extras_require=extras_require,

Loading…
Cancel
Save