diff options
Diffstat (limited to 'tests')
| -rw-r--r-- | tests/README.md | 31 | ||||
| -rw-r--r-- | tests/bot/exts/backend/test_error_handler.py | 88 | ||||
| -rw-r--r-- | tests/bot/exts/info/test_help.py | 23 | ||||
| -rw-r--r-- | tests/bot/exts/moderation/test_silence.py | 600 | ||||
| -rw-r--r-- | tests/bot/exts/utils/test_jams.py | 137 | ||||
| -rw-r--r-- | tests/bot/test_converters.py | 2 | ||||
| -rw-r--r-- | tests/helpers.py | 47 | 
7 files changed, 761 insertions, 167 deletions
diff --git a/tests/README.md b/tests/README.md index 0192f916e..b7fddfaa2 100644 --- a/tests/README.md +++ b/tests/README.md @@ -4,6 +4,14 @@ Our bot is one of the most important tools we have for running our community. As  _**Note:** This is a practical guide to getting started with writing tests for our bot, not a general introduction to writing unit tests in Python. If you're looking for a more general introduction, you can take a look at the [Additional resources](#additional-resources) section at the bottom of this page._ +### Table of contents: +- [Tools](#tools) +- [Running tests](#running-tests)   +- [Writing tests](#writing-tests) +- [Mocking](#mocking) +- [Some considerations](#some-considerations) +- [Additional resources](#additional-resources) +  ## Tools  We are using the following modules and packages for our unit tests: @@ -25,6 +33,29 @@ To ensure the results you obtain on your personal machine are comparable to thos  If you want a coverage report, make sure to run the tests with `poetry run task test` *first*. +## Running tests +There are multiple ways to run the tests, which one you use will be determined by your goal, and stage in development. + +When actively developing, you'll most likely be working on one portion of the codebase, and as a result, won't need to run the entire test suite. +To run just one file, and save time, you can use the following command: +```shell +poetry run task test-nocov <path/to/file.py> +``` + +For example: +```shell +poetry run task test-nocov tests/bot/exts/test_cogs.py +``` +will run the test suite in the `test_cogs` file. + +If you'd like to collect coverage as well, you can append `--cov` to the command above. + + +If you're done and are preparing to commit and push your code, it's a good idea to run the entire test suite as a sanity check: +```shell +poetry run task test +``` +  ## Writing tests  Since consistency is an important consideration for collaborative projects, we have written some guidelines on writing tests for the bot. In addition to these guidelines, it's a good idea to look at the existing code base for examples (e.g., [`test_converters.py`](/tests/bot/test_converters.py)). diff --git a/tests/bot/exts/backend/test_error_handler.py b/tests/bot/exts/backend/test_error_handler.py index bd4fb5942..2b0549b98 100644 --- a/tests/bot/exts/backend/test_error_handler.py +++ b/tests/bot/exts/backend/test_error_handler.py @@ -4,12 +4,12 @@ from unittest.mock import AsyncMock, MagicMock, call, patch  from discord.ext.commands import errors  from bot.api import ResponseCodeError -from bot.errors import InvalidInfractedUser, LockedResourceError +from bot.errors import InvalidInfractedUserError, LockedResourceError  from bot.exts.backend.error_handler import ErrorHandler, setup  from bot.exts.info.tags import Tags  from bot.exts.moderation.silence import Silence  from bot.utils.checks import InWhitelistCheckFailure -from tests.helpers import MockBot, MockContext, MockGuild, MockRole +from tests.helpers import MockBot, MockContext, MockGuild, MockRole, MockTextChannel  class ErrorHandlerTests(unittest.IsolatedAsyncioTestCase): @@ -130,7 +130,7 @@ class ErrorHandlerTests(unittest.IsolatedAsyncioTestCase):                  "expect_mock_call": "send"              },              { -                "args": (self.ctx, errors.CommandInvokeError(InvalidInfractedUser(self.ctx.author))), +                "args": (self.ctx, errors.CommandInvokeError(InvalidInfractedUserError(self.ctx.author))),                  "expect_mock_call": "send"              }          ) @@ -226,8 +226,8 @@ class TrySilenceTests(unittest.IsolatedAsyncioTestCase):          self.bot.get_command.return_value.can_run = AsyncMock(side_effect=errors.CommandError())          self.assertFalse(await self.cog.try_silence(self.ctx)) -    async def test_try_silence_silencing(self): -        """Should run silence command with correct arguments.""" +    async def test_try_silence_silence_duration(self): +        """Should run silence command with correct duration argument."""          self.bot.get_command.return_value.can_run = AsyncMock(return_value=True)          test_cases = ("shh", "shhh", "shhhhhh", "shhhhhhhhhhhhhhhhhhh") @@ -238,21 +238,85 @@ class TrySilenceTests(unittest.IsolatedAsyncioTestCase):                  self.assertTrue(await self.cog.try_silence(self.ctx))                  self.ctx.invoke.assert_awaited_once_with(                      self.bot.get_command.return_value, -                    duration=min(case.count("h")*2, 15) +                    duration_or_channel=None, +                    duration=min(case.count("h")*2, 15), +                    kick=False                  ) +    async def test_try_silence_silence_arguments(self): +        """Should run silence with the correct channel, duration, and kick arguments.""" +        self.bot.get_command.return_value.can_run = AsyncMock(return_value=True) + +        test_cases = ( +            (MockTextChannel(), None),  # None represents the case when no argument is passed +            (MockTextChannel(), False), +            (MockTextChannel(), True) +        ) + +        for channel, kick in test_cases: +            with self.subTest(kick=kick, channel=channel): +                self.ctx.reset_mock() +                self.ctx.invoked_with = "shh" + +                self.ctx.message.content = f"!shh {channel.name} {kick if kick is not None else ''}" +                self.ctx.guild.text_channels = [channel] + +                self.assertTrue(await self.cog.try_silence(self.ctx)) +                self.ctx.invoke.assert_awaited_once_with( +                    self.bot.get_command.return_value, +                    duration_or_channel=channel, +                    duration=4, +                    kick=(kick if kick is not None else False) +                ) + +    async def test_try_silence_silence_message(self): +        """If the words after the command could not be converted to a channel, None should be passed as channel.""" +        self.bot.get_command.return_value.can_run = AsyncMock(return_value=True) +        self.ctx.invoked_with = "shh" +        self.ctx.message.content = "!shh not_a_channel true" + +        self.assertTrue(await self.cog.try_silence(self.ctx)) +        self.ctx.invoke.assert_awaited_once_with( +            self.bot.get_command.return_value, +            duration_or_channel=None, +            duration=4, +            kick=False +        ) +      async def test_try_silence_unsilence(self): -        """Should call unsilence command.""" +        """Should call unsilence command with correct duration and channel arguments."""          self.silence.silence.can_run = AsyncMock(return_value=True) -        test_cases = ("unshh", "unshhhhh", "unshhhhhhhhh") +        test_cases = ( +            ("unshh", None), +            ("unshhhhh", None), +            ("unshhhhhhhhh", None), +            ("unshh", MockTextChannel()) +        ) -        for case in test_cases: -            with self.subTest(message=case): +        for invoke, channel in test_cases: +            with self.subTest(message=invoke, channel=channel):                  self.bot.get_command.side_effect = (self.silence.silence, self.silence.unsilence)                  self.ctx.reset_mock() -                self.ctx.invoked_with = case + +                self.ctx.invoked_with = invoke +                self.ctx.message.content = f"!{invoke}" +                if channel is not None: +                    self.ctx.message.content += f" {channel.name}" +                    self.ctx.guild.text_channels = [channel] +                  self.assertTrue(await self.cog.try_silence(self.ctx)) -                self.ctx.invoke.assert_awaited_once_with(self.silence.unsilence) +                self.ctx.invoke.assert_awaited_once_with(self.silence.unsilence, channel=channel) + +    async def test_try_silence_unsilence_message(self): +        """If the words after the command could not be converted to a channel, None should be passed as channel.""" +        self.silence.silence.can_run = AsyncMock(return_value=True) +        self.bot.get_command.side_effect = (self.silence.silence, self.silence.unsilence) + +        self.ctx.invoked_with = "unshh" +        self.ctx.message.content = "!unshh not_a_channel" + +        self.assertTrue(await self.cog.try_silence(self.ctx)) +        self.ctx.invoke.assert_awaited_once_with(self.silence.unsilence, channel=None)      async def test_try_silence_no_match(self):          """Should return `False` when message don't match.""" diff --git a/tests/bot/exts/info/test_help.py b/tests/bot/exts/info/test_help.py new file mode 100644 index 000000000..604c69671 --- /dev/null +++ b/tests/bot/exts/info/test_help.py @@ -0,0 +1,23 @@ +import unittest + +import rapidfuzz + +from bot.exts.info import help +from tests.helpers import MockBot, MockContext, autospec + + +class HelpCogTests(unittest.IsolatedAsyncioTestCase): +    def setUp(self) -> None: +        """Attach an instance of the cog to the class for tests.""" +        self.bot = MockBot() +        self.cog = help.Help(self.bot) +        self.ctx = MockContext(bot=self.bot) +        self.bot.help_command.context = self.ctx + +    @autospec(help.CustomHelpCommand, "get_all_help_choices", return_value={"help"}, pass_mocks=False) +    async def test_help_fuzzy_matching(self): +        """Test fuzzy matching of commands when called from help.""" +        result = await self.bot.help_command.command_not_found("holp") + +        match = {"help": rapidfuzz.fuzz.ratio("help", "holp")} +        self.assertEqual(match, result.possible_matches) diff --git a/tests/bot/exts/moderation/test_silence.py b/tests/bot/exts/moderation/test_silence.py index fa5fc9e81..59a5893ef 100644 --- a/tests/bot/exts/moderation/test_silence.py +++ b/tests/bot/exts/moderation/test_silence.py @@ -1,15 +1,26 @@  import asyncio +import itertools  import unittest  from datetime import datetime, timezone +from typing import List, Tuple  from unittest import mock -from unittest.mock import Mock +from unittest.mock import AsyncMock, Mock  from async_rediscache import RedisSession  from discord import PermissionOverwrite -from bot.constants import Channels, Guild, Roles +from bot.constants import Channels, Guild, MODERATION_ROLES, Roles  from bot.exts.moderation import silence -from tests.helpers import MockBot, MockContext, MockTextChannel, autospec +from tests.helpers import ( +    MockBot, +    MockContext, +    MockGuild, +    MockMember, +    MockRole, +    MockTextChannel, +    MockVoiceChannel, +    autospec +)  redis_session = None  redis_loop = asyncio.get_event_loop() @@ -149,7 +160,7 @@ class SilenceCogTests(unittest.IsolatedAsyncioTestCase):          self.assertTrue(self.cog._init_task.cancelled())      @autospec("discord.ext.commands", "has_any_role") -    @mock.patch.object(silence, "MODERATION_ROLES", new=(1, 2, 3)) +    @mock.patch.object(silence.constants, "MODERATION_ROLES", new=(1, 2, 3))      async def test_cog_check(self, role_check):          """Role check was called with `MODERATION_ROLES`"""          ctx = MockContext() @@ -159,6 +170,170 @@ class SilenceCogTests(unittest.IsolatedAsyncioTestCase):          role_check.assert_called_once_with(*(1, 2, 3))          role_check.return_value.predicate.assert_awaited_once_with(ctx) +    async def test_force_voice_sync(self): +        """Tests the _force_voice_sync helper function.""" +        await self.cog._async_init() + +        # Create a regular member, and one member for each of the moderation roles +        moderation_members = [MockMember(roles=[MockRole(id=role)]) for role in MODERATION_ROLES] +        members = [MockMember(), *moderation_members] + +        channel = MockVoiceChannel(members=members) + +        await self.cog._force_voice_sync(channel) +        for member in members: +            if member in moderation_members: +                member.move_to.assert_not_called() +            else: +                self.assertEqual(member.move_to.call_count, 2) +                calls = member.move_to.call_args_list + +                # Tests that the member was moved to the afk channel, and back. +                self.assertEqual((channel.guild.afk_channel,), calls[0].args) +                self.assertEqual((channel,), calls[1].args) + +    async def test_force_voice_sync_no_channel(self): +        """Test to ensure _force_voice_sync can create its own voice channel if one is not available.""" +        await self.cog._async_init() + +        channel = MockVoiceChannel(guild=MockGuild(afk_channel=None)) +        new_channel = MockVoiceChannel(delete=AsyncMock()) +        channel.guild.create_voice_channel.return_value = new_channel + +        await self.cog._force_voice_sync(channel) + +        # Check channel creation +        overwrites = { +            channel.guild.default_role: PermissionOverwrite(speak=False, connect=False, view_channel=False) +        } +        channel.guild.create_voice_channel.assert_awaited_once_with("mute-temp", overwrites=overwrites) + +        # Check bot deleted channel +        new_channel.delete.assert_awaited_once() + +    async def test_voice_kick(self): +        """Test to ensure kick function can remove all members from a voice channel.""" +        await self.cog._async_init() + +        # Create a regular member, and one member for each of the moderation roles +        moderation_members = [MockMember(roles=[MockRole(id=role)]) for role in MODERATION_ROLES] +        members = [MockMember(), *moderation_members] + +        channel = MockVoiceChannel(members=members) +        await self.cog._kick_voice_members(channel) + +        for member in members: +            if member in moderation_members: +                member.move_to.assert_not_called() +            else: +                self.assertEqual((None,), member.move_to.call_args_list[0].args) + +    @staticmethod +    def create_erroneous_members() -> Tuple[List[MockMember], List[MockMember]]: +        """ +        Helper method to generate a list of members that error out on move_to call. + +        Returns the list of erroneous members, +        as well as a list of regular and erroneous members combined, in that order. +        """ +        erroneous_member = MockMember(move_to=AsyncMock(side_effect=Exception())) +        members = [MockMember(), erroneous_member] + +        return erroneous_member, members + +    async def test_kick_move_to_error(self): +        """Test to ensure move_to gets called on all members during kick, even if some fail.""" +        await self.cog._async_init() +        _, members = self.create_erroneous_members() + +        await self.cog._kick_voice_members(MockVoiceChannel(members=members)) +        for member in members: +            member.move_to.assert_awaited_once() + +    async def test_sync_move_to_error(self): +        """Test to ensure move_to gets called on all members during sync, even if some fail.""" +        await self.cog._async_init() +        failing_member, members = self.create_erroneous_members() + +        await self.cog._force_voice_sync(MockVoiceChannel(members=members)) +        for member in members: +            self.assertEqual(member.move_to.call_count, 1 if member == failing_member else 2) + + +class SilenceArgumentParserTests(unittest.IsolatedAsyncioTestCase): +    """Tests for the silence argument parser utility function.""" + +    def setUp(self): +        self.bot = MockBot() +        self.cog = silence.Silence(self.bot) +        self.cog._init_task = asyncio.Future() +        self.cog._init_task.set_result(None) + +    @autospec(silence.Silence, "send_message", pass_mocks=False) +    @autospec(silence.Silence, "_set_silence_overwrites", return_value=False, pass_mocks=False) +    @autospec(silence.Silence, "parse_silence_args") +    async def test_command(self, parser_mock): +        """Test that the command passes in the correct arguments for different calls.""" +        test_cases = ( +            (), +            (15, ), +            (MockTextChannel(),), +            (MockTextChannel(), 15), +        ) + +        ctx = MockContext() +        parser_mock.return_value = (ctx.channel, 10) + +        for case in test_cases: +            with self.subTest("Test command converters", args=case): +                await self.cog.silence.callback(self.cog, ctx, *case) + +                try: +                    first_arg = case[0] +                except IndexError: +                    # Default value when the first argument is not passed +                    first_arg = None + +                try: +                    second_arg = case[1] +                except IndexError: +                    # Default value when the second argument is not passed +                    second_arg = 10 + +                parser_mock.assert_called_with(ctx, first_arg, second_arg) + +    async def test_no_arguments(self): +        """Test the parser when no arguments are passed to the command.""" +        ctx = MockContext() +        channel, duration = self.cog.parse_silence_args(ctx, None, 10) + +        self.assertEqual(ctx.channel, channel) +        self.assertEqual(10, duration) + +    async def test_channel_only(self): +        """Test the parser when just the channel argument is passed.""" +        expected_channel = MockTextChannel() +        actual_channel, duration = self.cog.parse_silence_args(MockContext(), expected_channel, 10) + +        self.assertEqual(expected_channel, actual_channel) +        self.assertEqual(10, duration) + +    async def test_duration_only(self): +        """Test the parser when just the duration argument is passed.""" +        ctx = MockContext() +        channel, duration = self.cog.parse_silence_args(ctx, 15, 10) + +        self.assertEqual(ctx.channel, channel) +        self.assertEqual(15, duration) + +    async def test_all_args(self): +        """Test the parser when both channel and duration are passed.""" +        expected_channel = MockTextChannel() +        actual_channel, duration = self.cog.parse_silence_args(MockContext(), expected_channel, 15) + +        self.assertEqual(expected_channel, actual_channel) +        self.assertEqual(15, duration) +  @autospec(silence.Silence, "previous_overwrites", "unsilence_timestamps", pass_mocks=False)  class RescheduleTests(unittest.IsolatedAsyncioTestCase): @@ -235,6 +410,16 @@ class RescheduleTests(unittest.IsolatedAsyncioTestCase):          self.cog.notifier.add_channel.assert_not_called() +def voice_sync_helper(function): +    """Helper wrapper to test the sync and kick functions for voice channels.""" +    @autospec(silence.Silence, "_force_voice_sync", "_kick_voice_members", "_set_silence_overwrites") +    async def inner(self, sync, kick, overwrites): +        overwrites.return_value = True +        await function(self, MockContext(), sync, kick) + +    return inner + +  @autospec(silence.Silence, "previous_overwrites", "unsilence_timestamps", pass_mocks=False)  class SilenceTests(unittest.IsolatedAsyncioTestCase):      """Tests for the silence command and its related helper methods.""" @@ -242,7 +427,7 @@ class SilenceTests(unittest.IsolatedAsyncioTestCase):      @autospec(silence.Silence, "_reschedule", pass_mocks=False)      @autospec(silence, "Scheduler", "SilenceNotifier", pass_mocks=False)      def setUp(self) -> None: -        self.bot = MockBot() +        self.bot = MockBot(get_channel=lambda _: MockTextChannel())          self.cog = silence.Silence(self.bot)          self.cog._init_task = asyncio.Future()          self.cog._init_task.set_result(None) @@ -252,56 +437,127 @@ class SilenceTests(unittest.IsolatedAsyncioTestCase):          asyncio.run(self.cog._async_init())  # Populate instance attributes. -        self.channel = MockTextChannel() -        self.overwrite = PermissionOverwrite(stream=True, send_messages=True, add_reactions=False) -        self.channel.overwrites_for.return_value = self.overwrite +        self.text_channel = MockTextChannel() +        self.text_overwrite = PermissionOverwrite(send_messages=True, add_reactions=False) +        self.text_channel.overwrites_for.return_value = self.text_overwrite + +        self.voice_channel = MockVoiceChannel() +        self.voice_overwrite = PermissionOverwrite(connect=True, speak=True) +        self.voice_channel.overwrites_for.return_value = self.voice_overwrite      async def test_sent_correct_message(self): -        """Appropriate failure/success message was sent by the command.""" +        """Appropriate failure/success message was sent by the command to the correct channel.""" +        # The following test tuples are made up of: +        # duration, expected message, and the success of the _set_silence_overwrites function          test_cases = (              (0.0001, silence.MSG_SILENCE_SUCCESS.format(duration=0.0001), True,),              (None, silence.MSG_SILENCE_PERMANENT, True,),              (5, silence.MSG_SILENCE_FAIL, False,),          ) -        for duration, message, was_silenced in test_cases: -            ctx = MockContext() + +        targets = (MockTextChannel(), MockVoiceChannel(), None) + +        for (duration, message, was_silenced), target in itertools.product(test_cases, targets):              with mock.patch.object(self.cog, "_set_silence_overwrites", return_value=was_silenced): -                with self.subTest(was_silenced=was_silenced, message=message, duration=duration): -                    await self.cog.silence.callback(self.cog, ctx, duration) -                    ctx.send.assert_called_once_with(message) +                with self.subTest(was_silenced=was_silenced, target=target, message=message): +                    with mock.patch.object(self.cog, "send_message") as send_message: +                        ctx = MockContext() +                        await self.cog.silence.callback(self.cog, ctx, target, duration) +                        send_message.assert_called_once_with( +                            message, +                            ctx.channel, +                            target or ctx.channel, +                            alert_target=was_silenced +                        ) + +    @voice_sync_helper +    async def test_sync_called(self, ctx, sync, kick): +        """Tests if silence command calls sync on a voice channel.""" +        channel = MockVoiceChannel() +        await self.cog.silence.callback(self.cog, ctx, channel, 10, kick=False) + +        sync.assert_awaited_once_with(self.cog, channel) +        kick.assert_not_called() + +    @voice_sync_helper +    async def test_kick_called(self, ctx, sync, kick): +        """Tests if silence command calls kick on a voice channel.""" +        channel = MockVoiceChannel() +        await self.cog.silence.callback(self.cog, ctx, channel, 10, kick=True) + +        kick.assert_awaited_once_with(channel) +        sync.assert_not_called() + +    @voice_sync_helper +    async def test_sync_not_called(self, ctx, sync, kick): +        """Tests that silence command does not call sync on a text channel.""" +        channel = MockTextChannel() +        await self.cog.silence.callback(self.cog, ctx, channel, 10, kick=False) + +        sync.assert_not_called() +        kick.assert_not_called() + +    @voice_sync_helper +    async def test_kick_not_called(self, ctx, sync, kick): +        """Tests that silence command does not call kick on a text channel.""" +        channel = MockTextChannel() +        await self.cog.silence.callback(self.cog, ctx, channel, 10, kick=True) + +        sync.assert_not_called() +        kick.assert_not_called()      async def test_skipped_already_silenced(self):          """Permissions were not set and `False` was returned for an already silenced channel."""          subtests = ( -            (False, PermissionOverwrite(send_messages=False, add_reactions=False)), -            (True, PermissionOverwrite(send_messages=True, add_reactions=True)), -            (True, PermissionOverwrite(send_messages=False, add_reactions=False)), +            (False, MockTextChannel(), PermissionOverwrite(send_messages=False, add_reactions=False)), +            (True, MockTextChannel(), PermissionOverwrite(send_messages=True, add_reactions=True)), +            (True, MockTextChannel(), PermissionOverwrite(send_messages=False, add_reactions=False)), +            (False, MockVoiceChannel(), PermissionOverwrite(connect=False, speak=False)), +            (True, MockVoiceChannel(), PermissionOverwrite(connect=True, speak=True)), +            (True, MockVoiceChannel(), PermissionOverwrite(connect=False, speak=False)),          ) -        for contains, overwrite in subtests: -            with self.subTest(contains=contains, overwrite=overwrite): +        for contains, channel, overwrite in subtests: +            with self.subTest(contains=contains, is_text=isinstance(channel, MockTextChannel), overwrite=overwrite):                  self.cog.scheduler.__contains__.return_value = contains -                channel = MockTextChannel()                  channel.overwrites_for.return_value = overwrite                  self.assertFalse(await self.cog._set_silence_overwrites(channel))                  channel.set_permissions.assert_not_called() -    async def test_silenced_channel(self): +    async def test_silenced_text_channel(self):          """Channel had `send_message` and `add_reactions` permissions revoked for verified role.""" -        self.assertTrue(await self.cog._set_silence_overwrites(self.channel)) -        self.assertFalse(self.overwrite.send_messages) -        self.assertFalse(self.overwrite.add_reactions) -        self.channel.set_permissions.assert_awaited_once_with( +        self.assertTrue(await self.cog._set_silence_overwrites(self.text_channel)) +        self.assertFalse(self.text_overwrite.send_messages) +        self.assertFalse(self.text_overwrite.add_reactions) +        self.text_channel.set_permissions.assert_awaited_once_with(              self.cog._everyone_role, -            overwrite=self.overwrite +            overwrite=self.text_overwrite          ) -    async def test_preserved_other_overwrites(self): -        """Channel's other unrelated overwrites were not changed.""" -        prev_overwrite_dict = dict(self.overwrite) -        await self.cog._set_silence_overwrites(self.channel) -        new_overwrite_dict = dict(self.overwrite) +    async def test_silenced_voice_channel_speak(self): +        """Channel had `speak` permissions revoked for verified role.""" +        self.assertTrue(await self.cog._set_silence_overwrites(self.voice_channel)) +        self.assertFalse(self.voice_overwrite.speak) +        self.voice_channel.set_permissions.assert_awaited_once_with( +            self.cog._verified_voice_role, +            overwrite=self.voice_overwrite +        ) + +    async def test_silenced_voice_channel_full(self): +        """Channel had `speak` and `connect` permissions revoked for verified role.""" +        self.assertTrue(await self.cog._set_silence_overwrites(self.voice_channel, kick=True)) +        self.assertFalse(self.voice_overwrite.speak or self.voice_overwrite.connect) +        self.voice_channel.set_permissions.assert_awaited_once_with( +            self.cog._verified_voice_role, +            overwrite=self.voice_overwrite +        ) + +    async def test_preserved_other_overwrites_text(self): +        """Channel's other unrelated overwrites were not changed for a text channel mute.""" +        prev_overwrite_dict = dict(self.text_overwrite) +        await self.cog._set_silence_overwrites(self.text_channel) +        new_overwrite_dict = dict(self.text_overwrite)          # Remove 'send_messages' & 'add_reactions' keys because they were changed by the method.          del prev_overwrite_dict['send_messages'] @@ -311,6 +567,20 @@ class SilenceTests(unittest.IsolatedAsyncioTestCase):          self.assertDictEqual(prev_overwrite_dict, new_overwrite_dict) +    async def test_preserved_other_overwrites_voice(self): +        """Channel's other unrelated overwrites were not changed for a voice channel mute.""" +        prev_overwrite_dict = dict(self.voice_overwrite) +        await self.cog._set_silence_overwrites(self.voice_channel) +        new_overwrite_dict = dict(self.voice_overwrite) + +        # Remove 'connect' & 'speak' keys because they were changed by the method. +        del prev_overwrite_dict['connect'] +        del prev_overwrite_dict['speak'] +        del new_overwrite_dict['connect'] +        del new_overwrite_dict['speak'] + +        self.assertDictEqual(prev_overwrite_dict, new_overwrite_dict) +      async def test_temp_not_added_to_notifier(self):          """Channel was not added to notifier if a duration was set for the silence."""          with mock.patch.object(self.cog, "_set_silence_overwrites", return_value=True): @@ -320,7 +590,7 @@ class SilenceTests(unittest.IsolatedAsyncioTestCase):      async def test_indefinite_added_to_notifier(self):          """Channel was added to notifier if a duration was not set for the silence."""          with mock.patch.object(self.cog, "_set_silence_overwrites", return_value=True): -            await self.cog.silence.callback(self.cog, MockContext(), None) +            await self.cog.silence.callback(self.cog, MockContext(), None, None)              self.cog.notifier.add_channel.assert_called_once()      async def test_silenced_not_added_to_notifier(self): @@ -332,8 +602,8 @@ class SilenceTests(unittest.IsolatedAsyncioTestCase):      async def test_cached_previous_overwrites(self):          """Channel's previous overwrites were cached."""          overwrite_json = '{"send_messages": true, "add_reactions": false}' -        await self.cog._set_silence_overwrites(self.channel) -        self.cog.previous_overwrites.set.assert_called_once_with(self.channel.id, overwrite_json) +        await self.cog._set_silence_overwrites(self.text_channel) +        self.cog.previous_overwrites.set.assert_awaited_once_with(self.text_channel.id, overwrite_json)      @autospec(silence, "datetime")      async def test_cached_unsilence_time(self, datetime_mock): @@ -343,7 +613,7 @@ class SilenceTests(unittest.IsolatedAsyncioTestCase):          timestamp = now_timestamp + duration * 60          datetime_mock.now.return_value = datetime.fromtimestamp(now_timestamp, tz=timezone.utc) -        ctx = MockContext(channel=self.channel) +        ctx = MockContext(channel=self.text_channel)          await self.cog.silence.callback(self.cog, ctx, duration)          self.cog.unsilence_timestamps.set.assert_awaited_once_with(ctx.channel.id, timestamp) @@ -351,26 +621,33 @@ class SilenceTests(unittest.IsolatedAsyncioTestCase):      async def test_cached_indefinite_time(self):          """A value of -1 was cached for a permanent silence.""" -        ctx = MockContext(channel=self.channel) -        await self.cog.silence.callback(self.cog, ctx, None) +        ctx = MockContext(channel=self.text_channel) +        await self.cog.silence.callback(self.cog, ctx, None, None)          self.cog.unsilence_timestamps.set.assert_awaited_once_with(ctx.channel.id, -1)      async def test_scheduled_task(self):          """An unsilence task was scheduled.""" -        ctx = MockContext(channel=self.channel, invoke=mock.MagicMock()) +        ctx = MockContext(channel=self.text_channel, invoke=mock.MagicMock())          await self.cog.silence.callback(self.cog, ctx, 5)          args = (300, ctx.channel.id, ctx.invoke.return_value)          self.cog.scheduler.schedule_later.assert_called_once_with(*args) -        ctx.invoke.assert_called_once_with(self.cog.unsilence) +        ctx.invoke.assert_called_once_with(self.cog.unsilence, channel=ctx.channel)      async def test_permanent_not_scheduled(self):          """A task was not scheduled for a permanent silence.""" -        ctx = MockContext(channel=self.channel) -        await self.cog.silence.callback(self.cog, ctx, None) +        ctx = MockContext(channel=self.text_channel) +        await self.cog.silence.callback(self.cog, ctx, None, None)          self.cog.scheduler.schedule_later.assert_not_called() +    async def test_indefinite_silence(self): +        """Test silencing a channel forever.""" +        with mock.patch.object(self.cog, "_schedule_unsilence") as unsilence: +            ctx = MockContext(channel=self.text_channel) +            await self.cog.silence.callback(self.cog, ctx, -1) +            unsilence.assert_awaited_once_with(ctx, ctx.channel, None) +  @autospec(silence.Silence, "unsilence_timestamps", pass_mocks=False)  class UnsilenceTests(unittest.IsolatedAsyncioTestCase): @@ -391,9 +668,13 @@ class UnsilenceTests(unittest.IsolatedAsyncioTestCase):          self.cog.scheduler.__contains__.return_value = True          overwrites_cache.get.return_value = '{"send_messages": true, "add_reactions": false}' -        self.channel = MockTextChannel() -        self.overwrite = PermissionOverwrite(stream=True, send_messages=False, add_reactions=False) -        self.channel.overwrites_for.return_value = self.overwrite +        self.text_channel = MockTextChannel() +        self.text_overwrite = PermissionOverwrite(send_messages=False, add_reactions=False) +        self.text_channel.overwrites_for.return_value = self.text_overwrite + +        self.voice_channel = MockVoiceChannel() +        self.voice_overwrite = PermissionOverwrite(connect=True, speak=True) +        self.voice_channel.overwrites_for.return_value = self.voice_overwrite      async def test_sent_correct_message(self):          """Appropriate failure/success message was sent by the command.""" @@ -401,88 +682,128 @@ class UnsilenceTests(unittest.IsolatedAsyncioTestCase):          test_cases = (              (True, silence.MSG_UNSILENCE_SUCCESS, unsilenced_overwrite),              (False, silence.MSG_UNSILENCE_FAIL, unsilenced_overwrite), -            (False, silence.MSG_UNSILENCE_MANUAL, self.overwrite), +            (False, silence.MSG_UNSILENCE_MANUAL, self.text_overwrite),              (False, silence.MSG_UNSILENCE_MANUAL, PermissionOverwrite(send_messages=False)),              (False, silence.MSG_UNSILENCE_MANUAL, PermissionOverwrite(add_reactions=False)),          ) -        for was_unsilenced, message, overwrite in test_cases: + +        targets = (None, MockTextChannel()) + +        for (was_unsilenced, message, overwrite), target in itertools.product(test_cases, targets):              ctx = MockContext() -            with self.subTest(was_unsilenced=was_unsilenced, message=message, overwrite=overwrite): -                with mock.patch.object(self.cog, "_unsilence", return_value=was_unsilenced): -                    ctx.channel.overwrites_for.return_value = overwrite -                    await self.cog.unsilence.callback(self.cog, ctx) -                    ctx.channel.send.assert_called_once_with(message) +            ctx.channel.overwrites_for.return_value = overwrite +            if target: +                target.overwrites_for.return_value = overwrite + +            with mock.patch.object(self.cog, "_unsilence", return_value=was_unsilenced): +                with mock.patch.object(self.cog, "send_message") as send_message: +                    with self.subTest(was_unsilenced=was_unsilenced, overwrite=overwrite, target=target): +                        await self.cog.unsilence.callback(self.cog, ctx, channel=target) + +                        call_args = (message, ctx.channel, target or ctx.channel) +                        send_message.assert_awaited_once_with(*call_args, alert_target=was_unsilenced)      async def test_skipped_already_unsilenced(self):          """Permissions were not set and `False` was returned for an already unsilenced channel."""          self.cog.scheduler.__contains__.return_value = False          self.cog.previous_overwrites.get.return_value = None -        channel = MockTextChannel() -        self.assertFalse(await self.cog._unsilence(channel)) -        channel.set_permissions.assert_not_called() +        for channel in (MockVoiceChannel(), MockTextChannel()): +            with self.subTest(channel=channel): +                self.assertFalse(await self.cog._unsilence(channel)) +                channel.set_permissions.assert_not_called() -    async def test_restored_overwrites(self): -        """Channel's `send_message` and `add_reactions` overwrites were restored.""" -        await self.cog._unsilence(self.channel) -        self.channel.set_permissions.assert_awaited_once_with( +    async def test_restored_overwrites_text(self): +        """Text channel's `send_message` and `add_reactions` overwrites were restored.""" +        await self.cog._unsilence(self.text_channel) +        self.text_channel.set_permissions.assert_awaited_once_with(              self.cog._everyone_role, -            overwrite=self.overwrite, +            overwrite=self.text_overwrite, +        ) + +        # Recall that these values are determined by the fixture. +        self.assertTrue(self.text_overwrite.send_messages) +        self.assertFalse(self.text_overwrite.add_reactions) + +    async def test_restored_overwrites_voice(self): +        """Voice channel's `connect` and `speak` overwrites were restored.""" +        await self.cog._unsilence(self.voice_channel) +        self.voice_channel.set_permissions.assert_awaited_once_with( +            self.cog._verified_voice_role, +            overwrite=self.voice_overwrite,          )          # Recall that these values are determined by the fixture. -        self.assertTrue(self.overwrite.send_messages) -        self.assertFalse(self.overwrite.add_reactions) +        self.assertTrue(self.voice_overwrite.connect) +        self.assertTrue(self.voice_overwrite.speak) -    async def test_cache_miss_used_default_overwrites(self): -        """Both overwrites were set to None due previous values not being found in the cache.""" +    async def test_cache_miss_used_default_overwrites_text(self): +        """Text overwrites were set to None due previous values not being found in the cache."""          self.cog.previous_overwrites.get.return_value = None -        await self.cog._unsilence(self.channel) -        self.channel.set_permissions.assert_awaited_once_with( +        await self.cog._unsilence(self.text_channel) +        self.text_channel.set_permissions.assert_awaited_once_with(              self.cog._everyone_role, -            overwrite=self.overwrite, +            overwrite=self.text_overwrite, +        ) + +        self.assertIsNone(self.text_overwrite.send_messages) +        self.assertIsNone(self.text_overwrite.add_reactions) + +    async def test_cache_miss_used_default_overwrites_voice(self): +        """Voice overwrites were set to None due previous values not being found in the cache.""" +        self.cog.previous_overwrites.get.return_value = None + +        await self.cog._unsilence(self.voice_channel) +        self.voice_channel.set_permissions.assert_awaited_once_with( +            self.cog._verified_voice_role, +            overwrite=self.voice_overwrite,          ) -        self.assertIsNone(self.overwrite.send_messages) -        self.assertIsNone(self.overwrite.add_reactions) +        self.assertIsNone(self.voice_overwrite.connect) +        self.assertIsNone(self.voice_overwrite.speak) -    async def test_cache_miss_sent_mod_alert(self): -        """A message was sent to the mod alerts channel.""" +    async def test_cache_miss_sent_mod_alert_text(self): +        """A message was sent to the mod alerts channel upon muting a text channel."""          self.cog.previous_overwrites.get.return_value = None +        await self.cog._unsilence(self.text_channel) +        self.cog._mod_alerts_channel.send.assert_awaited_once() -        await self.cog._unsilence(self.channel) +    async def test_cache_miss_sent_mod_alert_voice(self): +        """A message was sent to the mod alerts channel upon muting a voice channel.""" +        self.cog.previous_overwrites.get.return_value = None +        await self.cog._unsilence(MockVoiceChannel())          self.cog._mod_alerts_channel.send.assert_awaited_once()      async def test_removed_notifier(self):          """Channel was removed from `notifier`.""" -        await self.cog._unsilence(self.channel) -        self.cog.notifier.remove_channel.assert_called_once_with(self.channel) +        await self.cog._unsilence(self.text_channel) +        self.cog.notifier.remove_channel.assert_called_once_with(self.text_channel)      async def test_deleted_cached_overwrite(self):          """Channel was deleted from the overwrites cache.""" -        await self.cog._unsilence(self.channel) -        self.cog.previous_overwrites.delete.assert_awaited_once_with(self.channel.id) +        await self.cog._unsilence(self.text_channel) +        self.cog.previous_overwrites.delete.assert_awaited_once_with(self.text_channel.id)      async def test_deleted_cached_time(self):          """Channel was deleted from the timestamp cache.""" -        await self.cog._unsilence(self.channel) -        self.cog.unsilence_timestamps.delete.assert_awaited_once_with(self.channel.id) +        await self.cog._unsilence(self.text_channel) +        self.cog.unsilence_timestamps.delete.assert_awaited_once_with(self.text_channel.id)      async def test_cancelled_task(self):          """The scheduled unsilence task should be cancelled.""" -        await self.cog._unsilence(self.channel) -        self.cog.scheduler.cancel.assert_called_once_with(self.channel.id) +        await self.cog._unsilence(self.text_channel) +        self.cog.scheduler.cancel.assert_called_once_with(self.text_channel.id) -    async def test_preserved_other_overwrites(self): -        """Channel's other unrelated overwrites were not changed, including cache misses.""" +    async def test_preserved_other_overwrites_text(self): +        """Text channel's other unrelated overwrites were not changed, including cache misses."""          for overwrite_json in ('{"send_messages": true, "add_reactions": null}', None):              with self.subTest(overwrite_json=overwrite_json):                  self.cog.previous_overwrites.get.return_value = overwrite_json -                prev_overwrite_dict = dict(self.overwrite) -                await self.cog._unsilence(self.channel) -                new_overwrite_dict = dict(self.overwrite) +                prev_overwrite_dict = dict(self.text_overwrite) +                await self.cog._unsilence(self.text_channel) +                new_overwrite_dict = dict(self.text_overwrite)                  # Remove these keys because they were modified by the unsilence.                  del prev_overwrite_dict['send_messages'] @@ -491,3 +812,114 @@ class UnsilenceTests(unittest.IsolatedAsyncioTestCase):                  del new_overwrite_dict['add_reactions']                  self.assertDictEqual(prev_overwrite_dict, new_overwrite_dict) + +    async def test_preserved_other_overwrites_voice(self): +        """Voice channel's other unrelated overwrites were not changed, including cache misses.""" +        for overwrite_json in ('{"connect": true, "speak": true}', None): +            with self.subTest(overwrite_json=overwrite_json): +                self.cog.previous_overwrites.get.return_value = overwrite_json + +                prev_overwrite_dict = dict(self.voice_overwrite) +                await self.cog._unsilence(self.voice_channel) +                new_overwrite_dict = dict(self.voice_overwrite) + +                # Remove these keys because they were modified by the unsilence. +                del prev_overwrite_dict['connect'] +                del prev_overwrite_dict['speak'] +                del new_overwrite_dict['connect'] +                del new_overwrite_dict['speak'] + +                self.assertDictEqual(prev_overwrite_dict, new_overwrite_dict) + +    async def test_unsilence_role(self): +        """Tests unsilence_wrapper applies permission to the correct role.""" +        test_cases = ( +            (MockTextChannel(), self.cog.bot.get_guild(Guild.id).default_role), +            (MockVoiceChannel(), self.cog.bot.get_guild(Guild.id).get_role(Roles.voice_verified)) +        ) + +        for channel, role in test_cases: +            with self.subTest(channel=channel, role=role): +                await self.cog._unsilence_wrapper(channel, MockContext()) +                channel.overwrites_for.assert_called_with(role) + + +class SendMessageTests(unittest.IsolatedAsyncioTestCase): +    """Unittests for the send message helper function.""" + +    def setUp(self) -> None: +        self.bot = MockBot() +        self.cog = silence.Silence(self.bot) + +        self.text_channels = [MockTextChannel() for _ in range(2)] +        self.bot.get_channel.return_value = self.text_channels[1] + +        self.voice_channel = MockVoiceChannel() + +    async def test_send_to_channel(self): +        """Tests a basic case for the send function.""" +        message = "Test basic message." +        await self.cog.send_message(message, *self.text_channels, alert_target=False) + +        self.text_channels[0].send.assert_awaited_once_with(message) +        self.text_channels[1].send.assert_not_called() + +    async def test_send_to_multiple_channels(self): +        """Tests sending messages to two channels.""" +        message = "Test basic message." +        await self.cog.send_message(message, *self.text_channels, alert_target=True) + +        self.text_channels[0].send.assert_awaited_once_with(message) +        self.text_channels[1].send.assert_awaited_once_with(message) + +    async def test_duration_replacement(self): +        """Tests that the channel name was set correctly for one target channel.""" +        message = "Current. The following should be replaced: {channel}." +        await self.cog.send_message(message, *self.text_channels, alert_target=False) + +        updated_message = message.format(channel=self.text_channels[0].mention) +        self.text_channels[0].send.assert_awaited_once_with(updated_message) +        self.text_channels[1].send.assert_not_called() + +    async def test_name_replacement_multiple_channels(self): +        """Tests that the channel name was set correctly for two channels.""" +        message = "Current. The following should be replaced: {channel}." +        await self.cog.send_message(message, *self.text_channels, alert_target=True) + +        self.text_channels[0].send.assert_awaited_once_with(message.format(channel=self.text_channels[0].mention)) +        self.text_channels[1].send.assert_awaited_once_with(message.format(channel="current channel")) + +    async def test_silence_voice(self): +        """Tests that the correct message was sent when a voice channel is muted without alerting.""" +        message = "This should show up just here." +        await self.cog.send_message(message, self.text_channels[0], self.voice_channel, alert_target=False) +        self.text_channels[0].send.assert_awaited_once_with(message) +        self.text_channels[1].send.assert_not_called() + +    async def test_silence_voice_alert(self): +        """Tests that the correct message was sent when a voice channel is muted with alerts.""" +        with unittest.mock.patch.object(silence, "VOICE_CHANNELS") as mock_voice_channels: +            mock_voice_channels.get.return_value = self.text_channels[1].id + +            message = "This should show up as {channel}." +            await self.cog.send_message(message, self.text_channels[0], self.voice_channel, alert_target=True) + +        updated_message = message.format(channel=self.voice_channel.mention) +        self.text_channels[0].send.assert_awaited_once_with(updated_message) +        self.text_channels[1].send.assert_awaited_once_with(updated_message) + +        mock_voice_channels.get.assert_called_once_with(self.voice_channel.id) + +    async def test_silence_voice_sibling_channel(self): +        """Tests silencing a voice channel from the related text channel.""" +        with unittest.mock.patch.object(silence, "VOICE_CHANNELS") as mock_voice_channels: +            mock_voice_channels.get.return_value = self.text_channels[1].id + +            message = "This should show up as {channel}." +            await self.cog.send_message(message, self.text_channels[1], self.voice_channel, alert_target=True) + +            updated_message = message.format(channel=self.voice_channel.mention) +            self.text_channels[1].send.assert_awaited_once_with(updated_message) + +            mock_voice_channels.get.assert_called_once_with(self.voice_channel.id) +            self.bot.get_channel.assert_called_once_with(self.text_channels[1].id) diff --git a/tests/bot/exts/utils/test_jams.py b/tests/bot/exts/utils/test_jams.py index 85d6a1173..368a15476 100644 --- a/tests/bot/exts/utils/test_jams.py +++ b/tests/bot/exts/utils/test_jams.py @@ -2,10 +2,24 @@ import unittest  from unittest.mock import AsyncMock, MagicMock, create_autospec  from discord import CategoryChannel +from discord.ext.commands import BadArgument  from bot.constants import Roles  from bot.exts.utils import jams -from tests.helpers import MockBot, MockContext, MockGuild, MockMember, MockRole, MockTextChannel +from tests.helpers import ( +    MockAttachment, MockBot, MockCategoryChannel, MockContext, +    MockGuild, MockMember, MockRole, MockTextChannel +) + +TEST_CSV = b"""\ +Team Name,Team Member Discord ID,Team Leader +Annoyed Alligators,12345,Y +Annoyed Alligators,54321,N +Oscillating Otters,12358,Y +Oscillating Otters,74832,N +Oscillating Otters,19903,N +Annoyed Alligators,11111,N +"""  def get_mock_category(channel_count: int, name: str) -> CategoryChannel: @@ -17,8 +31,8 @@ def get_mock_category(channel_count: int, name: str) -> CategoryChannel:      return category -class JamCreateTeamTests(unittest.IsolatedAsyncioTestCase): -    """Tests for `createteam` command.""" +class JamCodejamCreateTests(unittest.IsolatedAsyncioTestCase): +    """Tests for `codejam create` command."""      def setUp(self):          self.bot = MockBot() @@ -28,60 +42,64 @@ class JamCreateTeamTests(unittest.IsolatedAsyncioTestCase):          self.ctx = MockContext(bot=self.bot, author=self.command_user, guild=self.guild)          self.cog = jams.CodeJams(self.bot) -    async def test_too_small_amount_of_team_members_passed(self): -        """Should `ctx.send` and exit early when too small amount of members.""" -        for case in (1, 2): -            with self.subTest(amount_of_members=case): -                self.cog.create_channels = AsyncMock() -                self.cog.add_roles = AsyncMock() +    async def test_message_without_attachments(self): +        """If no link or attachments are provided, commands.BadArgument should be raised.""" +        self.ctx.message.attachments = [] -                self.ctx.reset_mock() -                members = (MockMember() for _ in range(case)) -                await self.cog.createteam(self.cog, self.ctx, "foo", members) +        with self.assertRaises(BadArgument): +            await self.cog.create(self.cog, self.ctx, None) -                self.ctx.send.assert_awaited_once() -                self.cog.create_channels.assert_not_awaited() -                self.cog.add_roles.assert_not_awaited() +    async def test_result_sending(self): +        """Should call `ctx.send` when everything goes right.""" +        self.ctx.message.attachments = [MockAttachment()] +        self.ctx.message.attachments[0].read = AsyncMock() +        self.ctx.message.attachments[0].read.return_value = TEST_CSV + +        team_leaders = MockRole() + +        self.guild.get_member.return_value = MockMember() -    async def test_duplicate_members_provided(self): -        """Should `ctx.send` and exit early because duplicate members provided and total there is only 1 member.""" -        self.cog.create_channels = AsyncMock() +        self.ctx.guild.create_role = AsyncMock() +        self.ctx.guild.create_role.return_value = team_leaders +        self.cog.create_team_channel = AsyncMock() +        self.cog.create_team_leader_channel = AsyncMock()          self.cog.add_roles = AsyncMock() -        member = MockMember() -        await self.cog.createteam(self.cog, self.ctx, "foo", (member for _ in range(5))) +        await self.cog.create(self.cog, self.ctx, None) +        self.cog.create_team_channel.assert_awaited() +        self.cog.create_team_leader_channel.assert_awaited_once_with( +            self.ctx.guild, team_leaders +        )          self.ctx.send.assert_awaited_once() -        self.cog.create_channels.assert_not_awaited() -        self.cog.add_roles.assert_not_awaited() - -    async def test_result_sending(self): -        """Should call `ctx.send` when everything goes right.""" -        self.cog.create_channels = AsyncMock() -        self.cog.add_roles = AsyncMock() -        members = [MockMember() for _ in range(5)] -        await self.cog.createteam(self.cog, self.ctx, "foo", members) +    async def test_link_returning_non_200_status(self): +        """When the URL passed returns a non 200 status, it should send a message informing them.""" +        self.bot.http_session.get.return_value = mock = MagicMock() +        mock.status = 404 +        await self.cog.create(self.cog, self.ctx, "https://not-a-real-link.com") -        self.cog.create_channels.assert_awaited_once() -        self.cog.add_roles.assert_awaited_once()          self.ctx.send.assert_awaited_once()      async def test_category_doesnt_exist(self):          """Should create a new code jam category."""          subtests = (              [], -            [get_mock_category(jams.MAX_CHANNELS - 1, jams.CATEGORY_NAME)], +            [get_mock_category(jams.MAX_CHANNELS, jams.CATEGORY_NAME)],              [get_mock_category(jams.MAX_CHANNELS - 2, "other")],          ) +        self.cog.send_status_update = AsyncMock() +          for categories in subtests: +            self.cog.send_status_update.reset_mock()              self.guild.reset_mock()              self.guild.categories = categories              with self.subTest(categories=categories):                  actual_category = await self.cog.get_category(self.guild) +                self.cog.send_status_update.assert_called_once()                  self.guild.create_category_channel.assert_awaited_once()                  category_overwrites = self.guild.create_category_channel.call_args[1]["overwrites"] @@ -103,62 +121,47 @@ class JamCreateTeamTests(unittest.IsolatedAsyncioTestCase):      async def test_channel_overwrites(self):          """Should have correct permission overwrites for users and roles.""" -        leader = MockMember() -        members = [leader] + [MockMember() for _ in range(4)] +        leader = (MockMember(), True) +        members = [leader] + [(MockMember(), False) for _ in range(4)]          overwrites = self.cog.get_overwrites(members, self.guild) -        # Leader permission overwrites -        self.assertTrue(overwrites[leader].manage_messages) -        self.assertTrue(overwrites[leader].read_messages) -        self.assertTrue(overwrites[leader].manage_webhooks) -        self.assertTrue(overwrites[leader].connect) - -        # Other members permission overwrites -        for member in members[1:]: +        for member, _ in members:              self.assertTrue(overwrites[member].read_messages) -            self.assertTrue(overwrites[member].connect) - -        # Everyone role overwrite -        self.assertFalse(overwrites[self.guild.default_role].read_messages) -        self.assertFalse(overwrites[self.guild.default_role].connect)      async def test_team_channels_creation(self): -        """Should create new voice and text channel for team.""" -        members = [MockMember() for _ in range(5)] +        """Should create a text channel for a team.""" +        team_leaders = MockRole() +        members = [(MockMember(), True)] + [(MockMember(), False) for _ in range(5)] +        category = MockCategoryChannel() +        category.create_text_channel = AsyncMock()          self.cog.get_overwrites = MagicMock()          self.cog.get_category = AsyncMock() -        self.ctx.guild.create_text_channel.return_value = MockTextChannel(mention="foobar-channel") -        actual = await self.cog.create_channels(self.guild, "my-team", members) +        self.cog.get_category.return_value = category +        self.cog.add_team_leader_roles = AsyncMock() -        self.assertEqual("foobar-channel", actual) +        await self.cog.create_team_channel(self.guild, "my-team", members, team_leaders) +        self.cog.add_team_leader_roles.assert_awaited_once_with(members, team_leaders)          self.cog.get_overwrites.assert_called_once_with(members, self.guild)          self.cog.get_category.assert_awaited_once_with(self.guild) -        self.guild.create_text_channel.assert_awaited_once_with( +        category.create_text_channel.assert_awaited_once_with(              "my-team", -            overwrites=self.cog.get_overwrites.return_value, -            category=self.cog.get_category.return_value -        ) -        self.guild.create_voice_channel.assert_awaited_once_with( -            "My Team", -            overwrites=self.cog.get_overwrites.return_value, -            category=self.cog.get_category.return_value +            overwrites=self.cog.get_overwrites.return_value          )      async def test_jam_roles_adding(self):          """Should add team leader role to leader and jam role to every team member."""          leader_role = MockRole(name="Team Leader") -        jam_role = MockRole(name="Jammer") -        self.guild.get_role.side_effect = [leader_role, jam_role]          leader = MockMember() -        members = [leader] + [MockMember() for _ in range(4)] -        await self.cog.add_roles(self.guild, members) +        members = [(leader, True)] + [(MockMember(), False) for _ in range(4)] +        await self.cog.add_team_leader_roles(members, leader_role) -        leader.add_roles.assert_any_await(leader_role) -        for member in members: -            member.add_roles.assert_any_await(jam_role) +        leader.add_roles.assert_awaited_once_with(leader_role) +        for member, is_leader in members: +            if not is_leader: +                member.add_roles.assert_not_awaited()  class CodeJamSetup(unittest.TestCase): diff --git a/tests/bot/test_converters.py b/tests/bot/test_converters.py index 4af84dde5..2a1c4e543 100644 --- a/tests/bot/test_converters.py +++ b/tests/bot/test_converters.py @@ -291,7 +291,7 @@ class ConverterTests(unittest.IsolatedAsyncioTestCase):              ("10", 10),              ("5m", 5),              ("5M", 5), -            ("forever", None), +            ("forever", -1),          )          converter = HushDurationConverter()          for minutes_string, expected_minutes in test_values: diff --git a/tests/helpers.py b/tests/helpers.py index e3dc5fe5b..3978076ed 100644 --- a/tests/helpers.py +++ b/tests/helpers.py @@ -16,7 +16,6 @@ from bot.async_stats import AsyncStatsClient  from bot.bot import Bot  from tests._autospec import autospec  # noqa: F401 other modules import it via this module -  for logger in logging.Logger.manager.loggerDict.values():      # Set all loggers to CRITICAL by default to prevent screen clutter during testing @@ -320,7 +319,10 @@ channel_data = {  }  state = unittest.mock.MagicMock()  guild = unittest.mock.MagicMock() -channel_instance = discord.TextChannel(state=state, guild=guild, data=channel_data) +text_channel_instance = discord.TextChannel(state=state, guild=guild, data=channel_data) + +channel_data["type"] = "VoiceChannel" +voice_channel_instance = discord.VoiceChannel(state=state, guild=guild, data=channel_data)  class MockTextChannel(CustomMockMixin, unittest.mock.Mock, HashableMixin): @@ -330,7 +332,24 @@ class MockTextChannel(CustomMockMixin, unittest.mock.Mock, HashableMixin):      Instances of this class will follow the specifications of `discord.TextChannel` instances. For      more information, see the `MockGuild` docstring.      """ -    spec_set = channel_instance +    spec_set = text_channel_instance + +    def __init__(self, **kwargs) -> None: +        default_kwargs = {'id': next(self.discord_id), 'name': 'channel', 'guild': MockGuild()} +        super().__init__(**collections.ChainMap(kwargs, default_kwargs)) + +        if 'mention' not in kwargs: +            self.mention = f"#{self.name}" + + +class MockVoiceChannel(CustomMockMixin, unittest.mock.Mock, HashableMixin): +    """ +    A MagicMock subclass to mock VoiceChannel objects. + +    Instances of this class will follow the specifications of `discord.VoiceChannel` instances. For +    more information, see the `MockGuild` docstring. +    """ +    spec_set = voice_channel_instance      def __init__(self, **kwargs) -> None:          default_kwargs = {'id': next(self.discord_id), 'name': 'channel', 'guild': MockGuild()} @@ -361,6 +380,27 @@ class MockDMChannel(CustomMockMixin, unittest.mock.Mock, HashableMixin):          super().__init__(**collections.ChainMap(kwargs, default_kwargs)) +# Create CategoryChannel instance to get a realistic MagicMock of `discord.CategoryChannel` +category_channel_data = { +    'id': 1, +    'type': discord.ChannelType.category, +    'name': 'category', +    'position': 1, +} + +state = unittest.mock.MagicMock() +guild = unittest.mock.MagicMock() +category_channel_instance = discord.CategoryChannel( +    state=state, guild=guild, data=category_channel_data +) + + +class MockCategoryChannel(CustomMockMixin, unittest.mock.Mock, HashableMixin): +    def __init__(self, **kwargs) -> None: +        default_kwargs = {'id': next(self.discord_id)} +        super().__init__(**collections.ChainMap(default_kwargs, kwargs)) + +  # Create a Message instance to get a realistic MagicMock of `discord.Message`  message_data = {      'id': 1, @@ -403,6 +443,7 @@ class MockContext(CustomMockMixin, unittest.mock.MagicMock):          self.guild = kwargs.get('guild', MockGuild())          self.author = kwargs.get('author', MockMember())          self.channel = kwargs.get('channel', MockTextChannel()) +        self.message = kwargs.get('message', MockMessage())          self.invoked_from_error_handler = kwargs.get('invoked_from_error_handler', False)  |