diff options
| -rw-r--r-- | bot/cogs/bot.py | 4 | ||||
| -rw-r--r-- | bot/cogs/clean.py | 2 | ||||
| -rw-r--r-- | bot/cogs/defcon.py | 2 | ||||
| -rw-r--r-- | bot/cogs/error_handler.py | 31 | ||||
| -rw-r--r-- | bot/cogs/eval.py | 2 | ||||
| -rw-r--r-- | bot/cogs/extensions.py | 8 | ||||
| -rw-r--r-- | bot/cogs/moderation/management.py | 2 | ||||
| -rw-r--r-- | bot/cogs/off_topic_names.py | 2 | ||||
| -rw-r--r-- | bot/cogs/python_news.py | 6 | ||||
| -rw-r--r-- | bot/cogs/reddit.py | 10 | ||||
| -rw-r--r-- | bot/cogs/reminders.py | 2 | ||||
| -rw-r--r-- | bot/cogs/site.py | 2 | ||||
| -rw-r--r-- | bot/cogs/snekbox.py | 23 | ||||
| -rw-r--r-- | bot/cogs/stats.py | 17 | ||||
| -rw-r--r-- | bot/cogs/utils.py | 2 | ||||
| -rw-r--r-- | bot/cogs/watchchannels/bigbrother.py | 2 | ||||
| -rw-r--r-- | bot/cogs/watchchannels/talentpool.py | 4 | ||||
| -rw-r--r-- | bot/resources/tags/mutability.md | 37 | ||||
| -rw-r--r-- | config-default.yml | 2 | ||||
| -rw-r--r-- | tests/bot/cogs/test_snekbox.py | 11 | 
20 files changed, 127 insertions, 44 deletions
| diff --git a/bot/cogs/bot.py b/bot/cogs/bot.py index a6929b431..a79b37d25 100644 --- a/bot/cogs/bot.py +++ b/bot/cogs/bot.py @@ -41,7 +41,7 @@ class BotCog(Cog, name="Bot"):      @with_role(Roles.verified)      async def botinfo_group(self, ctx: Context) -> None:          """Bot informational commands.""" -        await ctx.invoke(self.bot.get_command("help"), "bot") +        await ctx.send_help(ctx.command)      @botinfo_group.command(name='about', aliases=('info',), hidden=True)      @with_role(Roles.verified) @@ -326,6 +326,8 @@ class BotCog(Cog, name="Bot"):                              log.trace("The code consists only of expressions, not sending instructions")                      if howto != "": +                        # Increase amount of codeblock correction in stats +                        self.bot.stats.incr("codeblock_corrections")                          howto_embed = Embed(description=howto)                          bot_message = await msg.channel.send(f"Hey {msg.author.mention}!", embed=howto_embed)                          self.codeblock_message_ids[msg.id] = bot_message.id diff --git a/bot/cogs/clean.py b/bot/cogs/clean.py index 5cdf0b048..b5d9132cb 100644 --- a/bot/cogs/clean.py +++ b/bot/cogs/clean.py @@ -180,7 +180,7 @@ class Clean(Cog):      @with_role(*MODERATION_ROLES)      async def clean_group(self, ctx: Context) -> None:          """Commands for cleaning messages in channels.""" -        await ctx.invoke(self.bot.get_command("help"), "clean") +        await ctx.send_help(ctx.command)      @clean_group.command(name="user", aliases=["users"])      @with_role(*MODERATION_ROLES) diff --git a/bot/cogs/defcon.py b/bot/cogs/defcon.py index f4cb0aa58..4c0ad5914 100644 --- a/bot/cogs/defcon.py +++ b/bot/cogs/defcon.py @@ -122,7 +122,7 @@ class Defcon(Cog):      @with_role(Roles.admins, Roles.owners)      async def defcon_group(self, ctx: Context) -> None:          """Check the DEFCON status or run a subcommand.""" -        await ctx.invoke(self.bot.get_command("help"), "defcon") +        await ctx.send_help(ctx.command)      async def _defcon_action(self, ctx: Context, days: int, action: Action) -> None:          """Providing a structured way to do an defcon action.""" diff --git a/bot/cogs/error_handler.py b/bot/cogs/error_handler.py index 16790c769..e635bd46f 100644 --- a/bot/cogs/error_handler.py +++ b/bot/cogs/error_handler.py @@ -2,7 +2,7 @@ import contextlib  import logging  import typing as t -from discord.ext.commands import Cog, Command, Context, errors +from discord.ext.commands import Cog, Context, errors  from sentry_sdk import push_scope  from bot.api import ResponseCodeError @@ -79,19 +79,13 @@ class ErrorHandler(Cog):              f"{e.__class__.__name__}: {e}"          ) -    async def get_help_command(self, command: t.Optional[Command]) -> t.Tuple: -        """Return the help command invocation args to display help for `command`.""" -        parent = None -        if command is not None: -            parent = command.parent - -        # Retrieve the help command for the invoked command. -        if parent and command: -            return self.bot.get_command("help"), parent.name, command.name -        elif command: -            return self.bot.get_command("help"), command.name -        else: -            return self.bot.get_command("help") +    @staticmethod +    def get_help_command(ctx: Context) -> t.Coroutine: +        """Return a prepared `help` command invocation coroutine.""" +        if ctx.command: +            return ctx.send_help(ctx.command) + +        return ctx.send_help()      async def try_silence(self, ctx: Context) -> bool:          """ @@ -165,12 +159,11 @@ class ErrorHandler(Cog):          * ArgumentParsingError: send an error message          * Other: send an error message and the help command          """ -        # TODO: use ctx.send_help() once PR #519 is merged. -        help_command = await self.get_help_command(ctx.command) +        prepared_help_command = self.get_help_command(ctx)          if isinstance(e, errors.MissingRequiredArgument):              await ctx.send(f"Missing required argument `{e.param.name}`.") -            await ctx.invoke(*help_command) +            await prepared_help_command              self.bot.stats.incr("errors.missing_required_argument")          elif isinstance(e, errors.TooManyArguments):              await ctx.send("Too many arguments provided.") @@ -178,7 +171,7 @@ class ErrorHandler(Cog):              self.bot.stats.incr("errors.too_many_arguments")          elif isinstance(e, errors.BadArgument):              await ctx.send(f"Bad argument: {e}\n") -            await ctx.invoke(*help_command) +            await prepared_help_command              self.bot.stats.incr("errors.bad_argument")          elif isinstance(e, errors.BadUnionArgument):              await ctx.send(f"Bad argument: {e}\n```{e.errors[-1]}```") @@ -188,7 +181,7 @@ class ErrorHandler(Cog):              self.bot.stats.incr("errors.argument_parsing_error")          else:              await ctx.send("Something about your input seems off. Check the arguments:") -            await ctx.invoke(*help_command) +            await prepared_help_command              self.bot.stats.incr("errors.other_user_input_error")      @staticmethod diff --git a/bot/cogs/eval.py b/bot/cogs/eval.py index 52136fc8d..eb8bfb1cf 100644 --- a/bot/cogs/eval.py +++ b/bot/cogs/eval.py @@ -178,7 +178,7 @@ async def func():  # (None,) -> Any      async def internal_group(self, ctx: Context) -> None:          """Internal commands. Top secret!"""          if not ctx.invoked_subcommand: -            await ctx.invoke(self.bot.get_command("help"), "internal") +            await ctx.send_help(ctx.command)      @internal_group.command(name='eval', aliases=('e',))      @with_role(Roles.admins, Roles.owners) diff --git a/bot/cogs/extensions.py b/bot/cogs/extensions.py index fb6cd9aa3..365f198ff 100644 --- a/bot/cogs/extensions.py +++ b/bot/cogs/extensions.py @@ -65,7 +65,7 @@ class Extensions(commands.Cog):      @group(name="extensions", aliases=("ext", "exts", "c", "cogs"), invoke_without_command=True)      async def extensions_group(self, ctx: Context) -> None:          """Load, unload, reload, and list loaded extensions.""" -        await ctx.invoke(self.bot.get_command("help"), "extensions") +        await ctx.send_help(ctx.command)      @extensions_group.command(name="load", aliases=("l",))      async def load_command(self, ctx: Context, *extensions: Extension) -> None: @@ -75,7 +75,7 @@ class Extensions(commands.Cog):          If '\*' or '\*\*' is given as the name, all unloaded extensions will be loaded.          """  # noqa: W605          if not extensions: -            await ctx.invoke(self.bot.get_command("help"), "extensions load") +            await ctx.send_help(ctx.command)              return          if "*" in extensions or "**" in extensions: @@ -92,7 +92,7 @@ class Extensions(commands.Cog):          If '\*' or '\*\*' is given as the name, all loaded extensions will be unloaded.          """  # noqa: W605          if not extensions: -            await ctx.invoke(self.bot.get_command("help"), "extensions unload") +            await ctx.send_help(ctx.command)              return          blacklisted = "\n".join(UNLOAD_BLACKLIST & set(extensions)) @@ -118,7 +118,7 @@ class Extensions(commands.Cog):          If '\*\*' is given as the name, all extensions, including unloaded ones, will be reloaded.          """  # noqa: W605          if not extensions: -            await ctx.invoke(self.bot.get_command("help"), "extensions reload") +            await ctx.send_help(ctx.command)              return          if "**" in extensions: diff --git a/bot/cogs/moderation/management.py b/bot/cogs/moderation/management.py index 82ec6b0d9..7af3df463 100644 --- a/bot/cogs/moderation/management.py +++ b/bot/cogs/moderation/management.py @@ -43,7 +43,7 @@ class ModManagement(commands.Cog):      @commands.group(name='infraction', aliases=('infr', 'infractions', 'inf'), invoke_without_command=True)      async def infraction_group(self, ctx: Context) -> None:          """Infraction manipulation commands.""" -        await ctx.invoke(self.bot.get_command("help"), "infraction") +        await ctx.send_help(ctx.command)      @infraction_group.command(name='edit')      async def infraction_edit( diff --git a/bot/cogs/off_topic_names.py b/bot/cogs/off_topic_names.py index 81511f99d..201579a0b 100644 --- a/bot/cogs/off_topic_names.py +++ b/bot/cogs/off_topic_names.py @@ -97,7 +97,7 @@ class OffTopicNames(Cog):      @with_role(*MODERATION_ROLES)      async def otname_group(self, ctx: Context) -> None:          """Add or list items from the off-topic channel name rotation.""" -        await ctx.invoke(self.bot.get_command("help"), "otname") +        await ctx.send_help(ctx.command)      @otname_group.command(name='add', aliases=('a',))      @with_role(*MODERATION_ROLES) diff --git a/bot/cogs/python_news.py b/bot/cogs/python_news.py index 57ce61638..d28af4a0b 100644 --- a/bot/cogs/python_news.py +++ b/bot/cogs/python_news.py @@ -109,6 +109,9 @@ class PythonNews(Cog):              )              payload["data"]["pep"].append(pep_nr) +            # Increase overall PEP new stat +            self.bot.stats.incr("python_news.posted.pep") +              if msg.channel.is_news():                  log.trace("Publishing PEP annnouncement because it was in a news channel")                  await msg.publish() @@ -168,6 +171,9 @@ class PythonNews(Cog):                  )                  payload["data"][maillist].append(thread_information["thread_id"]) +                # Increase this specific maillist counter in stats +                self.bot.stats.incr(f"python_news.posted.{maillist.replace('-', '_')}") +                  if msg.channel.is_news():                      log.trace("Publishing mailing list message because it was in a news channel")                      await msg.publish() diff --git a/bot/cogs/reddit.py b/bot/cogs/reddit.py index 5a7fa100f..3b77538a0 100644 --- a/bot/cogs/reddit.py +++ b/bot/cogs/reddit.py @@ -218,7 +218,10 @@ class Reddit(Cog):          for subreddit in RedditConfig.subreddits:              top_posts = await self.get_top_posts(subreddit=subreddit, time="day") -            await self.webhook.send(username=f"{subreddit} Top Daily Posts", embed=top_posts) +            message = await self.webhook.send(username=f"{subreddit} Top Daily Posts", embed=top_posts, wait=True) + +            if message.channel.is_news(): +                await message.publish()      async def top_weekly_posts(self) -> None:          """Post a summary of the top posts.""" @@ -242,10 +245,13 @@ class Reddit(Cog):                  await message.pin() +                if message.channel.is_news(): +                    await message.publish() +      @group(name="reddit", invoke_without_command=True)      async def reddit_group(self, ctx: Context) -> None:          """View the top posts from various subreddits.""" -        await ctx.invoke(self.bot.get_command("help"), "reddit") +        await ctx.send_help(ctx.command)      @reddit_group.command(name="top")      async def top_command(self, ctx: Context, subreddit: Subreddit = "r/Python") -> None: diff --git a/bot/cogs/reminders.py b/bot/cogs/reminders.py index 8b6457cbb..c242d2920 100644 --- a/bot/cogs/reminders.py +++ b/bot/cogs/reminders.py @@ -281,7 +281,7 @@ class Reminders(Scheduler, Cog):      @remind_group.group(name="edit", aliases=("change", "modify"), invoke_without_command=True)      async def edit_reminder_group(self, ctx: Context) -> None:          """Commands for modifying your current reminders.""" -        await ctx.invoke(self.bot.get_command("help"), "reminders", "edit") +        await ctx.send_help(ctx.command)      @edit_reminder_group.command(name="duration", aliases=("time",))      async def edit_reminder_duration(self, ctx: Context, id_: int, expiration: Duration) -> None: diff --git a/bot/cogs/site.py b/bot/cogs/site.py index 853e29568..7fc2a9c34 100644 --- a/bot/cogs/site.py +++ b/bot/cogs/site.py @@ -21,7 +21,7 @@ class Site(Cog):      @group(name="site", aliases=("s",), invoke_without_command=True)      async def site_group(self, ctx: Context) -> None:          """Commands for getting info about our website.""" -        await ctx.invoke(self.bot.get_command("help"), "site") +        await ctx.send_help(ctx.command)      @site_group.command(name="home", aliases=("about",))      async def site_main(self, ctx: Context) -> None: diff --git a/bot/cogs/snekbox.py b/bot/cogs/snekbox.py index 8d4688114..a2a7574d4 100644 --- a/bot/cogs/snekbox.py +++ b/bot/cogs/snekbox.py @@ -47,6 +47,7 @@ EVAL_ROLES = (Roles.helpers, Roles.moderators, Roles.admins, Roles.owners, Roles  SIGKILL = 9  REEVAL_EMOJI = '\U0001f501'  # :repeat: +REEVAL_TIMEOUT = 30  class Snekbox(Cog): @@ -205,6 +206,12 @@ class Snekbox(Cog):              if paste_link:                  msg = f"{msg}\nFull output: {paste_link}" +            # Collect stats of eval fails + successes +            if icon == ":x:": +                self.bot.stats.incr("snekbox.python.fail") +            else: +                self.bot.stats.incr("snekbox.python.success") +              response = await ctx.send(msg)              self.bot.loop.create_task(                  wait_for_deletion(response, user_ids=(ctx.author.id,), client=ctx.bot) @@ -227,7 +234,7 @@ class Snekbox(Cog):                  _, new_message = await self.bot.wait_for(                      'message_edit',                      check=_predicate_eval_message_edit, -                    timeout=10 +                    timeout=REEVAL_TIMEOUT                  )                  await ctx.message.add_reaction(REEVAL_EMOJI)                  await self.bot.wait_for( @@ -289,9 +296,21 @@ class Snekbox(Cog):              return          if not code:  # None or empty string -            await ctx.invoke(self.bot.get_command("help"), "eval") +            await ctx.send_help(ctx.command)              return +        if Roles.helpers in (role.id for role in ctx.author.roles): +            self.bot.stats.incr("snekbox_usages.roles.helpers") +        else: +            self.bot.stats.incr("snekbox_usages.roles.developers") + +        if ctx.channel.category_id == Categories.help_in_use: +            self.bot.stats.incr("snekbox_usages.channels.help") +        elif ctx.channel.id == Channels.bot_commands: +            self.bot.stats.incr("snekbox_usages.channels.bot_commands") +        else: +            self.bot.stats.incr("snekbox_usages.channels.topical") +          log.info(f"Received code from {ctx.author} for evaluation:\n{code}")          while True: diff --git a/bot/cogs/stats.py b/bot/cogs/stats.py index e088c2b87..b55497e68 100644 --- a/bot/cogs/stats.py +++ b/bot/cogs/stats.py @@ -2,8 +2,10 @@ import string  from datetime import datetime  from discord import Member, Message, Status -from discord.ext.commands import Bot, Cog, Context +from discord.ext.commands import Cog, Context +from discord.ext.tasks import loop +from bot.bot import Bot  from bot.constants import Channels, Guild, Stats as StatConf @@ -23,6 +25,7 @@ class Stats(Cog):      def __init__(self, bot: Bot):          self.bot = bot          self.last_presence_update = None +        self.update_guild_boost.start()      @Cog.listener()      async def on_message(self, message: Message) -> None: @@ -101,6 +104,18 @@ class Stats(Cog):          self.bot.stats.gauge("guild.status.do_not_disturb", dnd)          self.bot.stats.gauge("guild.status.offline", offline) +    @loop(hours=1) +    async def update_guild_boost(self) -> None: +        """Post the server boost level and tier every hour.""" +        await self.bot.wait_until_guild_available() +        g = self.bot.get_guild(Guild.id) +        self.bot.stats.gauge("boost.amount", g.premium_subscription_count) +        self.bot.stats.gauge("boost.tier", g.premium_tier) + +    def cog_unload(self) -> None: +        """Stop the boost statistic task on unload of the Cog.""" +        self.update_guild_boost.stop() +  def setup(bot: Bot) -> None:      """Load the stats cog.""" diff --git a/bot/cogs/utils.py b/bot/cogs/utils.py index f76daedac..73b4a1c0a 100644 --- a/bot/cogs/utils.py +++ b/bot/cogs/utils.py @@ -55,7 +55,7 @@ class Utils(Cog):          if pep_number.isdigit():              pep_number = int(pep_number)          else: -            await ctx.invoke(self.bot.get_command("help"), "pep") +            await ctx.send_help(ctx.command)              return          # Handle PEP 0 directly because it's not in .rst or .txt so it can't be accessed like other PEPs. diff --git a/bot/cogs/watchchannels/bigbrother.py b/bot/cogs/watchchannels/bigbrother.py index 903c87f85..e4fb173e0 100644 --- a/bot/cogs/watchchannels/bigbrother.py +++ b/bot/cogs/watchchannels/bigbrother.py @@ -30,7 +30,7 @@ class BigBrother(WatchChannel, Cog, name="Big Brother"):      @with_role(*MODERATION_ROLES)      async def bigbrother_group(self, ctx: Context) -> None:          """Monitors users by relaying their messages to the Big Brother watch channel.""" -        await ctx.invoke(self.bot.get_command("help"), "bigbrother") +        await ctx.send_help(ctx.command)      @bigbrother_group.command(name='watched', aliases=('all', 'list'))      @with_role(*MODERATION_ROLES) diff --git a/bot/cogs/watchchannels/talentpool.py b/bot/cogs/watchchannels/talentpool.py index 68b220233..cd9c7e555 100644 --- a/bot/cogs/watchchannels/talentpool.py +++ b/bot/cogs/watchchannels/talentpool.py @@ -34,7 +34,7 @@ class TalentPool(WatchChannel, Cog, name="Talentpool"):      @with_role(*MODERATION_ROLES)      async def nomination_group(self, ctx: Context) -> None:          """Highlights the activity of helper nominees by relaying their messages to the talent pool channel.""" -        await ctx.invoke(self.bot.get_command("help"), "talentpool") +        await ctx.send_help(ctx.command)      @nomination_group.command(name='watched', aliases=('all', 'list'))      @with_role(*MODERATION_ROLES) @@ -173,7 +173,7 @@ class TalentPool(WatchChannel, Cog, name="Talentpool"):      @with_role(*MODERATION_ROLES)      async def nomination_edit_group(self, ctx: Context) -> None:          """Commands to edit nominations.""" -        await ctx.invoke(self.bot.get_command("help"), "talentpool", "edit") +        await ctx.send_help(ctx.command)      @nomination_edit_group.command(name='reason')      @with_role(*MODERATION_ROLES) diff --git a/bot/resources/tags/mutability.md b/bot/resources/tags/mutability.md new file mode 100644 index 000000000..bde9b5e7e --- /dev/null +++ b/bot/resources/tags/mutability.md @@ -0,0 +1,37 @@ +**Mutable vs immutable objects** + +Imagine that you want to make all letters in a string upper case. Conveniently, strings have an `.upper()` method. + +You might think that this would work: +```python +>>> greeting = "hello" +>>> greeting.upper() +'HELLO' +>>> greeting +'hello' +``` + +`greeting` didn't change. Why is that so? + +That's because strings in Python are _immutable_. You can't change them, you can only pass around existing strings or create new ones. + +```python +>>> greeting = "hello" +>>> greeting = greeting.upper() +>>> greeting +'HELLO' +``` + +`greeting.upper()` creates and returns a new string which is like the old one, but with all the letters turned to upper case. + +`int`, `float`, `complex`, `tuple`, `frozenset` are other examples of immutable data types in Python. + +Mutable data types like `list`, on the other hand, can be changed in-place: +```python +>>> my_list = [1, 2, 3] +>>> my_list.append(4) +>>> my_list +[1, 2, 3, 4] +``` + +Other examples of mutable data types in Python are `dict` and `set`. Instances of user-defined classes are also mutable. diff --git a/config-default.yml b/config-default.yml index 3b58d9099..5be393463 100644 --- a/config-default.yml +++ b/config-default.yml @@ -321,6 +321,8 @@ filter:          - poweredbydialup.online          - poweredbysecurity.org          - poweredbysecurity.online +        - ssteam.site +        - steamwalletgift.com      word_watchlist:          - goo+ks* diff --git a/tests/bot/cogs/test_snekbox.py b/tests/bot/cogs/test_snekbox.py index 84b273a7d..cf9adbee0 100644 --- a/tests/bot/cogs/test_snekbox.py +++ b/tests/bot/cogs/test_snekbox.py @@ -217,10 +217,9 @@ class SnekboxTests(unittest.IsolatedAsyncioTestCase):      async def test_eval_command_call_help(self):          """Test if the eval command call the help command if no code is provided.""" -        ctx = MockContext() -        ctx.invoke = AsyncMock() +        ctx = MockContext(command="sentinel")          await self.cog.eval_command.callback(self.cog, ctx=ctx, code='') -        ctx.invoke.assert_called_once_with(self.bot.get_command("help"), "eval") +        ctx.send_help.assert_called_once_with("sentinel")      async def test_send_eval(self):          """Test the send_eval function.""" @@ -300,7 +299,11 @@ class SnekboxTests(unittest.IsolatedAsyncioTestCase):          self.assertEqual(actual, expected)          self.bot.wait_for.assert_has_awaits(              ( -                call('message_edit', check=partial_mock(snekbox.predicate_eval_message_edit, ctx), timeout=10), +                call( +                    'message_edit', +                    check=partial_mock(snekbox.predicate_eval_message_edit, ctx), +                    timeout=snekbox.REEVAL_TIMEOUT, +                ),                  call('reaction_add', check=partial_mock(snekbox.predicate_eval_emoji_reaction, ctx), timeout=10)              )          ) | 
