| 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
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
 | # Help command from Python bot. All commands that will be added to there in futures should be added to here too.
import asyncio
import itertools
import logging
from contextlib import suppress
from typing import NamedTuple, Optional, Union
from discord import Colour, Embed, HTTPException, Message, Reaction, User
from discord.ext import commands
from discord.ext.commands import CheckFailure, Cog as DiscordCog, Command, Context
from bot import constants
from bot.bot import Bot
from bot.constants import Emojis
from bot.utils.commands import get_command_suggestions
from bot.utils.decorators import whitelist_override
from bot.utils.pagination import FIRST_EMOJI, LAST_EMOJI, LEFT_EMOJI, LinePaginator, RIGHT_EMOJI
DELETE_EMOJI = Emojis.trashcan
REACTIONS = {
    FIRST_EMOJI: "first",
    LEFT_EMOJI: "back",
    RIGHT_EMOJI: "next",
    LAST_EMOJI: "end",
    DELETE_EMOJI: "stop",
}
class Cog(NamedTuple):
    """Show information about a Cog's name, description and commands."""
    name: str
    description: str
    commands: list[Command]
log = logging.getLogger(__name__)
class HelpQueryNotFound(ValueError):
    """
    Raised when a HelpSession Query doesn't match a command or cog.
    Params:
    possible_matches: list of similar command names.
    parent_command: parent command of an invalid subcommand. Only available when an invalid subcommand
                    has been passed.
    """
    def __init__(
            self, arg: str, possible_matches: Optional[list[str]] = None, *, parent_command: Optional[Command] = None
    ) -> None:
        super().__init__(arg)
        self.possible_matches = possible_matches
        self.parent_command = parent_command
