diff options
| author | 2022-03-31 15:06:30 +0100 | |
|---|---|---|
| committer | 2022-03-31 15:06:30 +0100 | |
| commit | 4b6aca26ec5c875e394fde0871f92d257b07f15c (patch) | |
| tree | 03a95cb834cc37e3648ab989ef673fd7ac51e0a0 /tests | |
| parent | Merge pull request #2111 from python-discord/log-voice-role-assignments (diff) | |
| parent | Merge branch 'main' into feat/timeit-command (diff) | |
Merge pull request #1602 from python-discord/feat/timeit-command
Add the timeit command
Diffstat (limited to 'tests')
| -rw-r--r-- | tests/bot/exts/utils/test_snekbox.py | 159 | 
1 files changed, 86 insertions, 73 deletions
| diff --git a/tests/bot/exts/utils/test_snekbox.py b/tests/bot/exts/utils/test_snekbox.py index 8bdeedd27..f68a20089 100644 --- a/tests/bot/exts/utils/test_snekbox.py +++ b/tests/bot/exts/utils/test_snekbox.py @@ -17,7 +17,7 @@ class SnekboxTests(unittest.IsolatedAsyncioTestCase):          self.bot = MockBot()          self.cog = Snekbox(bot=self.bot) -    async def test_post_eval(self): +    async def test_post_job(self):          """Post the eval code to the URLs.snekbox_eval_api endpoint."""          resp = MagicMock()          resp.json = AsyncMock(return_value="return") @@ -26,7 +26,7 @@ class SnekboxTests(unittest.IsolatedAsyncioTestCase):          context_manager.__aenter__.return_value = resp          self.bot.http_session.post.return_value = context_manager -        self.assertEqual(await self.cog.post_eval("import random"), "return") +        self.assertEqual(await self.cog.post_job("import random"), "return")          self.bot.http_session.post.assert_called_with(              constants.URLs.snekbox_eval_api,              json={"input": "import random"}, @@ -45,7 +45,8 @@ class SnekboxTests(unittest.IsolatedAsyncioTestCase):          await self.cog.upload_output("Test output.")          mock_paste_util.assert_called_once_with("Test output.", extension="txt") -    def test_prepare_input(self): +    async def test_codeblock_converter(self): +        ctx = MockContext()          cases = (              ('print("Hello world!")', 'print("Hello world!")', 'non-formatted'),              ('`print("Hello world!")`', 'print("Hello world!")', 'one line code block'), @@ -61,7 +62,24 @@ class SnekboxTests(unittest.IsolatedAsyncioTestCase):          )          for case, expected, testname in cases:              with self.subTest(msg=f'Extract code from {testname}.'): -                self.assertEqual(self.cog.prepare_input(case), expected) +                self.assertEqual( +                    '\n'.join(await snekbox.CodeblockConverter.convert(ctx, case)), expected +                ) + +    def test_prepare_timeit_input(self): +        """Test the prepare_timeit_input codeblock detection.""" +        base_args = ('-m', 'timeit', '-s') +        cases = ( +            (['print("Hello World")'], '', 'single block of code'), +            (['x = 1', 'print(x)'], 'x = 1', 'two blocks of code'), +            (['x = 1', 'print(x)', 'print("Some other code.")'], 'x = 1', 'three blocks of code') +        ) + +        for case, setup_code, testname in cases: +            setup = snekbox.TIMEIT_SETUP_WRAPPER.format(setup=setup_code) +            expected = ('\n'.join(case[1:] if setup_code else case), [*base_args, setup]) +            with self.subTest(msg=f'Test with {testname} and expected return {expected}'): +                self.assertEqual(self.cog.prepare_timeit_input(case), expected)      def test_get_results_message(self):          """Return error and message according to the eval result.""" @@ -72,13 +90,13 @@ class SnekboxTests(unittest.IsolatedAsyncioTestCase):          )          for stdout, returncode, expected in cases:              with self.subTest(stdout=stdout, returncode=returncode, expected=expected): -                actual = self.cog.get_results_message({'stdout': stdout, 'returncode': returncode}) +                actual = self.cog.get_results_message({'stdout': stdout, 'returncode': returncode}, 'eval')                  self.assertEqual(actual, expected)      @patch('bot.exts.utils.snekbox.Signals', side_effect=ValueError)      def test_get_results_message_invalid_signal(self, mock_signals: Mock):          self.assertEqual( -            self.cog.get_results_message({'stdout': '', 'returncode': 127}), +            self.cog.get_results_message({'stdout': '', 'returncode': 127}, 'eval'),              ('Your eval job has completed with return code 127', '')          ) @@ -86,7 +104,7 @@ class SnekboxTests(unittest.IsolatedAsyncioTestCase):      def test_get_results_message_valid_signal(self, mock_signals: Mock):          mock_signals.return_value.name = 'SIGTEST'          self.assertEqual( -            self.cog.get_results_message({'stdout': '', 'returncode': 127}), +            self.cog.get_results_message({'stdout': '', 'returncode': 127}, 'eval'),              ('Your eval job has completed with return code 127 (SIGTEST)', '')          ) @@ -156,28 +174,29 @@ class SnekboxTests(unittest.IsolatedAsyncioTestCase):          """Test the eval command procedure."""          ctx = MockContext()          response = MockMessage() -        self.cog.prepare_input = MagicMock(return_value='MyAwesomeFormattedCode') -        self.cog.send_eval = AsyncMock(return_value=response) -        self.cog.continue_eval = AsyncMock(return_value=None) +        ctx.command = MagicMock() -        await self.cog.eval_command(self.cog, ctx=ctx, code='MyAwesomeCode') -        self.cog.prepare_input.assert_called_once_with('MyAwesomeCode') -        self.cog.send_eval.assert_called_once_with(ctx, 'MyAwesomeFormattedCode') -        self.cog.continue_eval.assert_called_once_with(ctx, response) +        self.cog.send_job = AsyncMock(return_value=response) +        self.cog.continue_job = AsyncMock(return_value=(None, None)) + +        await self.cog.eval_command(self.cog, ctx=ctx, code=['MyAwesomeCode']) +        self.cog.send_job.assert_called_once_with(ctx, 'MyAwesomeCode', args=None, job_name='eval') +        self.cog.continue_job.assert_called_once_with(ctx, response, ctx.command)      async def test_eval_command_evaluate_twice(self):          """Test the eval and re-eval command procedure."""          ctx = MockContext()          response = MockMessage() -        self.cog.prepare_input = MagicMock(return_value='MyAwesomeFormattedCode') -        self.cog.send_eval = AsyncMock(return_value=response) -        self.cog.continue_eval = AsyncMock() -        self.cog.continue_eval.side_effect = ('MyAwesomeCode-2', None) - -        await self.cog.eval_command(self.cog, ctx=ctx, code='MyAwesomeCode') -        self.cog.prepare_input.has_calls(call('MyAwesomeCode'), call('MyAwesomeCode-2')) -        self.cog.send_eval.assert_called_with(ctx, 'MyAwesomeFormattedCode') -        self.cog.continue_eval.assert_called_with(ctx, response) +        ctx.command = MagicMock() +        self.cog.send_job = AsyncMock(return_value=response) +        self.cog.continue_job = AsyncMock() +        self.cog.continue_job.side_effect = (('MyAwesomeFormattedCode', None), (None, None)) + +        await self.cog.eval_command(self.cog, ctx=ctx, code=['MyAwesomeCode']) +        self.cog.send_job.assert_called_with( +            ctx, 'MyAwesomeFormattedCode', args=None, job_name='eval' +        ) +        self.cog.continue_job.assert_called_with(ctx, response, ctx.command)      async def test_eval_command_reject_two_eval_at_the_same_time(self):          """Test if the eval command rejects an eval if the author already have a running eval.""" @@ -191,29 +210,23 @@ class SnekboxTests(unittest.IsolatedAsyncioTestCase):              "@LemonLemonishBeard#0042 You've already got a job running - please wait for it to finish!"          ) -    async def test_eval_command_call_help(self): -        """Test if the eval command call the help command if no code is provided.""" -        ctx = MockContext(command="sentinel") -        await self.cog.eval_command(self.cog, ctx=ctx, code='') -        ctx.send_help.assert_called_once_with(ctx.command) - -    async def test_send_eval(self): -        """Test the send_eval function.""" +    async def test_send_job(self): +        """Test the send_job function."""          ctx = MockContext()          ctx.message = MockMessage()          ctx.send = AsyncMock()          ctx.author = MockUser(mention='@LemonLemonishBeard#0042') -        self.cog.post_eval = AsyncMock(return_value={'stdout': '', 'returncode': 0}) +        self.cog.post_job = AsyncMock(return_value={'stdout': '', 'returncode': 0})          self.cog.get_results_message = MagicMock(return_value=('Return code 0', ''))          self.cog.get_status_emoji = MagicMock(return_value=':yay!:')          self.cog.format_output = AsyncMock(return_value=('[No output]', None))          mocked_filter_cog = MagicMock() -        mocked_filter_cog.filter_eval = AsyncMock(return_value=False) +        mocked_filter_cog.filter_snekbox_output = AsyncMock(return_value=False)          self.bot.get_cog.return_value = mocked_filter_cog -        await self.cog.send_eval(ctx, 'MyAwesomeCode') +        await self.cog.send_job(ctx, 'MyAwesomeCode', job_name='eval')          ctx.send.assert_called_once()          self.assertEqual( @@ -224,28 +237,28 @@ class SnekboxTests(unittest.IsolatedAsyncioTestCase):          expected_allowed_mentions = AllowedMentions(everyone=False, roles=False, users=[ctx.author])          self.assertEqual(allowed_mentions.to_dict(), expected_allowed_mentions.to_dict()) -        self.cog.post_eval.assert_called_once_with('MyAwesomeCode') +        self.cog.post_job.assert_called_once_with('MyAwesomeCode', args=None)          self.cog.get_status_emoji.assert_called_once_with({'stdout': '', 'returncode': 0}) -        self.cog.get_results_message.assert_called_once_with({'stdout': '', 'returncode': 0}) +        self.cog.get_results_message.assert_called_once_with({'stdout': '', 'returncode': 0}, 'eval')          self.cog.format_output.assert_called_once_with('') -    async def test_send_eval_with_paste_link(self): -        """Test the send_eval function with a too long output that generate a paste link.""" +    async def test_send_job_with_paste_link(self): +        """Test the send_job function with a too long output that generate a paste link."""          ctx = MockContext()          ctx.message = MockMessage()          ctx.send = AsyncMock()          ctx.author.mention = '@LemonLemonishBeard#0042' -        self.cog.post_eval = AsyncMock(return_value={'stdout': 'Way too long beard', 'returncode': 0}) +        self.cog.post_job = AsyncMock(return_value={'stdout': 'Way too long beard', 'returncode': 0})          self.cog.get_results_message = MagicMock(return_value=('Return code 0', ''))          self.cog.get_status_emoji = MagicMock(return_value=':yay!:')          self.cog.format_output = AsyncMock(return_value=('Way too long beard', 'lookatmybeard.com'))          mocked_filter_cog = MagicMock() -        mocked_filter_cog.filter_eval = AsyncMock(return_value=False) +        mocked_filter_cog.filter_snekbox_output = AsyncMock(return_value=False)          self.bot.get_cog.return_value = mocked_filter_cog -        await self.cog.send_eval(ctx, 'MyAwesomeCode') +        await self.cog.send_job(ctx, 'MyAwesomeCode', job_name='eval')          ctx.send.assert_called_once()          self.assertEqual( @@ -254,27 +267,27 @@ class SnekboxTests(unittest.IsolatedAsyncioTestCase):              '\n\n```\nWay too long beard\n```\nFull output: lookatmybeard.com'          ) -        self.cog.post_eval.assert_called_once_with('MyAwesomeCode') +        self.cog.post_job.assert_called_once_with('MyAwesomeCode', args=None)          self.cog.get_status_emoji.assert_called_once_with({'stdout': 'Way too long beard', 'returncode': 0}) -        self.cog.get_results_message.assert_called_once_with({'stdout': 'Way too long beard', 'returncode': 0}) +        self.cog.get_results_message.assert_called_once_with({'stdout': 'Way too long beard', 'returncode': 0}, 'eval')          self.cog.format_output.assert_called_once_with('Way too long beard') -    async def test_send_eval_with_non_zero_eval(self): -        """Test the send_eval function with a code returning a non-zero code.""" +    async def test_send_job_with_non_zero_eval(self): +        """Test the send_job function with a code returning a non-zero code."""          ctx = MockContext()          ctx.message = MockMessage()          ctx.send = AsyncMock()          ctx.author.mention = '@LemonLemonishBeard#0042' -        self.cog.post_eval = AsyncMock(return_value={'stdout': 'ERROR', 'returncode': 127}) +        self.cog.post_job = AsyncMock(return_value={'stdout': 'ERROR', 'returncode': 127})          self.cog.get_results_message = MagicMock(return_value=('Return code 127', 'Beard got stuck in the eval'))          self.cog.get_status_emoji = MagicMock(return_value=':nope!:')          self.cog.format_output = AsyncMock()  # This function isn't called          mocked_filter_cog = MagicMock() -        mocked_filter_cog.filter_eval = AsyncMock(return_value=False) +        mocked_filter_cog.filter_snekbox_output = AsyncMock(return_value=False)          self.bot.get_cog.return_value = mocked_filter_cog -        await self.cog.send_eval(ctx, 'MyAwesomeCode') +        await self.cog.send_job(ctx, 'MyAwesomeCode', job_name='eval')          ctx.send.assert_called_once()          self.assertEqual( @@ -282,14 +295,14 @@ class SnekboxTests(unittest.IsolatedAsyncioTestCase):              '@LemonLemonishBeard#0042 :nope!: Return code 127.\n\n```\nBeard got stuck in the eval\n```'          ) -        self.cog.post_eval.assert_called_once_with('MyAwesomeCode') +        self.cog.post_job.assert_called_once_with('MyAwesomeCode', args=None)          self.cog.get_status_emoji.assert_called_once_with({'stdout': 'ERROR', 'returncode': 127}) -        self.cog.get_results_message.assert_called_once_with({'stdout': 'ERROR', 'returncode': 127}) +        self.cog.get_results_message.assert_called_once_with({'stdout': 'ERROR', 'returncode': 127}, 'eval')          self.cog.format_output.assert_not_called()      @patch("bot.exts.utils.snekbox.partial") -    async def test_continue_eval_does_continue(self, partial_mock): -        """Test that the continue_eval function does continue if required conditions are met.""" +    async def test_continue_job_does_continue(self, partial_mock): +        """Test that the continue_job function does continue if required conditions are met."""          ctx = MockContext(message=MockMessage(add_reaction=AsyncMock(), clear_reactions=AsyncMock()))          response = MockMessage(delete=AsyncMock())          new_msg = MockMessage() @@ -297,30 +310,30 @@ class SnekboxTests(unittest.IsolatedAsyncioTestCase):          expected = "NewCode"          self.cog.get_code = create_autospec(self.cog.get_code, spec_set=True, return_value=expected) -        actual = await self.cog.continue_eval(ctx, response) -        self.cog.get_code.assert_awaited_once_with(new_msg) -        self.assertEqual(actual, expected) +        actual = await self.cog.continue_job(ctx, response, self.cog.eval_command) +        self.cog.get_code.assert_awaited_once_with(new_msg, ctx.command) +        self.assertEqual(actual, (expected, None))          self.bot.wait_for.assert_has_awaits(              (                  call(                      'message_edit', -                    check=partial_mock(snekbox.predicate_eval_message_edit, ctx), -                    timeout=snekbox.REEVAL_TIMEOUT, +                    check=partial_mock(snekbox.predicate_message_edit, ctx), +                    timeout=snekbox.REDO_TIMEOUT,                  ), -                call('reaction_add', check=partial_mock(snekbox.predicate_eval_emoji_reaction, ctx), timeout=10) +                call('reaction_add', check=partial_mock(snekbox.predicate_emoji_reaction, ctx), timeout=10)              )          ) -        ctx.message.add_reaction.assert_called_once_with(snekbox.REEVAL_EMOJI) -        ctx.message.clear_reaction.assert_called_once_with(snekbox.REEVAL_EMOJI) +        ctx.message.add_reaction.assert_called_once_with(snekbox.REDO_EMOJI) +        ctx.message.clear_reaction.assert_called_once_with(snekbox.REDO_EMOJI)          response.delete.assert_called_once() -    async def test_continue_eval_does_not_continue(self): +    async def test_continue_job_does_not_continue(self):          ctx = MockContext(message=MockMessage(clear_reactions=AsyncMock()))          self.bot.wait_for.side_effect = asyncio.TimeoutError -        actual = await self.cog.continue_eval(ctx, MockMessage()) -        self.assertEqual(actual, None) -        ctx.message.clear_reaction.assert_called_once_with(snekbox.REEVAL_EMOJI) +        actual = await self.cog.continue_job(ctx, MockMessage(), self.cog.eval_command) +        self.assertEqual(actual, (None, None)) +        ctx.message.clear_reaction.assert_called_once_with(snekbox.REDO_EMOJI)      async def test_get_code(self):          """Should return 1st arg (or None) if eval cmd in message, otherwise return full content.""" @@ -343,13 +356,13 @@ class SnekboxTests(unittest.IsolatedAsyncioTestCase):                  self.bot.get_context.return_value = MockContext(command=command)                  message = MockMessage(content=content) -                actual_code = await self.cog.get_code(message) +                actual_code = await self.cog.get_code(message, self.cog.eval_command)                  self.bot.get_context.assert_awaited_once_with(message)                  self.assertEqual(actual_code, expected_code) -    def test_predicate_eval_message_edit(self): -        """Test the predicate_eval_message_edit function.""" +    def test_predicate_message_edit(self): +        """Test the predicate_message_edit function."""          msg0 = MockMessage(id=1, content='abc')          msg1 = MockMessage(id=2, content='abcdef')          msg2 = MockMessage(id=1, content='abcdef') @@ -362,18 +375,18 @@ class SnekboxTests(unittest.IsolatedAsyncioTestCase):          for ctx_msg, new_msg, expected, testname in cases:              with self.subTest(msg=f'Messages with {testname} return {expected}'):                  ctx = MockContext(message=ctx_msg) -                actual = snekbox.predicate_eval_message_edit(ctx, ctx_msg, new_msg) +                actual = snekbox.predicate_message_edit(ctx, ctx_msg, new_msg)                  self.assertEqual(actual, expected) -    def test_predicate_eval_emoji_reaction(self): -        """Test the predicate_eval_emoji_reaction function.""" +    def test_predicate_emoji_reaction(self): +        """Test the predicate_emoji_reaction function."""          valid_reaction = MockReaction(message=MockMessage(id=1)) -        valid_reaction.__str__.return_value = snekbox.REEVAL_EMOJI +        valid_reaction.__str__.return_value = snekbox.REDO_EMOJI          valid_ctx = MockContext(message=MockMessage(id=1), author=MockUser(id=2))          valid_user = MockUser(id=2)          invalid_reaction_id = MockReaction(message=MockMessage(id=42)) -        invalid_reaction_id.__str__.return_value = snekbox.REEVAL_EMOJI +        invalid_reaction_id.__str__.return_value = snekbox.REDO_EMOJI          invalid_user_id = MockUser(id=42)          invalid_reaction_str = MockReaction(message=MockMessage(id=1))          invalid_reaction_str.__str__.return_value = ':longbeard:' @@ -386,7 +399,7 @@ class SnekboxTests(unittest.IsolatedAsyncioTestCase):          )          for reaction, user, expected, testname in cases:              with self.subTest(msg=f'Test with {testname} and expected return {expected}'): -                actual = snekbox.predicate_eval_emoji_reaction(valid_ctx, reaction, user) +                actual = snekbox.predicate_emoji_reaction(valid_ctx, reaction, user)                  self.assertEqual(actual, expected) | 
