| 1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
 | import unittest
from unittest import mock
import discord
from bot import constants
from bot.api import ResponseCodeError
from bot.cogs import sync
from bot.cogs.sync.syncers import Syncer
from tests import helpers
from tests.base import CommandTestCase
class SyncExtensionTests(unittest.IsolatedAsyncioTestCase):
    """Tests for the sync extension."""
    @staticmethod
    def test_extension_setup():
        """The Sync cog should be added."""
        bot = helpers.MockBot()
        sync.setup(bot)
        bot.add_cog.assert_called_once()
class SyncCogTestCase(unittest.IsolatedAsyncioTestCase):
    """Base class for Sync cog tests. Sets up patches for syncers."""
    def setUp(self):
        self.bot = helpers.MockBot()
        self.role_syncer_patcher = mock.patch(
            "bot.cogs.sync.syncers.RoleSyncer",
            autospec=Syncer,
            spec_set=True
        )
        self.user_syncer_patcher = mock.patch(
            "bot.cogs.sync.syncers.UserSyncer",
            autospec=Syncer,
            spec_set=True
        )
        self.RoleSyncer = self.role_syncer_patcher.start()
        self.UserSyncer = self.user_syncer_patcher.start()
        self.cog = sync.Sync(self.bot)
    def tearDown(self):
        self.role_syncer_patcher.stop()
        self.user_syncer_patcher.stop()
    @staticmethod
    def response_error(status: int) -> ResponseCodeError:
        """Fixture to return a ResponseCodeError with the given status code."""
        response = mock.MagicMock()
        response.status = status
        return ResponseCodeError(response)
class SyncCogTests(SyncCogTestCase):
    """Tests for the Sync cog."""
    @mock.patch.object(sync.Sync, "sync_guild", new_callable=mock.MagicMock)
    def test_sync_cog_init(self, sync_guild):
        """Should instantiate syncers and run a sync for the guild."""
        # Reset because a Sync cog was already instantiated in setUp.
        self.RoleSyncer.reset_mock()
        self.UserSyncer.reset_mock()
        self.bot.loop.create_task = mock.MagicMock()
        mock_sync_guild_coro = mock.MagicMock()
        sync_guild.return_value = mock_sync_guild_coro
        sync.Sync(self.bot)
        self.RoleSyncer.assert_called_once_with(self.bot)
        self.UserSyncer.assert_called_once_with(self.bot)
        sync_guild.assert_called_once_with()
        self.bot.loop.create_task.assert_called_once_with(mock_sync_guild_coro)
    async def test_sync_cog_sync_guild(self):
        """Roles and users should be synced only if a guild is successfully retrieved."""
        for guild in (helpers.MockGuild(), None):
            with self.subTest(guild=guild):
                self.bot.reset_mock()
                self.cog.role_syncer.reset_mock()
                self.cog.user_syncer.reset_mock()
                self.bot.get_guild = mock.MagicMock(return_value=guild)
                await self.cog.sync_guild()
                self.bot.wait_until_guild_available.assert_called_once()
                self.bot.get_guild.assert_called_once_with(constants.Guild.id)
                if guild is None:
                    self.cog.role_syncer.sync.assert_not_called()
                    self.cog.user_syncer.sync.assert_not_called()
                else:
                    self.cog.role_syncer.sync.assert_called_once_with(guild)
                    self.cog.user_syncer.sync.assert_called_once_with(guild)
    async def patch_user_helper(self, side_effect: BaseException) -> None:
        """Helper to set a side effect for bot.api_client.patch and then assert it is called."""
        self.bot.api_client.patch.reset_mock(side_effect=True)
        self.bot.api_client.patch.side_effect = side_effect
        user_id, updated_information = 5, {"key": 123}
        await self.cog.patch_user(user_id, updated_information)
        self.bot.api_client.patch.assert_called_once_with(
            f"bot/users/{user_id}",
            json=updated_information,
        )
    async def test_sync_cog_patch_user(self):
        """A PATCH request should be sent and 404 errors ignored."""
        for side_effect in (None, self.response_error(404)):
            with self.subTest(side_effect=side_effect):
                await self.patch_user_helper(side_effect)
    async def test_sync_cog_patch_user_non_404(self):
        """A PATCH request should be sent and the error raised if it's not a 404."""
        with self.assertRaises(ResponseCodeError):
            await self.patch_user_helper(self.response_error(500))