class HelpSession:
    """
    An interactive session for bot and command help output.
    Expected attributes include:
        * title: str
            The title of the help message.
        * query: Union[discord.ext.commands.Bot, discord.ext.commands.Command]
        * description: str
            The description of the query.
        * pages: list[str]
            A list of the help content split into manageable pages.
        * message: `discord.Message`
            The message object that's showing the help contents.
        * destination: `discord.abc.Messageable`
            Where the help message is to be sent to.
    Cogs can be grouped into custom categories. All cogs with the same category will be displayed
    under a single category name in the help output. Custom categories are defined inside the cogs
    as a class attribute named `category`. A description can also be specified with the attribute
    `category_description`. If a description is not found in at least one cog, the default will be
    the regular description (class docstring) of the first cog found in the category.
    """
    def __init__(
        self,
        ctx: Context,
        *command,
        cleanup: bool = False,
        only_can_run: bool = True,
        show_hidden: bool = False,
        max_lines: int = 15
    ):
        """Creates an instance of the HelpSession class."""
        self._ctx = ctx
        self._bot = ctx.bot
        self.title = "Command Help"
        # set the query details for the session
        if command:
            query_str = " ".join(command)
            self.query = self._get_query(query_str)
            self.description = self.query.description or self.query.help
        else:
            self.query = ctx.bot
            self.description = self.query.description
        self.author = ctx.author
        self.destination = ctx.channel
        # set the config for the session
        self._cleanup = cleanup
        self._only_can_run = only_can_run
        self._show_hidden = show_hidden
        self._max_lines = max_lines
        # init session states
        self._pages = None
        self._current_page = 0
        self.message = None
        self._timeout_task = None
        self.reset_timeout()
    def _get_query(self, query: str) -> Union[Command, Cog]:
        """Attempts to match the provided query with a valid command or cog."""
        command = self._bot.get_command(query)
        if command:
            return command
        # Find all cog categories that match.
        cog_matches = []
        description = None
        for cog in self._bot.cogs.values():
            if hasattr(cog, "category") and cog.category == query:
                cog_matches.append(cog)
                if hasattr(cog, "category_description"):
                    description = cog.category_description
        # Try to search by cog name if no categories match.
        if not cog_matches:
            cog = self._bot.cogs.get(query)
            # Don't consider it a match if the cog has a category.
            if cog and not hasattr(cog, "category"):
                cog_matches = [cog]
        if cog_matches:
            cog = cog_matches[0]
            cmds = (cog.get_commands() for cog in cog_matches)  # Commands of all cogs
            return Cog(
                name=cog.category if hasattr(cog, "category") else cog.qualified_name,
                description=description or cog.description,
                commands=tuple(itertools.chain.from_iterable(cmds))  # Flatten the list
            )
        self._handle_not_found(query)
    def _handle_not_found(self, query: str) -> None:
        """
        Handles when a query does not match a valid command or cog.
        Will pass on possible close matches along with the `HelpQueryNotFound` exception.
        """
        # Check if parent command is valid in case subcommand is invalid.
        if " " in query:
            parent, *_ = query.split()
            parent_command = self._bot.get_command(parent)
            if parent_command:
                raise HelpQueryNotFound('Invalid Subcommand.', parent_command=parent_command)
        similar_commands = get_command_suggestions(list(self._bot.all_commands.keys()), query)
        raise HelpQueryNotFound(f'Query "{query}" not found.', similar_commands)
    async def timeout(self, seconds: int = 30) -> None:
        """Waits for a set number of seconds, then stops the help session."""
        await asyncio.sleep(seconds)
        await self.stop()
    def reset_timeout(self) -> None:
        """Cancels the original timeout task and sets it again from the start."""
        # cancel original if it exists
        if self._timeout_task:
            if not self._timeout_task.cancelled():
                self._timeout_task.cancel()
        # recreate the timeout task
        self._timeout_task = self._bot.loop.create_task(self.timeout())
    async def on_reaction_add(self, reaction: Reaction, user: User) -> None:
        """Event handler for when reactions are added on the help message."""
        # ensure it was the relevant session message
        if reaction.message.id != self.message.id:
            return
        # ensure it was the session author who reacted
        if user.id != self.author.id:
            return
        emoji = str(reaction.emoji)
        # check if valid action
        if emoji not in REACTIONS:
            return
        self.reset_timeout()
        # Run relevant action method
        action = getattr(self, f"do_{REACTIONS[emoji]}", None)
        if action:
            await action()
        # remove the added reaction to prep for re-use
        with suppress(HTTPException):
            await self.message.remove_reaction(reaction, user)
    async def on_message_delete(self, message: Message) -> None:
        """Closes the help session when the help message is deleted."""
        if message.id == self.message.id:
            await self.stop()
    async def prepare(self) -> None:
        """Sets up the help session pages, events, message and reactions."""
        await self.build_pages()
        await self.update_page()
        self._bot.add_listener(self.on_reaction_add)
        self._bot.add_listener(self.on_message_delete)
        self.add_reactions()
    def add_reactions(self) -> None:
        """Adds the relevant reactions to the help message based on if pagination is required."""
        # if paginating
        if len(self._pages) > 1:
            for reaction in REACTIONS:
                self._bot.loop.create_task(self.message.add_reaction(reaction))
        # if single-page
        else:
            self._bot.loop.create_task(self.message.add_reaction(DELETE_EMOJI))
    def _category_key(self, cmd: Command) -> str:
        """
        Returns a cog name of a given command for use as a key for `sorted` and `groupby`.
        A zero width space is used as a prefix for results with no cogs to force them last in ordering.
        """
        if cmd.cog:
            try:
                if cmd.cog.category:
                    return f"**{cmd.cog.category}**"
            except AttributeError:
                pass
            return f"**{cmd.cog_name}**"
        else:
            return "**\u200bNo Category:**"
    def _get_command_params(self, cmd: Command) -> str:
        """
        Returns the command usage signature.
        This is a custom implementation of `command.signature` in order to format the command
        signature without aliases.
        """
        results = []
        for name, param in cmd.clean_params.items():
            # if argument has a default value
            if param.default is not param.empty:
                if isinstance(param.default, str):
                    show_default = param.default
                else:
                    show_default = param.default is not None
                # if default is not an empty string or None
                if show_default:
                    results.append(f"[{name}={param.default}]")
                else:
                    results.append(f"[{name}]")
            # if variable length argument
            elif param.kind == param.VAR_POSITIONAL:
                results.append(f"[{name}...]")
            # if required
            else:
                results.append(f"<{name}>")
        return f"{cmd.qualified_name} {' '.join(results)}"
    async def build_pages(self) -> None:
        """Builds the list of content pages to be paginated through in the help message, as a list of str."""
        # Use LinePaginator to restrict embed line height
        paginator = LinePaginator(prefix="", suffix="", max_lines=self._max_lines)
        # show signature if query is a command
        if isinstance(self.query, commands.Command):
            await self._add_command_signature(paginator)
        if isinstance(self.query, Cog):
            paginator.add_line(f"**{self.query.name}**")
        if self.description:
            paginator.add_line(f"*{self.description}*")
        # list all children commands of the queried object
        if isinstance(self.query, (commands.GroupMixin, Cog)):
            await self._list_child_commands(paginator)
        self._pages = paginator.pages
    async def _add_command_signature(self, paginator: LinePaginator) -> None:
        prefix = constants.Client.prefix
        signature = self._get_command_params(self.query)
        paginator.add_line(f"**```\n{prefix}{signature}\n```**")
        parent = self.query.full_parent_name + " " if self.query.parent else ""
        aliases = [f"`{alias}`" if not parent else f"`{parent}{alias}`" for alias in self.query.aliases]
        aliases += [f"`{alias}`" for alias in getattr(self.query, "root_aliases", ())]
        aliases = ", ".join(sorted(aliases))
        if aliases:
            paginator.add_line(f"**Can also use:** {aliases}\n")
        if not await self.query.can_run(self._ctx):
            paginator.add_line("***You cannot run this command.***\n")
    async def _list_child_commands(self, paginator: LinePaginator) -> None:
        # remove hidden commands if session is not wanting hiddens
        if not self._show_hidden:
            filtered = [c for c in self.query.commands if not c.hidden]
        else:
            filtered = self.query.commands
        # if after filter there are no commands, finish up
        if not filtered:
            self._pages = paginator.pages
            return
        if isinstance(self.query, Cog):
            grouped = (("**Commands:**", self.query.commands),)
        elif isinstance(self.query, commands.Command):
            grouped = (("**Subcommands:**", self.query.commands),)
        # otherwise sort and organise all commands into categories
        else:
            cat_sort = sorted(filtered, key=self._category_key)
            grouped = itertools.groupby(cat_sort, key=self._category_key)
        for category, cmds in grouped:
            await self._format_command_category(paginator, category, list(cmds))
    async def _format_command_category(self, paginator: LinePaginator, category: str, cmds: list[Command]) -> None:
        cmds = sorted(cmds, key=lambda c: c.name)
        cat_cmds = []
        for command in cmds:
            cat_cmds += await self._format_command(command)
        # state var for if the category should be added next
        print_cat = 1
        new_page = True
        for details in cat_cmds:
            # keep details together, paginating early if it won"t fit
            lines_adding = len(details.split("\n")) + print_cat
            if paginator._linecount + lines_adding > self._max_lines:
                paginator._linecount = 0
                new_page = True
                paginator.close_page()
                # new page so print category title again
                print_cat = 1
            if print_cat:
                if new_page:
                    paginator.add_line("")
                paginator.add_line(category)
                print_cat = 0
            paginator.add_line(details)
    async def _format_command(self, command: Command) -> list[str]:
        # skip if hidden and hide if session is set to
        if command.hidden and not self._show_hidden:
            return []
        # Patch to make the !help command work outside of #bot-commands again
        # This probably needs a proper rewrite, but this will make it work in
        # the mean time.
        try:
            can_run = await command.can_run(self._ctx)
        except CheckFailure:
            can_run = False
        # see if the user can run the command
        strikeout = ""
        if not can_run:
            # skip if we don't show commands they can't run
            if self._only_can_run:
                return []
            strikeout = "~~"
        if isinstance(self.query, commands.Command):
            prefix = ""
        else:
            prefix = constants.Client.prefix
        signature = self._get_command_params(command)
        info = f"{strikeout}**`{prefix}{signature}`**{strikeout}"
        # handle if the command has no docstring
        short_doc = command.short_doc or "No details provided"
        return [f"{info}\n*{short_doc}*"]
    def embed_page(self, page_number: int = 0) -> Embed:
        """Returns an Embed with the requested page formatted within."""
        embed = Embed()
        if isinstance(self.query, (commands.Command, Cog)) and page_number > 0:
            title = f'Command Help | "{self.query.name}"'
        else:
            title = self.title
        embed.set_author(name=title, icon_url=constants.Icons.questionmark)
        embed.description = self._pages[page_number]
        page_count = len(self._pages)
        if page_count > 1:
            embed.set_footer(text=f"Page {self._current_page+1} / {page_count}")
        return embed
    async def update_page(self, page_number: int = 0) -> None:
        """Sends the intial message, or changes the existing one to the given page number."""
        self._current_page = page_number
        embed_page = self.embed_page(page_number)
        if not self.message:
            self.message = await self.destination.send(embed=embed_page)
        else:
            await self.message.edit(embed=embed_page)
    @classmethod
    async def start(cls, ctx: Context, *command, **options) -> "HelpSession":
        """
        Create and begin a help session based on the given command context.
        Available options kwargs:
            * cleanup: Optional[bool]
                Set to `True` to have the message deleted on session end. Defaults to `False`.
            * only_can_run: Optional[bool]
                Set to `True` to hide commands the user can't run. Defaults to `False`.
            * show_hidden: Optional[bool]
                Set to `True` to include hidden commands. Defaults to `False`.
            * max_lines: Optional[int]
                Sets the max number of lines the paginator will add to a single page. Defaults to 20.
        """
        session = cls(ctx, *command, **options)
        await session.prepare()
        return session
    async def stop(self) -> None:
        """Stops the help session, removes event listeners and attempts to delete the help message."""
        self._bot.remove_listener(self.on_reaction_add)
        self._bot.remove_listener(self.on_message_delete)
        # ignore if permission issue, or the message doesn't exist
        with suppress(HTTPException, AttributeError):
            if self._cleanup:
                await self.message.delete()
            else:
                await self.message.clear_reactions()
    @property
    def is_first_page(self) -> bool:
        """Check if session is currently showing the first page."""
        return self._current_page == 0
    @property
    def is_last_page(self) -> bool:
        """Check if the session is currently showing the last page."""
        return self._current_page == (len(self._pages)-1)
    async def do_first(self) -> None:
        """Event that is called when the user requests the first page."""
        if not self.is_first_page:
            await self.update_page(0)
    async def do_back(self) -> None:
        """Event that is called when the user requests the previous page."""
        if not self.is_first_page:
            await self.update_page(self._current_page-1)
    async def do_next(self) -> None:
        """Event that is called when the user requests the next page."""
        if not self.is_last_page:
            await self.update_page(self._current_page+1)
    async def do_end(self) -> None:
        """Event that is called when the user requests the last page."""
        if not self.is_last_page:
            await self.update_page(len(self._pages)-1)
    async def do_stop(self) -> None:
        """Event that is called when the user requests to stop the help session."""
        await self.message.delete()
