Browse Source

Python 3, various other tweaks/fixes

pull/3/head
Andrei 9 years ago
parent
commit
586d2d183f
  1. 1
      disco/api/http.py
  2. 2
      disco/bot/bot.py
  3. 4
      disco/bot/parser.py
  4. 6
      disco/bot/plugin.py
  5. 4
      disco/cli.py
  6. 2
      disco/gateway/client.py
  7. 6
      disco/state.py
  8. 4
      disco/types/base.py
  9. 12
      disco/types/message.py
  10. 5
      disco/util/__init__.py
  11. 4
      disco/util/json.py
  12. 21
      examples/basic_plugin.py
  13. 2
      requirements.txt

1
disco/api/http.py

@ -124,7 +124,6 @@ class HTTPClient(LoggingClass):
# Make the actual request # Make the actual request
url = self.BASE_URL + route[1].format(**args) url = self.BASE_URL + route[1].format(**args)
print route[0].value, url, kwargs
r = requests.request(route[0].value, url, **kwargs) r = requests.request(route[0].value, url, **kwargs)
# Update rate limiter # Update rate limiter

2
disco/bot/bot.py

@ -55,7 +55,7 @@ class Bot(object):
@property @property
def commands(self): def commands(self):
for plugin in self.plugins.values(): for plugin in self.plugins.values():
for command in plugin.commands: for command in plugin.commands.values():
yield command yield command
def compute_command_matches_re(self): def compute_command_matches_re(self):

4
disco/bot/parser.py

@ -74,7 +74,7 @@ class ArgumentSet(object):
parsed = [] parsed = []
for index, arg in enumerate(self.args): for index, arg in enumerate(self.args):
if not arg.required and index + arg.true_count <= len(rawargs): if not arg.required and index + arg.true_count > len(rawargs):
continue continue
if arg.count == 0: if arg.count == 0:
@ -94,7 +94,7 @@ class ArgumentSet(object):
if arg.count == 1: if arg.count == 1:
raw = raw[0] raw = raw[0]
if not arg.types or arg.types == ['str'] and isinstance(raw, list): if (not arg.types or arg.types == ['str']) and isinstance(raw, list):
raw = ' '.join(raw) raw = ' '.join(raw)
parsed.append(raw) parsed.append(raw)

6
disco/bot/plugin.py

@ -66,7 +66,7 @@ class Plugin(LoggingClass, PluginDeco):
self.config = config self.config = config
self.listeners = [] self.listeners = []
self.commands = [] self.commands = {}
self._pre = {'command': [], 'listener': []} self._pre = {'command': [], 'listener': []}
self._post = {'command': [], 'listener': []} self._post = {'command': [], 'listener': []}
@ -111,8 +111,8 @@ class Plugin(LoggingClass, PluginDeco):
self.listeners.append(self.bot.client.events.on(name, func)) self.listeners.append(self.bot.client.events.on(name, func))
def register_command(self, func, *args, **kwargs): def register_command(self, func, *args, **kwargs):
func = functools.partial(self._dispatch, 'command', func) wrapped = functools.partial(self._dispatch, 'command', func)
self.commands.append(Command(self, func, *args, **kwargs)) self.commands[func.__name__] = Command(self, func, *args, **kwargs)
def destroy(self): def destroy(self):
map(lambda k: k.remove(), self._events) map(lambda k: k.remove(), self._events)

4
disco/cli.py

@ -1,3 +1,5 @@
from __future__ import print_function
import logging import logging
import argparse import argparse
@ -16,7 +18,7 @@ def disco_main():
from disco.util.token import is_valid_token from disco.util.token import is_valid_token
if not is_valid_token(args.token): if not is_valid_token(args.token):
print 'Invalid token passed' print('Invalid token passed')
return return
from disco.client import DiscoClient from disco.client import DiscoClient

2
disco/gateway/client.py

@ -106,7 +106,7 @@ class GatewayClient(LoggingClass):
def on_message(self, ws, msg): def on_message(self, ws, msg):
# Detect zlib and decompress # Detect zlib and decompress
if msg[0] != '{': if msg[0] != '{':
msg = zlib.decompress(msg, 15, TEN_MEGABYTES) msg = zlib.decompress(msg, 15, TEN_MEGABYTES).decode("utf-8")
try: try:
data = loads(msg) data = loads(msg)

6
disco/state.py

@ -38,6 +38,9 @@ class State(object):
self.client.events.on('GuildUpdate', self.on_guild_update) self.client.events.on('GuildUpdate', self.on_guild_update)
self.client.events.on('GuildDelete', self.on_guild_delete) self.client.events.on('GuildDelete', self.on_guild_delete)
# TODO: guild members
# TODO: guild roles
# Channels # Channels
self.client.events.on('ChannelCreate', self.on_channel_create) self.client.events.on('ChannelCreate', self.on_channel_create)
self.client.events.on('ChannelUpdate', self.on_channel_update) self.client.events.on('ChannelUpdate', self.on_channel_update)
@ -80,6 +83,9 @@ class State(object):
self.guilds[event.guild.id] = event.guild self.guilds[event.guild.id] = event.guild
self.channels.update(event.guild.channels) self.channels.update(event.guild.channels)
for member in event.guild.members.values():
self.users[member.user.id] = member.user
def on_guild_update(self, event): def on_guild_update(self, event):
self.guilds[event.guild.id].update(event.guild) self.guilds[event.guild.id].update(event.guild)

