diff options
| -rw-r--r-- | bot/__main__.py | 1 | ||||
| -rw-r--r-- | bot/cogs/slowmode.py | 86 | ||||
| -rw-r--r-- | bot/converters.py | 22 | 
3 files changed, 105 insertions, 4 deletions
| diff --git a/bot/__main__.py b/bot/__main__.py index 4e0d4a111..bbd9c9144 100644 --- a/bot/__main__.py +++ b/bot/__main__.py @@ -62,6 +62,7 @@ bot.load_extension("bot.cogs.off_topic_names")  bot.load_extension("bot.cogs.reddit")  bot.load_extension("bot.cogs.reminders")  bot.load_extension("bot.cogs.site") +bot.load_extension("bot.cogs.slowmode")  bot.load_extension("bot.cogs.snekbox")  bot.load_extension("bot.cogs.stats")  bot.load_extension("bot.cogs.sync") diff --git a/bot/cogs/slowmode.py b/bot/cogs/slowmode.py new file mode 100644 index 000000000..ec5e9cc0d --- /dev/null +++ b/bot/cogs/slowmode.py @@ -0,0 +1,86 @@ +import logging +from datetime import datetime + +from dateutil.relativedelta import relativedelta +from discord import TextChannel +from discord.ext.commands import Cog, Context, group + +from bot.bot import Bot +from bot.constants import Emojis, MODERATION_ROLES +from bot.converters import DurationDelta +from bot.decorators import with_role_check +from bot.utils import time + +log = logging.getLogger(__name__) + + +class Slowmode(Cog): +    """Commands for getting and setting slowmode delays of text channels.""" + +    def __init__(self, bot: Bot) -> None: +        self.bot = bot + +    @group(name='slowmode', aliases=['sm'], invoke_without_command=True) +    async def slowmode_group(self, ctx: Context) -> None: +        """Get and set the slowmode delay for a given text channel.""" +        await ctx.send_help(ctx.command) + +    @slowmode_group.command(name='get', aliases=['g']) +    async def get_slowmode(self, ctx: Context, channel: TextChannel) -> None: +        """Get the slowmode delay for a given text channel.""" +        delay = relativedelta(seconds=channel.slowmode_delay) + +        # Say "0 seconds" instead of "less than a second" +        if channel.slowmode_delay == 0: +            humanized_delay = '0 seconds' +        else: +            humanized_delay = time.humanize_delta(delay) + +        await ctx.send(f'The slowmode delay for {channel.mention} is {humanized_delay}.') + +    @slowmode_group.command(name='set', aliases=['s']) +    async def set_slowmode(self, ctx: Context, channel: TextChannel, delay: DurationDelta) -> None: +        """Set the slowmode delay for a given text channel.""" +        # Convert `dateutil.relativedelta.relativedelta` to `datetime.timedelta` +        # Must do this to get the delta in a particular unit of time +        utcnow = datetime.utcnow() +        slowmode_delay = (utcnow + delay - utcnow).total_seconds() + +        humanized_delay = time.humanize_delta(delay) + +        if 0 <= slowmode_delay <= 21600: +            log.info(f'{ctx.author} set the slowmode delay for #{channel} to {humanized_delay}.') + +            await channel.edit(slowmode_delay=slowmode_delay) +            await ctx.send( +                f'{Emojis.check_mark} The slowmode delay for {channel.mention} is now {humanized_delay}.' +            ) + +        else: +            log.info( +                f'{ctx.author} tried to set the slowmode delay of #{channel} to {humanized_delay}, ' +                'which is not between 0 and 6 hours.' +            ) + +            await ctx.send( +                f'{Emojis.cross_mark} The slowmode delay must be between 0 and 6 hours.' +            ) + +    @slowmode_group.command(name='reset', aliases=['r']) +    async def reset_slowmode(self, ctx: Context, channel: TextChannel) -> None: +        """Reset the slowmode delay for a given text channel to 0 seconds.""" +        log.info(f'{ctx.author} reset the slowmode delay for #{channel} to 0 seconds.') + +        await channel.edit(slowmode_delay=0) +        await ctx.send( +            f'{Emojis.check_mark} The slowmode delay for {channel.mention} has been reset to 0 seconds.' +        ) + +    def cog_check(self, ctx: Context) -> bool: +        """Only allow moderators to invoke the commands in this cog.""" +        return with_role_check(ctx, *MODERATION_ROLES) + + +def setup(bot: Bot) -> None: +    """Load the Slowmode cog.""" +    bot.add_cog(Slowmode(bot)) diff --git a/bot/converters.py b/bot/converters.py index 4deb59f87..898822165 100644 --- a/bot/converters.py +++ b/bot/converters.py @@ -181,8 +181,8 @@ class TagContentConverter(Converter):          return tag_content -class Duration(Converter): -    """Convert duration strings into UTC datetime.datetime objects.""" +class DurationDelta(Converter): +    """Convert duration strings into dateutil.relativedelta.relativedelta objects."""      duration_parser = re.compile(          r"((?P<years>\d+?) ?(years|year|Y|y) ?)?" @@ -194,9 +194,9 @@ class Duration(Converter):          r"((?P<seconds>\d+?) ?(seconds|second|S|s))?"      ) -    async def convert(self, ctx: Context, duration: str) -> datetime: +    async def convert(self, ctx: Context, duration: str) -> relativedelta:          """ -        Converts a `duration` string to a datetime object that's `duration` in the future. +        Converts a `duration` string to a relativedelta object.          The converter supports the following symbols for each unit of time:          - years: `Y`, `y`, `year`, `years` @@ -215,6 +215,20 @@ class Duration(Converter):          duration_dict = {unit: int(amount) for unit, amount in match.groupdict(default=0).items()}          delta = relativedelta(**duration_dict) + +        return delta + + +class Duration(DurationDelta): +    """Convert duration strings into UTC datetime.datetime objects.""" + +    async def convert(self, ctx: Context, duration: str) -> datetime: +        """ +        Converts a `duration` string to a datetime object that's `duration` in the future. + +        The converter supports the same symbols for each unit of time as its parent class. +        """ +        delta = await super().convert(ctx, duration)          now = datetime.utcnow()          try: | 
