forked from NAFTeam/NAFF
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathclient.py
2194 lines (1791 loc) · 81.9 KB
/
client.py
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
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
import asyncio
import importlib.util
import inspect
import json
import logging
import re
import sys
import time
import traceback
from collections.abc import Iterable
from datetime import datetime
from typing import (
TYPE_CHECKING,
Any,
Callable,
Coroutine,
Dict,
List,
NoReturn,
Optional,
Sequence,
Type,
Union,
overload,
Literal,
)
from discord_typings.interactions.receiving import (
ComponentChannelInteractionData,
AutocompleteChannelInteractionData,
InteractionData,
)
import naff.api.events as events
import naff.client.const as constants
from naff.models.naff.context import SendableContext
from naff.api.events import MessageCreate, RawGatewayEvent, processors, Component, BaseEvent
from naff.api.gateway.gateway import GatewayClient
from naff.api.gateway.state import ConnectionState
from naff.api.http.http_client import HTTPClient
from naff.client import errors
from naff.client.const import GLOBAL_SCOPE, MISSING, MENTION_PREFIX, Absent, EMBED_MAX_DESC_LENGTH, logger
from naff.client.errors import (
BotException,
ExtensionLoadException,
ExtensionNotFound,
Forbidden,
InteractionMissingAccess,
HTTPException,
NotFound,
)
from naff.client.smart_cache import GlobalCache
from naff.client.utils.input_utils import get_first_word, get_args
from naff.client.utils.misc_utils import get_event_name, wrap_partial
from naff.client.utils.serializer import to_image_data
from naff.models import (
Activity,
Application,
CustomEmoji,
Guild,
GuildTemplate,
Message,
Extension,
NaffUser,
User,
Member,
StickerPack,
Sticker,
ScheduledEvent,
InteractionCommand,
SlashCommand,
OptionTypes,
HybridCommand,
PrefixedCommand,
BaseCommand,
to_snowflake,
to_snowflake_list,
ComponentContext,
InteractionContext,
ModalContext,
PrefixedContext,
AutocompleteContext,
HybridContext,
ComponentCommand,
Context,
application_commands_to_dict,
sync_needed,
VoiceRegion,
)
from naff.models import Wait
from naff.models.discord.channel import BaseChannel
from naff.models.discord.color import BrandColors
from naff.models.discord.components import get_components_ids, BaseComponent
from naff.models.discord.embed import Embed
from naff.models.discord.enums import ComponentTypes, Intents, InteractionTypes, Status, ChannelTypes
from naff.models.discord.file import UPLOADABLE_TYPE
from naff.models.discord.modal import Modal
from naff.models.naff.active_voice_state import ActiveVoiceState
from naff.models.naff.application_commands import ModalCommand
from naff.models.naff.auto_defer import AutoDefer
from naff.models.naff.hybrid_commands import _prefixed_from_slash, _base_subcommand_generator
from naff.models.naff.listener import Listener
from naff.models.naff.tasks import Task
if TYPE_CHECKING:
from naff.models import Snowflake_Type, TYPE_ALL_CHANNEL
__all__ = ("Client",)
# see https://discord.com/developers/docs/topics/gateway#list-of-intents
_INTENT_EVENTS: dict[BaseEvent, list[Intents]] = {
# Intents.GUILDS
events.GuildJoin: [Intents.GUILDS],
events.GuildLeft: [Intents.GUILDS],
events.GuildUpdate: [Intents.GUILDS],
events.RoleCreate: [Intents.GUILDS],
events.RoleDelete: [Intents.GUILDS],
events.RoleUpdate: [Intents.GUILDS],
events.ChannelCreate: [Intents.GUILDS],
events.ChannelDelete: [Intents.GUILDS],
events.ChannelUpdate: [Intents.GUILDS],
events.ThreadCreate: [Intents.GUILDS],
events.ThreadDelete: [Intents.GUILDS],
events.ThreadListSync: [Intents.GUILDS],
events.ThreadMemberUpdate: [Intents.GUILDS],
events.ThreadUpdate: [Intents.GUILDS],
events.StageInstanceCreate: [Intents.GUILDS],
events.StageInstanceDelete: [Intents.GUILDS],
events.StageInstanceUpdate: [Intents.GUILDS],
# Intents.GUILD_MEMBERS
events.MemberAdd: [Intents.GUILD_MEMBERS],
events.MemberRemove: [Intents.GUILD_MEMBERS],
events.MemberUpdate: [Intents.GUILD_MEMBERS],
# Intents.GUILD_BANS
events.BanCreate: [Intents.GUILD_BANS],
events.BanRemove: [Intents.GUILD_BANS],
# Intents.GUILD_EMOJIS_AND_STICKERS
events.GuildEmojisUpdate: [Intents.GUILD_EMOJIS_AND_STICKERS],
events.GuildStickersUpdate: [Intents.GUILD_EMOJIS_AND_STICKERS],
# Intents.GUILD_BANS
events.IntegrationCreate: [Intents.GUILD_INTEGRATIONS],
events.IntegrationDelete: [Intents.GUILD_INTEGRATIONS],
events.IntegrationUpdate: [Intents.GUILD_INTEGRATIONS],
# Intents.GUILD_WEBHOOKS
events.WebhooksUpdate: [Intents.GUILD_WEBHOOKS],
# Intents.GUILD_INVITES
events.InviteCreate: [Intents.GUILD_INVITES],
events.InviteDelete: [Intents.GUILD_INVITES],
# Intents.GUILD_VOICE_STATES
events.VoiceStateUpdate: [Intents.GUILD_VOICE_STATES],
# Intents.GUILD_PRESENCES
events.PresenceUpdate: [Intents.GUILD_PRESENCES],
# Intents.GUILD_MESSAGES
events.MessageDeleteBulk: [Intents.GUILD_MESSAGES],
# Intents.AUTO_MODERATION_CONFIGURATION
events.AutoModExec: [Intents.AUTO_MODERATION_EXECUTION, Intents.AUTO_MOD],
# Intents.AUTO_MODERATION_CONFIGURATION
events.AutoModCreated: [Intents.AUTO_MODERATION_CONFIGURATION, Intents.AUTO_MOD],
events.AutoModUpdated: [Intents.AUTO_MODERATION_CONFIGURATION, Intents.AUTO_MOD],
events.AutoModDeleted: [Intents.AUTO_MODERATION_CONFIGURATION, Intents.AUTO_MOD],
# multiple intents
events.ThreadMembersUpdate: [Intents.GUILDS, Intents.GUILD_MEMBERS],
events.TypingStart: [Intents.GUILD_MESSAGE_TYPING, Intents.DIRECT_MESSAGE_TYPING, Intents.TYPING],
events.MessageUpdate: [Intents.GUILD_MESSAGES, Intents.DIRECT_MESSAGES, Intents.MESSAGES],
events.MessageCreate: [Intents.GUILD_MESSAGES, Intents.DIRECT_MESSAGES, Intents.MESSAGES],
events.MessageDelete: [Intents.GUILD_MESSAGES, Intents.DIRECT_MESSAGES, Intents.MESSAGES],
events.ChannelPinsUpdate: [Intents.GUILDS, Intents.DIRECT_MESSAGES],
events.MessageReactionAdd: [Intents.GUILD_MESSAGE_REACTIONS, Intents.DIRECT_MESSAGE_REACTIONS, Intents.REACTIONS],
events.MessageReactionRemove: [
Intents.GUILD_MESSAGE_REACTIONS,
Intents.DIRECT_MESSAGE_REACTIONS,
Intents.REACTIONS,
],
events.MessageReactionRemoveAll: [
Intents.GUILD_MESSAGE_REACTIONS,
Intents.DIRECT_MESSAGE_REACTIONS,
Intents.REACTIONS,
],
}
class Client(
processors.AutoModEvents,
processors.ChannelEvents,
processors.GuildEvents,
processors.MemberEvents,
processors.MessageEvents,
processors.ReactionEvents,
processors.RoleEvents,
processors.StageEvents,
processors.ThreadEvents,
processors.UserEvents,
processors.VoiceEvents,
):
"""
The bot client.
Args:
intents: The intents to use
default_prefix: The default prefix (or prefixes) to use for prefixed commands. Defaults to your bot being mentioned.
generate_prefixes: A coroutine that returns a string or an iterable of strings to determine prefixes.
status: The status the bot should log in with (IE ONLINE, DND, IDLE)
activity: The activity the bot should log in "playing"
sync_interactions: Should application commands be synced with discord?
delete_unused_application_cmds: Delete any commands from discord that aren't implemented in this client
enforce_interaction_perms: Enforce discord application command permissions, locally
fetch_members: Should the client fetch members from guilds upon startup (this will delay the client being ready)
send_command_tracebacks: Automatically send uncaught tracebacks if a command throws an exception
auto_defer: AutoDefer: A system to automatically defer commands after a set duration
interaction_context: Type[InteractionContext]: InteractionContext: The object to instantiate for Interaction Context
prefixed_context: Type[PrefixedContext]: The object to instantiate for Prefixed Context
component_context: Type[ComponentContext]: The object to instantiate for Component Context
autocomplete_context: Type[AutocompleteContext]: The object to instantiate for Autocomplete Context
modal_context: Type[ModalContext]: The object to instantiate for Modal Context
hybrid_context: Type[HybridContext]: The object to instantiate for Hybrid Context
total_shards: The total number of shards in use
shard_id: The zero based int ID of this shard
debug_scope: Force all application commands to be registered within this scope
basic_logging: Utilise basic logging to output library data to console. Do not use in combination with `Client.logger`
logging_level: The level of logging to use for basic_logging. Do not use in combination with `Client.logger`
logger: The logger NAFF should use. Do not use in combination with `Client.basic_logging` and `Client.logging_level`. Note: Different loggers with multiple clients are not supported
Optionally, you can configure the caches here, by specifying the name of the cache, followed by a dict-style object to use.
It is recommended to use `smart_cache.create_cache` to configure the cache here.
as an example, this is a recommended attribute `message_cache=create_cache(250, 50)`,
???+ note "Intents Note"
By default, all non-privileged intents will be enabled
???+ note "Caching Note"
Setting a message cache hard limit to None is not recommended, as it could result in extremely high memory usage, we suggest a sane limit.
"""
def __init__(
self,
*,
activity: Union[Activity, str] = None,
auto_defer: Absent[Union[AutoDefer, bool]] = MISSING,
autocomplete_context: Type[AutocompleteContext] = AutocompleteContext,
component_context: Type[ComponentContext] = ComponentContext,
debug_scope: Absent["Snowflake_Type"] = MISSING,
default_prefix: str | Iterable[str] = MENTION_PREFIX,
delete_unused_application_cmds: bool = False,
enforce_interaction_perms: bool = True,
fetch_members: bool = False,
generate_prefixes: Absent[Callable[..., Coroutine]] = MISSING,
global_post_run_callback: Absent[Callable[..., Coroutine]] = MISSING,
global_pre_run_callback: Absent[Callable[..., Coroutine]] = MISSING,
intents: Union[int, Intents] = Intents.DEFAULT,
interaction_context: Type[InteractionContext] = InteractionContext,
logger: logging.Logger = logger,
owner_ids: Iterable["Snowflake_Type"] = (),
modal_context: Type[ModalContext] = ModalContext,
prefixed_context: Type[PrefixedContext] = PrefixedContext,
hybrid_context: Type[HybridContext] = HybridContext,
send_command_tracebacks: bool = True,
shard_id: int = 0,
status: Status = Status.ONLINE,
sync_interactions: bool = True,
sync_ext: bool = True,
total_shards: int = 1,
basic_logging: bool = False,
logging_level: int = logging.INFO,
**kwargs,
) -> None:
if basic_logging:
logging.basicConfig()
logger.setLevel(logging_level)
# Set Up logger and overwrite the constant
self.logger = logger
"""The logger NAFF should use. Do not use in combination with `Client.basic_logging` and `Client.logging_level`.
!!! note
Different loggers with multiple clients are not supported"""
constants.logger = logger
# Configuration
self.sync_interactions: bool = sync_interactions
"""Should application commands be synced"""
self.del_unused_app_cmd: bool = delete_unused_application_cmds
"""Should unused application commands be deleted?"""
self.sync_ext: bool = sync_ext
"""Should we sync whenever a extension is (un)loaded"""
self.debug_scope = to_snowflake(debug_scope) if debug_scope is not MISSING else MISSING
"""Sync global commands as guild for quicker command updates during debug"""
self.default_prefix = default_prefix
"""The default prefix to be used for prefixed commands"""
self.generate_prefixes = generate_prefixes if generate_prefixes is not MISSING else self.generate_prefixes
"""A coroutine that returns a prefix or an iterable of prefixes, for dynamic prefixes"""
self.send_command_tracebacks: bool = send_command_tracebacks
"""Should the traceback of command errors be sent in reply to the command invocation"""
if auto_defer is True:
auto_defer = AutoDefer(enabled=True)
else:
auto_defer = auto_defer or AutoDefer()
self.auto_defer = auto_defer
"""A system to automatically defer commands after a set duration"""
self.intents = intents if isinstance(intents, Intents) else Intents(intents)
# resources
self.http: HTTPClient = HTTPClient()
"""The HTTP client to use when interacting with discord endpoints"""
# context objects
self.interaction_context: Type[InteractionContext] = interaction_context
"""The object to instantiate for Interaction Context"""
self.prefixed_context: Type[PrefixedContext] = prefixed_context
"""The object to instantiate for Prefixed Context"""
self.component_context: Type[ComponentContext] = component_context
"""The object to instantiate for Component Context"""
self.autocomplete_context: Type[AutocompleteContext] = autocomplete_context
"""The object to instantiate for Autocomplete Context"""
self.modal_context: Type[ModalContext] = modal_context
"""The object to instantiate for Modal Context"""
self.hybrid_context: Type[HybridContext] = hybrid_context
"""The object to instantiate for Hybrid Context"""
# flags
self._ready = asyncio.Event()
self._closed = False
self._startup = False
self._guild_event = asyncio.Event()
self.guild_event_timeout = 3
"""How long to wait for guilds to be cached"""
# Sharding
self.total_shards = total_shards
self._connection_state: ConnectionState = ConnectionState(self, intents, shard_id)
self.enforce_interaction_perms = enforce_interaction_perms
self.fetch_members = fetch_members
"""Fetch the full members list of all guilds on startup"""
self._mention_reg = MISSING
# caches
self.cache: GlobalCache = GlobalCache(self, **{k: v for k, v in kwargs.items() if hasattr(GlobalCache, k)})
# these store the last sent presence data for change_presence
self._status: Status = status
if isinstance(activity, str):
self._activity = Activity.create(name=str(activity))
else:
self._activity: Activity = activity
self._user: Absent[NaffUser] = MISSING
self._app: Absent[Application] = MISSING
# collections
self.prefixed_commands: Dict[str, PrefixedCommand] = {}
"""A dictionary of registered prefixed commands: `{name: command}`"""
self.interactions: Dict["Snowflake_Type", Dict[str, InteractionCommand]] = {}
"""A dictionary of registered application commands: `{cmd_id: command}`"""
self._component_callbacks: Dict[str, Callable[..., Coroutine]] = {}
self._modal_callbacks: Dict[str, Callable[..., Coroutine]] = {}
self._interaction_scopes: Dict["Snowflake_Type", "Snowflake_Type"] = {}
self.processors: Dict[str, Callable[..., Coroutine]] = {}
self.__modules = {}
self.ext = {}
"""A dictionary of mounted ext"""
self.listeners: Dict[str, List] = {}
self.waits: Dict[str, List] = {}
self.owner_ids: set[Snowflake_Type] = set(owner_ids)
self.async_startup_tasks: list[Coroutine] = []
"""A list of coroutines to run during startup"""
# callbacks
if global_pre_run_callback:
if asyncio.iscoroutinefunction(global_pre_run_callback):
self.pre_run_callback: Callable[..., Coroutine] = global_pre_run_callback
else:
raise TypeError("Callback must be a coroutine")
else:
self.pre_run_callback = MISSING
if global_post_run_callback:
if asyncio.iscoroutinefunction(global_post_run_callback):
self.post_run_callback: Callable[..., Coroutine] = global_post_run_callback
else:
raise TypeError("Callback must be a coroutine")
else:
self.post_run_callback = MISSING
super().__init__()
self._sanity_check()
@property
def is_closed(self) -> bool:
"""Returns True if the bot has closed."""
return self._closed
@property
def is_ready(self) -> bool:
"""Returns True if the bot is ready."""
return self._ready.is_set()
@property
def latency(self) -> float:
"""Returns the latency of the websocket connection."""
return self._connection_state.latency
@property
def average_latency(self) -> float:
"""Returns the average latency of the websocket connection."""
return self._connection_state.average_latency
@property
def start_time(self) -> datetime:
"""The start time of the bot."""
return self._connection_state.start_time
@property
def gateway_started(self) -> bool:
"""Returns if the gateway has been started."""
return self._connection_state.gateway_started.is_set()
@property
def user(self) -> NaffUser:
"""Returns the bot's user."""
return self._user
@property
def app(self) -> Application:
"""Returns the bots application."""
return self._app
@property
def owner(self) -> Optional["User"]:
"""Returns the bot's owner'."""
try:
return self.app.owner
except TypeError:
return MISSING
@property
def owners(self) -> List["User"]:
"""Returns the bot's owners as declared via `client.owner_ids`."""
return [self.get_user(u_id) for u_id in self.owner_ids]
@property
def guilds(self) -> List["Guild"]:
"""Returns a list of all guilds the bot is in."""
return self.user.guilds
@property
def status(self) -> Status:
"""
Get the status of the bot.
IE online, afk, dnd
"""
return self._status
@property
def activity(self) -> Activity:
"""Get the activity of the bot."""
return self._activity
@property
def application_commands(self) -> List[InteractionCommand]:
"""A list of all application commands registered within the bot."""
commands = []
for scope in self.interactions.keys():
commands += [cmd for cmd in self.interactions[scope].values() if cmd not in commands]
return commands
@property
def ws(self) -> GatewayClient:
"""Returns the websocket client."""
return self._connection_state.gateway
def get_guild_websocket(self, id: "Snowflake_Type") -> GatewayClient:
return self.ws
def _sanity_check(self) -> None:
"""Checks for possible and common errors in the bot's configuration."""
logger.debug("Running client sanity checks...")
contexts = {
self.interaction_context: InteractionContext,
self.prefixed_context: PrefixedContext,
self.component_context: ComponentContext,
self.autocomplete_context: AutocompleteContext,
self.modal_context: ModalContext,
self.hybrid_context: HybridContext,
}
for obj, expected in contexts.items():
if not issubclass(obj, expected):
raise TypeError(f"{obj.__name__} must inherit from {expected.__name__}")
if self.del_unused_app_cmd:
logger.warning(
"As `delete_unused_application_cmds` is enabled, the client must cache all guilds app-commands, this could take a while."
)
if Intents.GUILDS not in self._connection_state.intents:
logger.warning("GUILD intent has not been enabled; this is very likely to cause errors")
if self.fetch_members and Intents.GUILD_MEMBERS not in self._connection_state.intents:
raise BotException("Members Intent must be enabled in order to use fetch members")
elif self.fetch_members:
logger.warning("fetch_members enabled; startup will be delayed")
if len(self.processors) == 0:
logger.warning("No Processors are loaded! This means no events will be processed!")
async def generate_prefixes(self, bot: "Client", message: Message) -> str | Iterable[str]:
"""
A method to get the bot's default_prefix, can be overridden to add dynamic prefixes.
!!! note
To easily override this method, simply use the `generate_prefixes` parameter when instantiating the client
Args:
bot: A reference to the client
message: A message to determine the prefix from.
Example:
```python
async def generate_prefixes(bot, message):
if message.guild.id == 870046872864165888:
return ["!"]
return bot.default_prefix
bot = Client(generate_prefixes=generate_prefixes, ...)
```
Returns:
A string or an iterable of strings to use as a prefix. By default, this will return `client.default_prefix`
"""
return self.default_prefix
def _queue_task(self, coro: Listener, event: BaseEvent, *args, **kwargs) -> asyncio.Task:
async def _async_wrap(_coro: Listener, _event: BaseEvent, *_args, **_kwargs) -> None:
try:
if len(_event.__attrs_attrs__) == 2:
# override_name & bot
await _coro()
else:
await _coro(_event, *_args, **_kwargs)
except asyncio.CancelledError:
pass
except Exception as e:
if isinstance(event, events.Error):
# No infinite loops please
self.default_error_handler(repr(event), e)
else:
self.dispatch(events.Error(repr(event), e))
wrapped = _async_wrap(coro, event, *args, **kwargs)
return asyncio.create_task(wrapped, name=f"naff:: {event.resolved_name}")
@staticmethod
def default_error_handler(source: str, error: BaseException) -> None:
"""
The default error logging behaviour.
Args:
source: The source of this error
error: The exception itself
"""
out = traceback.format_exception(error)
if isinstance(error, HTTPException):
# HTTPException's are of 3 known formats, we can parse them for human readable errors
try:
errors = error.search_for_message(error.errors)
out = f"HTTPException: {error.status}|{error.response.reason}: " + "\n".join(errors)
except Exception: # noqa : S110
pass
logger.error(
"Ignoring exception in {}:{}{}".format(source, "\n" if len(out) > 1 else " ", "".join(out)),
)
@Listener.create()
async def _on_error(self, event: events.Error) -> None:
await self.on_error(event.source, event.error, *event.args, **event.kwargs)
async def on_error(self, source: str, error: Exception, *args, **kwargs) -> None:
"""
Catches all errors dispatched by the library.
By default it will format and print them to console
Override this to change error handling behaviour
"""
self.default_error_handler(source, error)
async def on_command_error(self, ctx: SendableContext, error: Exception, *args, **kwargs) -> None:
"""
Catches all errors dispatched by commands.
By default it will call `Client.on_error`
Override this to change error handling behavior
"""
self.dispatch(events.Error(f"cmd /`{ctx.invoke_target}`", error, args, kwargs, ctx))
try:
if isinstance(error, errors.CommandOnCooldown):
await ctx.send(
embeds=Embed(
description=f"This command is on cooldown!\n"
f"Please try again in {int(error.cooldown.get_cooldown_time())} seconds",
color=BrandColors.FUCHSIA,
)
)
elif isinstance(error, errors.MaxConcurrencyReached):
await ctx.send(
embeds=Embed(
description="This command has reached its maximum concurrent usage!\n"
"Please try again shortly.",
color=BrandColors.FUCHSIA,
)
)
elif isinstance(error, errors.CommandCheckFailure):
await ctx.send(
embeds=Embed(
description="You do not have permission to run this command!",
color=BrandColors.YELLOW,
)
)
elif self.send_command_tracebacks:
out = "".join(traceback.format_exception(error))
if self.http.token is not None:
out = out.replace(self.http.token, "[REDACTED TOKEN]")
await ctx.send(
embeds=Embed(
title=f"Error: {type(error).__name__}",
color=BrandColors.RED,
description=f"```\n{out[:EMBED_MAX_DESC_LENGTH-8]}```",
)
)
except errors.NaffException:
pass
async def on_command(self, ctx: Context) -> None:
"""
Called *after* any command is ran.
By default, it will simply log the command, override this to change that behaviour
Args:
ctx: The context of the command that was called
"""
if isinstance(ctx, PrefixedContext):
symbol = "@"
elif isinstance(ctx, InteractionContext):
symbol = "/"
else:
symbol = "?" # likely custom context
logger.info(f"Command Called: {symbol}{ctx.invoke_target} with {ctx.args = } | {ctx.kwargs = }")
async def on_component_error(self, ctx: ComponentContext, error: Exception, *args, **kwargs) -> None:
"""
Catches all errors dispatched by components.
By default it will call `Naff.on_error`
Override this to change error handling behavior
"""
return self.dispatch(events.Error(f"Component Callback for {ctx.custom_id}", error, args, kwargs, ctx))
async def on_component(self, ctx: ComponentContext) -> None:
"""
Called *after* any component callback is ran.
By default, it will simply log the component use, override this to change that behaviour
Args:
ctx: The context of the component that was called
"""
symbol = "¢"
logger.info(f"Component Called: {symbol}{ctx.invoke_target} with {ctx.args = } | {ctx.kwargs = }")
async def on_autocomplete_error(self, ctx: AutocompleteContext, error: Exception, *args, **kwargs) -> None:
"""
Catches all errors dispatched by autocompletion options.
By default it will call `Naff.on_error`
Override this to change error handling behavior
"""
return self.dispatch(
events.Error(
f"Autocomplete Callback for /{ctx.invoke_target} - Option: {ctx.focussed_option}",
error,
args,
kwargs,
ctx,
)
)
async def on_autocomplete(self, ctx: AutocompleteContext) -> None:
"""
Called *after* any autocomplete callback is ran.
By default, it will simply log the autocomplete callback, override this to change that behaviour
Args:
ctx: The context of the command that was called
"""
symbol = "$"
logger.info(f"Autocomplete Called: {symbol}{ctx.invoke_target} with {ctx.args = } | {ctx.kwargs = }")
@Listener.create()
async def on_resume(self) -> None:
self._ready.set()
@Listener.create()
async def _on_websocket_ready(self, event: events.RawGatewayEvent) -> None:
"""
Catches websocket ready and determines when to dispatch the client `READY` signal.
Args:
event: The websocket ready packet
"""
data = event.data
expected_guilds = {to_snowflake(guild["id"]) for guild in data["guilds"]}
self._user._add_guilds(expected_guilds)
if not self._startup:
while True:
try: # wait to let guilds cache
await asyncio.wait_for(self._guild_event.wait(), self.guild_event_timeout)
except asyncio.TimeoutError:
logger.warning("Timeout waiting for guilds cache: Not all guilds will be in cache")
break
self._guild_event.clear()
if len(self.cache.guild_cache) == len(expected_guilds):
# all guilds cached
break
if self.fetch_members:
# ensure all guilds have completed chunking
for guild in self.guilds:
if guild and not guild.chunked.is_set():
logger.debug(f"Waiting for {guild.id} to chunk")
await guild.chunked.wait()
# run any pending startup tasks
if self.async_startup_tasks:
try:
await asyncio.gather(*self.async_startup_tasks)
except Exception as e:
self.dispatch(events.Error("async-extension-loader", e))
# cache slash commands
if not self._startup:
await self._init_interactions()
self._startup = True
self.dispatch(events.Startup())
else:
# reconnect ready
ready_guilds = set()
async def _temp_listener(_event: events.RawGatewayEvent) -> None:
ready_guilds.add(_event.data["id"])
listener = Listener.create("_on_raw_guild_create")(_temp_listener)
self.add_listener(listener)
while True:
try:
await asyncio.wait_for(self._guild_event.wait(), self.guild_event_timeout)
if len(ready_guilds) == len(expected_guilds):
break
except asyncio.TimeoutError:
break
self.listeners["raw_guild_create"].remove(listener)
self._ready.set()
self.dispatch(events.Ready())
async def login(self, token) -> None:
"""
Login to discord via http.
!!! note
You will need to run Naff.start_gateway() before you start receiving gateway events.
Args:
token str: Your bot's token
"""
# i needed somewhere to put this call,
# login will always run after initialisation
# so im gathering commands here
self._gather_commands()
logger.debug("Attempting to login")
me = await self.http.login(token.strip())
self._user = NaffUser.from_dict(me, self)
self.cache.place_user_data(me)
self._app = Application.from_dict(await self.http.get_current_bot_information(), self)
self._mention_reg = re.compile(rf"^(<@!?{self.user.id}*>\s)")
if self.app.owner:
self.owner_ids.add(self.app.owner.id)
self.dispatch(events.Login())
async def astart(self, token: str) -> None:
"""
Asynchronous method to start the bot.
Args:
token: Your bot's token
"""
await self.login(token)
try:
await self._connection_state.start()
finally:
await self.stop()
def start(self, token: str) -> None:
"""
Start the bot.
info:
This is the recommended method to start the bot
"""
try:
asyncio.run(self.astart(token))
except KeyboardInterrupt:
# ignore, cus this is useless and can be misleading to the
# user
pass
async def start_gateway(self) -> None:
"""Starts the gateway connection."""
try:
await self._connection_state.start()
finally:
await self.stop()
async def stop(self) -> None:
"""Shutdown the bot."""
logger.debug("Stopping the bot.")
self._ready.clear()
await self.http.close()
await self._connection_state.stop()
def dispatch(self, event: events.BaseEvent, *args, **kwargs) -> None:
"""
Dispatch an event.
Args:
event: The event to be dispatched.
"""
listeners = self.listeners.get(event.resolved_name, [])
if listeners:
logger.debug(f"Dispatching Event: {event.resolved_name}")
event.bot = self
for _listen in listeners:
try:
self._queue_task(_listen, event, *args, **kwargs)
except Exception as e:
raise BotException(
f"An error occurred attempting during {event.resolved_name} event processing"
) from e
_waits = self.waits.get(event.resolved_name, [])
if _waits:
index_to_remove = []
for i, _wait in enumerate(_waits):
result = _wait(event)
if result:
index_to_remove.append(i)
for idx in sorted(index_to_remove, reverse=True):
_waits.pop(idx)
async def wait_until_ready(self) -> None:
"""Waits for the client to become ready."""
await self._ready.wait()
def wait_for(
self,
event: Union[str, "BaseEvent"],
checks: Absent[Optional[Callable[..., bool]]] = MISSING,
timeout: Optional[float] = None,
) -> Any:
"""
Waits for a WebSocket event to be dispatched.
Args:
event: The name of event to wait.
checks: A predicate to check what to wait for.
timeout: The number of seconds to wait before timing out.
Returns:
The event object.
"""
event = get_event_name(event)
if event not in self.waits:
self.waits[event] = []
future = asyncio.Future()
self.waits[event].append(Wait(event, checks, future))
return asyncio.wait_for(future, timeout)
async def wait_for_modal(
self,
modal: "Modal",
author: Optional["Snowflake_Type"] = None,
timeout: Optional[float] = None,
) -> ModalContext:
"""
Wait for a modal response.
Args:
modal: The modal we're waiting for.
author: The user we're waiting for to reply
timeout: A timeout in seconds to stop waiting
Returns:
The context of the modal response
Raises:
asyncio.TimeoutError: if no response is received that satisfies the predicate before timeout seconds have passed
"""
author = to_snowflake(author) if author else None
def predicate(event) -> bool:
if modal.custom_id != event.context.custom_id:
return False
if author and author != to_snowflake(event.context.author):
return False
return True
resp = await self.wait_for("modal_response", predicate, timeout)
return resp.context
async def wait_for_component(
self,
messages: Union[Message, int, list] = None,
components: Optional[
Union[List[List[Union["BaseComponent", dict]]], List[Union["BaseComponent", dict]], "BaseComponent", dict]
] = None,
check: Optional[Callable] = None,
timeout: Optional[float] = None,
) -> "Component":
"""
Waits for a component to be sent to the bot.
Args:
messages: The message object to check for.
components: The components to wait for.
check: A predicate to check what to wait for.
timeout: The number of seconds to wait before timing out.
Returns:
`Component` that was invoked. Use `.context` to get the `ComponentContext`.
Raises:
asyncio.TimeoutError: if timed out
"""
if not (messages or components):
raise ValueError("You must specify messages or components (or both)")
message_ids = (
to_snowflake_list(messages) if isinstance(messages, list) else to_snowflake(messages) if messages else None
)
custom_ids = list(get_components_ids(components)) if components else None