4
disco/types/base.py

@ -5,9 +5,6 @@ from disco.util import skema_find_recursive_by_type
class BaseType(skema.Model): class BaseType(skema.Model):
def on_create(self):
pass
def update(self, other): def update(self, other):
for name, field in other.__class__._fields.items(): for name, field in other.__class__._fields.items():
value = getattr(other, name) value = getattr(other, name)
@ -25,7 +22,6 @@ class BaseType(skema.Model):
item.client = client item.client = client
obj.client = client obj.client = client
obj.on_create()
return obj return obj
@classmethod @classmethod

12
disco/types/message.py

@ -1,11 +1,11 @@
import re import re
import skema import skema
from disco.util import to_snowflake
from disco.util.cache import cached_property from disco.util.cache import cached_property
from disco.util.types import PreHookType, ListToDictType from disco.util.types import PreHookType, ListToDictType
from disco.types.base import BaseType from disco.types.base import BaseType
from disco.types.user import User from disco.types.user import User
from disco.types.guild import Role
class MessageEmbed(BaseType): class MessageEmbed(BaseType):
@ -65,14 +65,8 @@ class Message(BaseType):
return self.client.api.channels_messages_delete(self.channel_id, self.id) return self.client.api.channels_messages_delete(self.channel_id, self.id)
def is_mentioned(self, entity): def is_mentioned(self, entity):
if isinstance(entity, User): id = to_snowflake(entity)
return entity.id in self.mentions return id in self.mentions or id in self.mention_roles
elif isinstance(entity, Role):
return entity.id in self.mention_roles
elif isinstance(entity, long):
return entity in self.mentions or entity in self.mention_roles
else:
raise Exception('Unknown entity: {} ({})'.format(entity, type(entity)))
@cached_property @cached_property
def without_mentions(self): def without_mentions(self):

5
disco/util/__init__.py

@ -1,11 +1,12 @@
import six
import skema import skema
def to_snowflake(i): def to_snowflake(i):
if isinstance(i, long): if isinstance(i, six.integer_types):
return i return i
elif isinstance(i, str): elif isinstance(i, str):
return long(i) return int(i)
elif hasattr(i, 'id'): elif hasattr(i, 'id'):
return i.id return i.id

4
disco/util/json.py

@ -1,11 +1,11 @@
from __future__ import absolute_import from __future__ import absolute_import, print_function
from json import dumps from json import dumps
try: try:
from rapidjson import loads from rapidjson import loads
except ImportError: except ImportError:
print '[WARNING] rapidjson not installed, falling back to default Python JSON parser' print('[WARNING] rapidjson not installed, falling back to default Python JSON parser')
from json import loads from json import loads
__all__ = ['dumps', 'loads'] __all__ = ['dumps', 'loads']

21
examples/basic_plugin.py

@ -1,5 +1,7 @@
import gevent import gevent
import sys
from disco import VERSION
from disco.cli import disco_main from disco.cli import disco_main
from disco.bot import Bot from disco.bot import Bot
from disco.bot.plugin import Plugin from disco.bot.plugin import Plugin
@ -12,6 +14,24 @@ class BasicPlugin(Plugin):
event.message.author.username, event.message.author.username,
event.message.content)) event.message.content))
@Plugin.command('status', '[component]')
def on_status_command(self, event, component=None):
if component == 'state':
parts = []
parts.append('Guilds: {}'.format(len(self.state.guilds)))
parts.append('Channels: {}'.format(len(self.state.channels)))
parts.append('Users: {}'.format(len(self.state.users)))
event.msg.reply('State Information: ```\n{}\n```'.format('\n'.join(parts)))
return
event.msg.reply('Disco v{} running on Python {}.{}.{}'.format(
VERSION,
sys.version_info.major,
sys.version_info.minor,
sys.version_info.micro,
))
@Plugin.command('echo', '<content:str...>') @Plugin.command('echo', '<content:str...>')
def on_test_command(self, event, content): def on_test_command(self, event, content):
event.msg.reply(content) event.msg.reply(content)
@ -38,7 +58,6 @@ class BasicPlugin(Plugin):
pin_count = len(event.channel.get_pins()) pin_count = len(event.channel.get_pins())
msg_count = 0 msg_count = 0
print event.channel.messages_iter(bulk=True)
for msgs in event.channel.messages_iter(bulk=True): for msgs in event.channel.messages_iter(bulk=True):
msg_count += len(msgs) msg_count += len(msgs)

2
requirements.txt

@ -6,7 +6,7 @@ enum34==1.1.6
Flask==0.11.1 Flask==0.11.1
gevent==1.1.2 gevent==1.1.2
greenlet==0.4.10 greenlet==0.4.10
# holster==0.0.7 holster==1.0.0
idna==2.1 idna==2.1
inflection==0.3.1 inflection==0.3.1
ipaddress==1.0.17 ipaddress==1.0.17

Loading…
Cancel
Save