class SyncCogListenerTests(SyncCogTestCase):
    """Tests for the listeners of the Sync cog."""
    def setUp(self):
        super().setUp()
        self.cog.patch_user = mock.AsyncMock(spec_set=self.cog.patch_user)
    async def test_sync_cog_on_guild_role_create(self):
        """A POST request should be sent with the new role's data."""
        self.assertTrue(self.cog.on_guild_role_create.__cog_listener__)
        role_data = {
            "colour": 49,
            "id": 777,
            "name": "rolename",
            "permissions": 8,
            "position": 23,
        }
        role = helpers.MockRole(**role_data)
        await self.cog.on_guild_role_create(role)
        self.bot.api_client.post.assert_called_once_with("bot/roles", json=role_data)
    async def test_sync_cog_on_guild_role_delete(self):
        """A DELETE request should be sent."""
        self.assertTrue(self.cog.on_guild_role_delete.__cog_listener__)
        role = helpers.MockRole(id=99)
        await self.cog.on_guild_role_delete(role)
        self.bot.api_client.delete.assert_called_once_with("bot/roles/99")
    async def test_sync_cog_on_guild_role_update(self):
        """A PUT request should be sent if the colour, name, permissions, or position changes."""
        self.assertTrue(self.cog.on_guild_role_update.__cog_listener__)
        role_data = {
            "colour": 49,
            "id": 777,
            "name": "rolename",
            "permissions": 8,
            "position": 23,
        }
        subtests = (
            (True, ("colour", "name", "permissions", "position")),
            (False, ("hoist", "mentionable")),
        )
        for should_put, attributes in subtests:
            for attribute in attributes:
                with self.subTest(should_put=should_put, changed_attribute=attribute):
                    self.bot.api_client.put.reset_mock()
                    after_role_data = role_data.copy()
                    after_role_data[attribute] = 876
                    before_role = helpers.MockRole(**role_data)
                    after_role = helpers.MockRole(**after_role_data)
                    await self.cog.on_guild_role_update(before_role, after_role)
                    if should_put:
                        self.bot.api_client.put.assert_called_once_with(
                            f"bot/roles/{after_role.id}",
                            json=after_role_data
                        )
                    else:
                        self.bot.api_client.put.assert_not_called()
    async def test_sync_cog_on_member_remove(self):
        """Member should patched to set in_guild as False."""
        self.assertTrue(self.cog.on_member_remove.__cog_listener__)
        member = helpers.MockMember()
        await self.cog.on_member_remove(member)
        self.cog.patch_user.assert_called_once_with(
            member.id,
            updated_information={"in_guild": False}
        )
    async def test_sync_cog_on_member_update_roles(self):
        """Members should be patched if their roles have changed."""
        self.assertTrue(self.cog.on_member_update.__cog_listener__)
        # Roles are intentionally unsorted.
        before_roles = [helpers.MockRole(id=12), helpers.MockRole(id=30), helpers.MockRole(id=20)]
        before_member = helpers.MockMember(roles=before_roles)
        after_member = helpers.MockMember(roles=before_roles[1:])
        await self.cog.on_member_update(before_member, after_member)
        data = {"roles": sorted(role.id for role in after_member.roles)}
        self.cog.patch_user.assert_called_once_with(after_member.id, updated_information=data)
    async def test_sync_cog_on_member_update_other(self):
        """Members should not be patched if other attributes have changed."""
        self.assertTrue(self.cog.on_member_update.__cog_listener__)
        subtests = (
            ("activities", discord.Game("Pong"), discord.Game("Frogger")),
            ("nick", "old nick", "new nick"),
            ("status", discord.Status.online, discord.Status.offline),
        )
        for attribute, old_value, new_value in subtests:
            with self.subTest(attribute=attribute):
                self.cog.patch_user.reset_mock()
                before_member = helpers.MockMember(**{attribute: old_value})
                after_member = helpers.MockMember(**{attribute: new_value})
                await self.cog.on_member_update(before_member, after_member)
                self.cog.patch_user.assert_not_called()
    async def test_sync_cog_on_user_update(self):
        """A user should be patched only if the name, discriminator, or avatar changes."""
        self.assertTrue(self.cog.on_user_update.__cog_listener__)
        before_data = {
            "name": "old name",
            "discriminator": "1234",
            "avatar": "old avatar",
            "bot": False,
        }
        subtests = (
            (True, "name", "name", "new name", "new name"),
            (True, "discriminator", "discriminator", "8765", 8765),
            (True, "avatar", "avatar_hash", "9j2e9", "9j2e9"),
            (False, "bot", "bot", True, True),
        )
        for should_patch, attribute, api_field, value, api_value in subtests:
            with self.subTest(attribute=attribute):
                self.cog.patch_user.reset_mock()
                after_data = before_data.copy()
                after_data[attribute] = value
                before_user = helpers.MockUser(**before_data)
                after_user = helpers.MockUser(**after_data)
                await self.cog.on_user_update(before_user, after_user)
                if should_patch:
                    self.cog.patch_user.assert_called_once()
                    # Don't care if *all* keys are present; only the changed one is required
                    call_args = self.cog.patch_user.call_args
                    self.assertEqual(call_args[0][0], after_user.id)
                    self.assertIn("updated_information", call_args[1])
                    updated_information = call_args[1]["updated_information"]
                    self.assertIn(api_field, updated_information)
                    self.assertEqual(updated_information[api_field], api_value)
                else:
                    self.cog.patch_user.assert_not_called()
    async def on_member_join_helper(self, side_effect: Exception) -> dict:
        """
        Helper to set `side_effect` for on_member_join and assert a PUT request was sent.
        The request data for the mock member is returned. All exceptions will be re-raised.
        """
        member = helpers.MockMember(
            discriminator="1234",
            roles=[helpers.MockRole(id=22), helpers.MockRole(id=12)],
        )
        data = {
            "avatar_hash": member.avatar,
            "discriminator": int(member.discriminator),
            "id": member.id,
            "in_guild": True,
            "name": member.name,
            "roles": sorted(role.id for role in member.roles)
        }
        self.bot.api_client.put.reset_mock(side_effect=True)
        self.bot.api_client.put.side_effect = side_effect
        try:
            await self.cog.on_member_join(member)
        except Exception:
            raise
        finally:
            self.bot.api_client.put.assert_called_once_with(
                f"bot/users/{member.id}",
                json=data
            )
        return data
    async def test_sync_cog_on_member_join(self):
        """Should PUT user's data or POST it if the user doesn't exist."""
        for side_effect in (None, self.response_error(404)):
            with self.subTest(side_effect=side_effect):
                self.bot.api_client.post.reset_mock()
                data = await self.on_member_join_helper(side_effect)
                if side_effect:
                    self.bot.api_client.post.assert_called_once_with("bot/users", json=data)
                else:
                    self.bot.api_client.post.assert_not_called()
    async def test_sync_cog_on_member_join_non_404(self):
        """ResponseCodeError should be re-raised if status code isn't a 404."""
        with self.assertRaises(ResponseCodeError):
            await self.on_member_join_helper(self.response_error(500))
        self.bot.api_client.post.assert_not_called()
class SyncCogCommandTests(SyncCogTestCase, CommandTestCase):
    """Tests for the commands in the Sync cog."""
    async def test_sync_roles_command(self):
        """sync() should be called on the RoleSyncer."""
        ctx = helpers.MockContext()
        await self.cog.sync_roles_command.callback(self.cog, ctx)
        self.cog.role_syncer.sync.assert_called_once_with(ctx.guild, ctx)
    async def test_sync_users_command(self):
        """sync() should be called on the UserSyncer."""
        ctx = helpers.MockContext()
        await self.cog.sync_users_command.callback(self.cog, ctx)
        self.cog.user_syncer.sync.assert_called_once_with(ctx.guild, ctx)
    async def test_commands_require_admin(self):
        """The sync commands should only run if the author has the administrator permission."""
        cmds = (
            self.cog.sync_group,
            self.cog.sync_roles_command,
            self.cog.sync_users_command,
        )
        for cmd in cmds:
            with self.subTest(cmd=cmd):
                await self.assertHasPermissionsCheck(cmd, {"administrator": True})
 |