class Help(DiscordCog):
    """Custom Embed Pagination Help feature."""
    @commands.command("help")
    @whitelist_override(allow_dm=True)
    async def new_help(self, ctx: Context, *commands) -> None:
        """Shows Command Help."""
        try:
            await HelpSession.start(ctx, *commands)
        except HelpQueryNotFound as error:
            # Send help message of parent command if subcommand is invalid.
            if cmd := error.parent_command:
                await ctx.send(str(error))
                await self.new_help(ctx, cmd.qualified_name)
                return
            embed = Embed()
            embed.colour = Colour.red()
            embed.title = str(error)
            if error.possible_matches:
                matches = "\n".join(error.possible_matches)
                embed.description = f"**Did you mean:**\n{matches}"
            await ctx.send(embed=embed)
def unload(bot: Bot) -> None:
    """
    Reinstates the original help command.
    This is run if the cog raises an exception on load, or if the extension is unloaded.
    """
    bot.remove_command("help")
    bot.add_command(bot._old_help)
async def setup(bot: Bot) -> None:
    """
    The setup for the help extension.
    This is called automatically on `bot.load_extension` being run.
    Stores the original help command instance on the `bot._old_help` attribute for later
    reinstatement, before removing it from the command registry so the new help command can be
    loaded successfully.
    If an exception is raised during the loading of the cog, `unload` will be called in order to
    reinstate the original help command.
    """
    bot._old_help = bot.get_command("help")
    bot.remove_command("help")
    try:
        await bot.add_cog(Help())
    except Exception:
        unload(bot)
        raise
def teardown(bot: Bot) -> None:
    """
    The teardown for the help extension.
    This is called automatically on `bot.unload_extension` being run.
    Calls `unload` in order to reinstate the original help command.
    """
    unload(bot)
 |