EmoteManager/cogs/emote.py

323 lines
10 KiB
Python
Raw Normal View History

2018-07-30 04:04:20 +00:00
#!/usr/bin/env python3
# encoding: utf-8
import io
import imghdr
import asyncio
import logging
2018-07-30 05:43:30 +00:00
import weakref
import traceback
import contextlib
2018-08-01 01:46:21 +00:00
import urllib.parse
2018-08-17 05:34:31 +00:00
import aioec
import aiohttp
import discord
2018-07-30 04:04:20 +00:00
from discord.ext import commands
import utils
2018-07-30 05:26:15 +00:00
import utils.image
from utils import errors
2018-07-30 05:43:30 +00:00
from utils.paginator import ListPaginator
2018-07-31 10:13:54 +00:00
logger = logging.getLogger(__name__)
2018-07-30 04:42:27 +00:00
class Emotes:
2018-07-30 04:04:20 +00:00
def __init__(self, bot):
self.bot = bot
self.http = aiohttp.ClientSession(loop=self.bot.loop, read_timeout=30, headers={
'User-Agent':
self.bot.config['user_agent'] + ' '
+ self.bot.http.user_agent
})
2018-08-17 05:34:31 +00:00
self.aioec = aioec.Client(loop=self.bot.loop)
2018-07-30 05:43:30 +00:00
# keep track of paginators so we can end them when the cog is unloaded
self.paginators = weakref.WeakSet()
def __unload(self):
self.bot.loop.create_task(self.http.close())
2018-08-17 05:34:31 +00:00
self.bot.loop.create_task(self.aioec.close())
2018-07-30 05:43:30 +00:00
async def stop_all_paginators():
for paginator in self.paginators:
await paginator.stop()
self.bot.loop.create_task(stop_all_paginators())
2018-07-30 04:04:20 +00:00
async def __local_check(self, context):
2018-09-07 21:50:17 +00:00
if not context.guild or not isinstance(context.author, discord.Member):
raise commands.NoPrivateMessage
2018-08-12 02:08:23 +00:00
if context.command is self.list:
return True
2018-11-09 18:32:04 +00:00
if context.command is self.list:
return True
if (
not context.author.guild_permissions.manage_emojis
or not context.guild.me.guild_permissions.manage_emojis
):
raise errors.MissingManageEmojisPermission
return True
async def on_command_error(self, context, error):
if isinstance(error, (errors.EmoteManagerError, errors.MissingManageEmojisPermission)):
await context.send(str(error))
2018-07-30 04:04:20 +00:00
if isinstance(error, commands.NoPrivateMessage):
await context.send(
2018-08-22 15:27:35 +00:00
f'{utils.SUCCESS_EMOJIS[False]} Sorry, this command may only be used in a server.')
2018-10-09 06:07:52 +00:00
@commands.command(usage='[name] <image URL or custom emote>')
async def add(self, context, *args):
2018-07-30 05:57:47 +00:00
"""Add a new emote to this server.
You can use it like this:
`add :thonkang:` (if you already have that emote)
`add rollsafe https://image.noelshack.com/fichiers/2017/06/1486495269-rollsafe.png`
`add speedtest <https://cdn.discordapp.com/emojis/379127000398430219.png>`
With a file attachment:
`add name` will upload a new emote using the first attachment as the image and call it `name`
`add` will upload a new emote using the first attachment as the image,
and its filename as the name
"""
name, url = self.parse_add_command_args(context, args)
async with context.typing():
message = await self.add_safe(context.guild, name, url, context.message.author.id)
await context.send(message)
@classmethod
def parse_add_command_args(cls, context, args):
if context.message.attachments:
return cls.parse_add_command_attachment(context, args)
elif len(args) == 1:
match = utils.emote.RE_CUSTOM_EMOTE.match(args[0])
if match is None:
raise commands.BadArgument(
'Error: I expected a custom emote as the first argument, '
'but I got something else. '
"If you're trying to add an emote using an image URL, "
'you need to provide a name as the first argument, like this:\n'
'`{}add NAME_HERE URL_HERE`'.format(context.prefix))
else:
animated, name, id = match.groups()
url = utils.emote.url(id, animated=animated)
return name, url
elif len(args) >= 2:
name = args[0]
match = utils.emote.RE_CUSTOM_EMOTE.match(args[1])
if match is None:
url = utils.strip_angle_brackets(args[1])
else:
url = utils.emote.url(match['id'], animated=match['animated'])
return name, url
elif not args:
raise commands.BadArgument('Your message had no emotes and no name!')
@staticmethod
def parse_add_command_attachment(context, args):
attachment = context.message.attachments[0]
# as far as i can tell, this is how discord replaces filenames when you upload an emote image
name = ''.join(args) if args else attachment.filename.split('.')[0].replace(' ', '')
url = attachment.url
return name, url
2018-08-01 01:46:21 +00:00
@commands.command(name='add-from-ec', aliases=['addfromec'])
async def add_from_ec(self, context, name, *names):
"""Copies one or more emotes from Emote Collector to your server.
2018-08-01 01:46:21 +00:00
The list of possible emotes you can copy is here:
2018-09-09 04:16:42 +00:00
https://emote-collector.python-for.life/list
2018-08-01 01:46:21 +00:00
"""
if names:
for name in (name,) + names:
await context.invoke(self.add_from_ec, name)
return
name = name.strip(':')
2018-08-17 05:34:31 +00:00
try:
emote = await self.aioec.emote(name)
except aioec.NotFound:
2018-09-09 04:16:42 +00:00
return await context.send("Emote not found in Emote Collector's database.")
2018-08-17 05:34:31 +00:00
except aioec.HttpException as exception:
return await context.send(
2018-09-09 04:16:42 +00:00
f'Error: the Emote Collector API returned status code {exception.status}')
2018-08-01 01:46:21 +00:00
reason = (
2018-09-09 04:16:42 +00:00
f'Added from Emote Collector by {utils.format_user(self.bot, context.author.id)}. '
2018-08-17 05:34:31 +00:00
f'Original emote author: {utils.format_user(self.bot, emote.author)}')
2018-08-01 01:46:21 +00:00
async with context.typing():
message = await self.add_safe(context.guild, name, utils.emote.url(
2018-08-17 05:34:31 +00:00
emote.id, animated=emote.animated
2018-08-01 01:46:21 +00:00
), context.author.id, reason=reason)
await context.send(message)
async def add_safe(self, guild, name, url, author_id, *, reason=None):
"""Try to add an emote. Returns a string that should be sent to the user."""
try:
2018-08-01 01:46:21 +00:00
emote = await self.add_from_url(guild, name, url, author_id, reason=reason)
except discord.HTTPException as ex:
return (
'An error occurred while creating the emote:\n'
+ utils.format_http_exception(ex))
except asyncio.TimeoutError:
return 'Error: retrieving the image took too long.'
except ValueError:
return 'Error: Invalid URL.'
else:
return f'Emote {emote} successfully created.'
2018-08-01 01:46:21 +00:00
async def add_from_url(self, guild, name, url, author_id, *, reason=None):
image_data = await self.fetch_emote(url)
2018-08-01 01:46:21 +00:00
emote = await self.create_emote_from_bytes(guild, name, author_id, image_data, reason=reason)
return emote
async def fetch_emote(self, url):
# credits to @Liara#0001 (ID 136900814408122368) for most of this part
# https://gitlab.com/Pandentia/element-zero/blob/47bc8eeeecc7d353ec66e1ef5235adab98ca9635/element_zero/cogs/emoji.py#L217-228
async with self.http.head(url, timeout=5) as response:
if response.reason != 'OK':
raise errors.HTTPException(response.status)
if response.headers.get('Content-Type') not in ('image/png', 'image/jpeg', 'image/gif'):
raise errors.InvalidImageError
async with self.http.get(url) as response:
if response.reason != 'OK':
raise errors.HTTPException(response.status)
return io.BytesIO(await response.read())
2018-08-01 01:46:21 +00:00
async def create_emote_from_bytes(self, guild, name, author_id, image_data: io.BytesIO, *, reason=None):
# resize_until_small is normally blocking, because wand is.
# run_in_executor is magic that makes it non blocking somehow.
# also, None as the executor arg means "use the loop's default executor"
2018-07-30 05:26:15 +00:00
image_data = await self.bot.loop.run_in_executor(None, utils.image.resize_until_small, image_data)
2018-08-01 01:46:21 +00:00
if reason is None:
reason = f'Created by {utils.format_user(self.bot, author_id)}'
return await guild.create_custom_emoji(
name=name,
image=image_data.read(),
2018-08-01 01:46:21 +00:00
reason=reason)
2018-08-17 07:13:38 +00:00
@commands.command(aliases=('delete', 'delet', 'rm'))
async def remove(self, context, emote, *emotes):
"""Remove an emote from this server.
emotes: the name of an emote or of one or more emotes you'd like to remove.
"""
if not emotes:
emote = await self.parse_emote(context, emote)
await emote.delete(reason=f'Removed by {utils.format_user(self.bot, context.author.id)}')
await context.send(f'Emote \:{emote.name}: successfully removed.')
else:
for emote in (emote,) + emotes:
await context.invoke(self.remove, emote)
with contextlib.suppress(discord.HTTPException):
2018-08-22 15:27:35 +00:00
await context.message.add_reaction(utils.SUCCESS_EMOJIS[True])
2018-07-30 05:15:09 +00:00
2018-08-17 07:13:38 +00:00
@commands.command(aliases=('mv',))
async def rename(self, context, old, new_name):
2018-07-30 05:57:47 +00:00
"""Rename an emote on this server.
old: the name of the emote to rename, or the emote itself
2018-07-30 05:57:47 +00:00
new_name: what you'd like to rename it to
"""
emote = await self.parse_emote(context, old)
2018-07-30 05:33:13 +00:00
try:
await emote.edit(
name=new_name,
reason=f'Renamed by {utils.format_user(self.bot, context.author.id)}')
except discord.HTTPException as ex:
return await context.send(
'An error occurred while renaming the emote:\n'
+ utils.format_http_exception(ex))
await context.send(f'Emote successfully renamed to \:{new_name}:')
2018-07-30 05:33:13 +00:00
@commands.command(aliases=('ls', 'dir'))
2018-11-09 18:31:32 +00:00
async def list(self, context, animated=''):
2018-07-31 10:13:54 +00:00
"""A list of all emotes on this server.
The list shows each emote and its raw form.
2018-11-09 18:31:32 +00:00
If "animated" is provided, only show animated emotes.
If "static" is provided, only show static emotes.
Otherwise, show all emotes.
2018-07-31 10:13:54 +00:00
"""
2018-11-09 18:31:32 +00:00
animated = animated.lower()
if animated == 'animated':
pred = lambda e: e.animated
elif animated == 'static':
pred = lambda e: not e.animated
else:
pred = lambda e: True
2018-07-30 05:43:30 +00:00
emotes = sorted(
2018-11-09 18:31:32 +00:00
filter(pred, context.guild.emojis),
2018-07-30 05:43:30 +00:00
key=lambda e: e.name.lower())
processed = []
for emote in emotes:
2018-07-31 10:13:54 +00:00
raw = str(emote).replace(':', '\:')
processed.append(f'{emote} {raw}')
2018-07-30 05:43:30 +00:00
paginator = ListPaginator(context, processed)
self.paginators.add(paginator)
await paginator.begin()
async def parse_emote(self, context, name_or_emote):
match = utils.emote.RE_CUSTOM_EMOTE.match(name_or_emote)
if match:
id = int(match.group('id'))
emote = discord.utils.get(context.guild.emojis, id=id)
if emote:
return emote
name = name_or_emote
return await self.disambiguate(context, name)
2018-07-30 05:15:09 +00:00
async def disambiguate(self, context, name):
name = name.strip(':') # in case the user tries :foo: and foo is animated
2018-07-30 05:15:09 +00:00
candidates = [e for e in context.guild.emojis if e.name.lower() == name.lower() and e.require_colons]
if not candidates:
raise errors.EmoteNotFoundError(name)
if len(candidates) == 1:
return candidates[0]
message = ['Multiple emotes were found with that name. Which one do you mean?']
for i, emote in enumerate(candidates, 1):
message.append(f'{i}. {emote} (\:{emote.name}:)')
await context.send('\n'.join(message))
def check(message):
try:
int(message.content)
except ValueError:
return False
else:
return message.author == context.author
try:
message = await self.bot.wait_for('message', check=check, timeout=30)
except asyncio.TimeoutError:
raise commands.UserInputError('Sorry, you took too long. Try again.')
return candidates[int(message.content)-1]
2018-07-30 04:04:20 +00:00
def setup(bot):
2018-07-30 04:42:27 +00:00
bot.add_cog(Emotes(bot))