-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathmain.py
907 lines (706 loc) · 33.1 KB
/
main.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
import asyncio
import logging
import logging.handlers
import sys
import argparse
import discord
from discord import app_commands
import config
import utils
from enum import Enum
from chatbots.hugging_face_chatbot import HuggingFaceChatBot
from chatbots.poe_chatbot import PoeChatBot
# Configure logging
logging.getLogger().handlers.clear() # Remove root logger stream output
discord.utils.setup_logging(level=config.LOGGING_LEVEL)
logger = logging.getLogger('discord')
handler = logging.handlers.RotatingFileHandler(
filename='discord.log',
encoding='utf-8',
maxBytes=32 * 1024 * 1024, # 32 MiB
backupCount=5, # Rotate through 5 files
)
dt_fmt = '%Y-%m-%d %H:%M:%S'
formatter = logging.Formatter(
'[{asctime}] [{levelname:<8}] {name}: {message}', dt_fmt, style='{')
handler.setFormatter(formatter)
logger.addHandler(handler)
# Create Discord client with appropriate intents
intents = discord.Intents.default()
intents.message_content = True
client = discord.Client(intents=intents)
# Create command tree for Discord slash commands
tree = app_commands.CommandTree(client)
# Initialize chatbot object
chatbot = None
# Define enums
class BotType(Enum):
POE = "poe"
HUGGING_FACE = "hugging-face"
class ChannelMonitorMode(Enum):
NONE = "none"
ALL = "all"
class QueryStatus(Enum):
SUCCESS = 0
QUERY_ATTRIBUTE_ERROR = 2
UNKNOWN_QUERY_ERROR = 1
EMPTY_RESPONSE_ERROR = 3
UNKNOWN_RESPONSE_ERROR = 4
# Initialize variables
nicknames = {} # Nickname list
channel_whitelist = [] # Initialize channel whitelist
channel_blacklist = [] # Initialize channel blacklist
current_bot = BotType.POE # Current bot
current_channel_monitor_mode = ChannelMonitorMode.ALL # Current monitor mode
current_name_prefix_mode = True # Current name prefix mode
@tree.command(name="send-to-channel", description="Send a message to the bot in a channel without showing your message")
async def handle_send_to_channel_command(interaction, user_input: str, channel: discord.TextChannel, delay: float = 0.0, show_input: bool = True):
"""
Command to send a message to the current bot in a channel without showing your message.
"""
try:
# Defer sending message as query takes time
await interaction.response.defer()
if (delay > 0.0):
logger.info(
f"Recieved /send_to_channel command with {delay} seconds delay...")
await asyncio.sleep(delay)
# Send user input in embeds for preview
if show_input:
embeds = create_embeds(user_input)
await interaction.followup.send(content=f"> The following message had been sent to channel `{channel.name} ({channel.id})`.", embeds=embeds)
async with channel.typing():
# Add name prefix
if current_name_prefix_mode:
author_name = nicknames.get(
str(interaction.user.id), interaction.user.name)
user_input = add_prefix_to_message(
f"{author_name}: ", user_input)
logger.info(
f"Input from {interaction.user.name} to channel {channel.name} ({channel.id}) (via /send-to-channel): {user_input}")
status, response = await query(user_input)
response = format_response_based_on_status(response, status)
await channel.send(content=response)
except Exception as e:
logger.exception(f"send_to_channel error: {type(e).__name__} - {e}")
await interaction.followup.send(f"> Sorry, an error occured while trying to send the message to channel.\n\n`{type(e).__name__} - {e}`")
@tree.command(name="send", description="Send a message to the bot")
async def handle_send_command(interaction, user_input: str, delay: float = 0.0, show_input: bool = True):
"""
Command to send a message to the current chatbot.
"""
try:
# Defer sending message as query takes time
await interaction.response.defer()
if (delay > 0.0):
logger.info(
f"Recieved /send command with {delay} seconds delay...")
await asyncio.sleep(delay)
# Send user input in embeds for preview
if show_input:
embeds = create_embeds(user_input)
await interaction.followup.send(embeds=embeds)
async with interaction.channel.typing():
# Add name prefix
if current_name_prefix_mode:
author_name = nicknames.get(
str(interaction.user.id), interaction.user.name)
user_input = add_prefix_to_message(
f"{author_name}: ", user_input)
logger.info(
f"Input from {interaction.user.name} (via /send): {user_input}")
status, response = await query(user_input)
response = format_response_based_on_status(response, status)
await interaction.followup.send(content=response)
except Exception as e:
logger.exception(f"send error: {type(e).__name__} - {e}")
await interaction.followup.send(f"> Sorry, an error occured while trying to send the message.\n\n`{type(e).__name__} - {e}`")
@tree.command(name="get-bot", description="Get the current bot")
async def handle_get_bot_command(interaction):
"""
Command to get the current chatbot.
"""
try:
bot_name = get_bot()
message = f"> The current chatbot is: `{bot_name}`."
logger.info(message)
await interaction.response.send_message(message)
except Exception as e:
logger.exception(f"get_bot error: {type(e).__name__} - {e}")
await interaction.response.send_message(f"> Sorry, an error occured while trying to get bot.\n\n`{type(e).__name__} - {e}`")
@tree.command(name="get-available-bot", description="Get available chatbot")
async def handle_get_available_bot_command(interaction):
"""
Command to get available chatbot.
"""
try:
bots = ", ".join([bot.value for bot in BotType])
message = f"> Available chatbot: `{bots}`."
logger.info(message)
await interaction.response.send_message(message)
except Exception as e:
logger.exception(f"get_bot error: {type(e).__name__} - {e}")
await interaction.response.send_message(f"> Sorry, an error occured while trying to get available bot.\n\n`{type(e).__name__} - {e}`")
@tree.command(name="change-bot", description="Change the current bot")
async def handle_change_bot_command(interaction, bot_name: str = None):
"""
Command to change the current chatbot.
"""
try:
# Defer sending message as changing bot takes time
await interaction.response.defer()
success = change_bot(bot_name)
if success:
message = f"> Bot has been changed to: `{bot_name}`."
else:
bots = ", ".join([bot.value for bot in BotType])
message = f"> Bot `{bot_name}` is invalid, available bot: {bots}."
logger.info(message)
await interaction.followup.send(message)
except Exception as e:
logger.exception(f"change_bot error: {type(e).__name__} - {e}")
await interaction.followup.send(f"> Sorry, an error occured while trying to change bot.\n\n`{type(e).__name__} - {e}`")
@tree.command(name="reset-bot", description="Reset the current bot")
async def handle_reset_bot_command(interaction):
"""
Command to change the reset chatbot.
"""
try:
# Defer sending message as changing bot takes time
await interaction.response.defer()
success = change_bot(current_bot)
if success:
message = "> Bot has been reset."
else:
message = "> Fail to reset bot, please try again."
logger.info(message)
await interaction.followup.send(message)
except Exception as e:
logger.exception(f"reset_bot error: {type(e).__name__} - {e}")
await interaction.followup.send(f"> Sorry, an error occured while trying to reset bot.\n\n`{type(e).__name__} - {e}`")
@tree.command(name="get-available-model", description="Get the current chatbot available model")
async def handle_get_availble_model_command(interaction):
"""
Command to get the current availble chatbot model.
"""
try:
model_names = chatbot.get_available_models()
message = f"> Availble chatbot model: `{model_names}`."
logger.info(message)
await interaction.response.send_message(message)
except Exception as e:
logger.exception(f"get_model error: {type(e).__name__} - {e}")
await interaction.response.send_message(f"> Sorry, an error occured while trying to get availble model.\n\n`{type(e).__name__} - {e}`")
@tree.command(name="get-model", description="Get the current chatbot model")
async def handle_get_model_command(interaction):
"""
Command to get the current chatbot model.
"""
try:
model_name = chatbot.get_model()
message = f"> The current chatbot model is: `{model_name}`."
logger.info(message)
await interaction.response.send_message(message)
except Exception as e:
logger.exception(f"get_model error: {type(e).__name__} - {e}")
await interaction.response.send_message(f"> Sorry, an error occured while trying to get model.\n\n`{type(e).__name__} - {e}`")
@tree.command(name="change-model", description="Change the chatbot model")
async def handle_change_model_command(interaction, model_name: str = None):
"""
Command to change the chatbot model.
"""
try:
success = chatbot.change_model(model_name)
if success:
message = f"> Model has been changed to: `{model_name}`."
else:
if current_bot == BotType.POE:
available_models = ", ".join(
[f"`{value}`" for key, value in chatbot.get_available_models()])
message = f"> Model `{model_name}` is invalid, available models: {available_models}."
elif current_bot == BotType.HUGGING_FACE:
available_models = chatbot.get_available_models()
message = f"> Model `{model_name}` is invalid, available models: {available_models}."
logger.info(message)
await interaction.response.send_message(message)
except Exception as e:
logger.exception(f"change_model error: {type(e).__name__} - {e}")
await interaction.response.send_message(f"> Sorry, an error occured while trying to change model.\n\n`{type(e).__name__} - {e}`")
@tree.command(name="reset-model", description="Reset the current model to the default one")
async def handle_reset_model_command(interaction):
"""
Command to reset the model to the default one.
"""
try:
default_model = None
if current_bot == BotType.POE:
default_model = config.POE_MODEL
elif current_bot == BotType.HUGGING_FACE:
default_model = config.HUGGING_FACE_MODEL
success = chatbot.change_model(default_model)
if success:
message = f"> Model has been reset to the default one: `{default_model}`."
logger.info(message)
else:
message = f"> Failed to reset the model to the default one: `{default_model}`."
logger.warning(message)
await interaction.response.send_message(message)
except Exception as e:
logger.exception(f"reset_model error: {type(e).__name__} - {e}")
await interaction.response.send_message(f"> Sorry, an error occured while trying to reset model.\n\n`{type(e).__name__} - {e}`")
@tree.command(name="change-token", description="Change the API token")
async def handle_change_token_command(interaction, token: str):
"""
Command to change the API token.
"""
try:
success = chatbot.change_token(token)
if success:
message = "> API token has been changed."
logger.info(message)
else:
message = "> Failed to change API token."
logger.warning(message)
await interaction.response.send_message(message)
except Exception as e:
logger.exception(f"change_token error: {type(e).__name__} - {e}")
await interaction.response.send_message(f"> Sorry, an error occured while trying to change token.\n\n`{type(e).__name__} - {e}`")
@tree.command(name="reset-token", description="Reset the API token to the default one")
async def handle_reset_token_command(interaction):
"""
Command to reset the API token to the default one.
"""
try:
success = chatbot.change_token(config.HUGGING_FACE_TOKEN)
if success:
message = "> API token has been reset to the default one."
logger.info(message)
else:
message = "> Failed to reset API token to the default one."
logger.warning(message)
await interaction.response.send_message(message)
except Exception as e:
logger.exception(f"reset_token error: {type(e).__name__} - {e}")
await interaction.response.send_message(f"> Sorry, an error occured while trying to reset token.\n\n`{type(e).__name__} - {e}`")
@tree.command(name="clear-context", description="Clear context")
async def handle_clear_context_command(interaction):
"""
Command to clear the context of the chatbot.
"""
try:
chatbot.clear_context()
message = "> Context has been cleared."
logger.info(message)
await interaction.response.send_message(message)
except Exception as e:
logger.exception(f"clear_context error: {type(e).__name__} - {e}")
await interaction.response.send_message(f"> Sorry, an error occured while trying to clear context.\n\n`{type(e).__name__} - {e}`")
@tree.command(name="enable-channel-monitoring", description="Enable monitoring of the current channel")
async def handle_enable_channel_monitoring_command(interaction, channel: discord.TextChannel = None):
"""
Command to enable the current channel monitoring.
"""
global current_channel_monitor_mode
try:
target_channel_id = str(
interaction.channel_id) if channel is None else str(channel.id)
if current_channel_monitor_mode == ChannelMonitorMode.NONE:
if target_channel_id in channel_whitelist:
message = f"> Channel `{client.get_channel(int(target_channel_id))} ({target_channel_id})` is already being monitored."
else:
channel_whitelist.append(target_channel_id)
# Save to JSON
if target_channel_id not in config.data["channel_whitelist"]:
config.data["channel_whitelist"].append(target_channel_id)
config.save_config()
message = f"> Channel `{client.get_channel(int(target_channel_id))} ({target_channel_id})` has been added to the monitoring whitelist."
elif current_channel_monitor_mode == ChannelMonitorMode.ALL:
if target_channel_id in channel_blacklist:
channel_blacklist.remove(target_channel_id)
# Save to JSON
if target_channel_id in config.data["channel_blacklist"]:
config.data["channel_blacklist"].remove(target_channel_id)
config.save_config()
message = f"> Channel `{client.get_channel(int(target_channel_id))} ({target_channel_id})` has been removed from the monitoring blacklist."
else:
message = f"> Channel `{client.get_channel(int(target_channel_id))} ({target_channel_id})` is already being monitored."
logger.info(message)
await interaction.response.send_message(content=message)
except Exception as e:
logger.exception(
f"enable_channel_monitoring error: {type(e).__name__} - {e}")
await interaction.response.send_message(f"> Sorry, an error occured while trying to enable channel monitoring.\n\n`{type(e).__name__} - {e}`")
@tree.command(name="disable-channel-monitoring", description="Disable monitoring of the current channel")
async def handle_disable_channel_monitoring_command(interaction, channel: discord.TextChannel = None):
"""
Command to disable the current channel monitoring.
"""
global current_channel_monitor_mode
try:
target_channel_id = str(
interaction.channel_id) if channel is None else str(channel.id)
if current_channel_monitor_mode == ChannelMonitorMode.NONE:
if target_channel_id in channel_whitelist:
channel_whitelist.remove(target_channel_id)
# Save to JSON
if target_channel_id in config.data["channel_whitelist"]:
config.data["channel_whitelist"].remove(target_channel_id)
config.save_config()
message = f"> Channel `{client.get_channel(int(target_channel_id))} ({target_channel_id})` has been removed from the monitoring whitelist."
else:
message = f"> Channel `{client.get_channel(int(target_channel_id))} ({target_channel_id})` is already not being monitored."
elif current_channel_monitor_mode == ChannelMonitorMode.ALL:
if target_channel_id in channel_blacklist:
message = f"> Channel `{client.get_channel(int(target_channel_id))} ({target_channel_id})` is already not being monitored."
else:
channel_blacklist.append(target_channel_id)
# Save to JSON
if target_channel_id not in config.data["channel_blacklist"]:
config.data["channel_blacklist"].append(target_channel_id)
config.save_config()
message = f"> Channel `{client.get_channel(int(target_channel_id))} ({target_channel_id})` has been added to the monitoring blacklist."
logger.info(message)
await interaction.response.send_message(content=message)
except Exception as e:
logger.exception(
f"disable_channel_monitoring error: {type(e).__name__} - {e}")
await interaction.response.send_message(f"> Sorry, an error occured while trying to disable channel monitoring.\n\n`{type(e).__name__} - {e}`")
@tree.command(name="get-channel-whitelist", description="Get the channel whitelist")
async def handle_get_channel_whitelist_command(interaction):
"""
Command to get the channel whitelist.
"""
global channel_whitelist
if len(channel_whitelist) == 0:
message = "There are no whitelisted channels."
else:
channel_list = ", ".join(
[f"`{client.get_channel(int(channel))} ({channel})`" for channel in channel_whitelist])
message = f"> The whitelisted channels are: {channel_list}."
logger.info(message)
await interaction.response.send_message(content=message)
@tree.command(name="get-channel-blacklist", description="Get the channel blacklist")
async def handle_get_channel_blacklist_command(interaction):
"""
Command to get the channel blacklist.
"""
global channel_blacklist
if len(channel_blacklist) == 0:
message = "There are no blacklisted channels"
else:
channel_list = ", ".join(
[f"`{client.get_channel(int(channel))} ({channel})`" for channel in channel_blacklist])
message = f"> The blacklisted channels are: {channel_list}."
logger.info(message)
await interaction.response.send_message(content=message)
@tree.command(name="get-channel-monitor-mode", description="Get the current monitoring mode")
async def handle_get_channel_monitor_mode_command(interaction):
"""
Command to get the current channel monitoring mode.
"""
global current_channel_monitor_mode
message = f"> The current monitoring mode is `{current_channel_monitor_mode.value}`."
logger.info(message)
await interaction.response.send_message(content=message)
@tree.command(name="change-channel-monitor-mode", description="Change the current monitoring mode")
async def handle_change_channel_monitor_mode_command(interaction, new_mode: str = None):
"""
Command to change the current channel monitoring mode.
"""
success = change_channel_monitor_mode(new_mode)
if success:
message = f"> The monitoring mode has been changed to `{current_channel_monitor_mode.value}`."
else:
modes = ", ".join([f"`{mode.value}`" for mode in ChannelMonitorMode])
message = f"> Invalid mode. Available modes are: {modes}."
logger.info(message)
await interaction.response.send_message(content=message)
@tree.command(name="enable-name-prefix", description="Enable prefixing username / nickname to chat messages")
async def handle_enable_name_prefix_command(interaction):
"""
Command to enable name prefix.
"""
change_name_prefix_mode(True)
message = "> Enabled name prefix"
logger.info(message)
await interaction.response.send_message(content=message)
@tree.command(name="disable-name-prefix", description="Disable prefixing username / nickname to chat messages")
async def handle_disable_name_prefix_command(interaction):
"""
Command to disable name prefix.
"""
change_name_prefix_mode(False)
message = "> Disabled name prefix"
logger.info(message)
await interaction.response.send_message(content=message)
@tree.command(name="register-nickname", description="Register / update a nickname")
async def handle_register_nickname_command(interaction, nickname: str, user: discord.User = None):
"""
Registers or updates a nickname for the user who sent the command.
"""
try:
target_user = user if user else interaction.user
key = str(target_user.id)
# Check if nickname already exists
if key in nicknames:
message = f"> User `{target_user.name}` (`{target_user.id}`)'s nickname has been updated from `{nicknames[key]}` to `{nickname}`."
else:
message = f"> User `{target_user.name}` (`{target_user.id}`)'s nickname `{nickname}` has been registered."
# Update the nickname
nicknames[key] = nickname
# Save to JSON
config.data["nicknames"][key] = nickname
config.save_config()
logger.info(message)
await interaction.response.send_message(content=message)
except Exception as e:
logger.exception(f"register_nickname error: {type(e).__name__} - {e}")
await interaction.response.send_message(f"> Sorry, an error occured while trying to register nickname.\n\n`{type(e).__name__} - {e}`")
@tree.command(name="unregister-nickname", description="Unregister a nickname if registered")
async def handle_unregister_nickname_command(interaction, user: discord.User = None):
"""
Unregisters the nickname for the user who sent the command.
"""
try:
target_user = user if user else interaction.user
key = str(target_user.id)
# Check if nickname exists
if key in nicknames:
del nicknames[key]
# Save to JSON
if key in config.data["nicknames"]:
del config.data["nicknames"][key]
config.save_config()
message = f"> User `{target_user.name}` (`{target_user.id}`)'s nickname has been unregistered."
else:
message = f"> User `{target_user.name}` (`{target_user.id}`) don't have a registered nickname."
logger.info(message)
await interaction.response.send_message(content=message)
except Exception as e:
logger.exception(
f"unregister_nickname error: {type(e).__name__} - {e}")
await interaction.response.send_message(f"> Sorry, an error occured while trying to unregister nickname.\n\n`{type(e).__name__} - {e}`")
@tree.command(name="get-nickname", description="Get the nickname if registered")
async def handle_get_nickname_command(interaction):
"""
Returns the nickname for the user who sent the command.
"""
key = str(interaction.user.id)
# Check if nickname exists
if key in nicknames:
message = f"> Your current nickname is `{nicknames[key]}`."
else:
message = "> You don't have a registered nickname."
logger.info(message)
await interaction.response.send_message(content=message)
@client.event
async def on_ready():
"""
Event that runs when the Discord client is ready.
"""
logger.info(f'Logged in as {client.user}')
# Register the command tree for Discord slash commands
await tree.sync()
@client.event
async def on_message(message):
"""
Event that runs when a message is sent in a Discord server that the client is connected to.
If the message is not sent by the bot itself, get a response from the chatbot and send it to the same channel.
"""
try:
# Ignore messages sent by the bot itself
if message.author == client.user:
return
# Check if current mode is NONE, and only query messages in the whitelist
if current_channel_monitor_mode == ChannelMonitorMode.NONE:
if str(message.channel.id) not in channel_whitelist:
return
# Check if current mode is ALL, and ignore messages in the blacklist
elif current_channel_monitor_mode == ChannelMonitorMode.ALL:
if str(message.channel.id) in channel_blacklist:
return
user_input = message.content
# Ignore messages that start with '$ignore'
if user_input.startswith('$ignore'):
return
# Add name prefix
if current_name_prefix_mode:
author_name = nicknames.get(
str(message.author.id), message.author.name)
user_input = add_prefix_to_message(f"{author_name}: ", user_input)
# Get response from chatbot
logger.info(f"Input from {message.author}: {user_input}")
async with message.channel.typing():
status, response = await query(user_input)
response = format_response_based_on_status(response, status)
await message.channel.send(content=response)
except Exception as e:
logger.exception(f"on_message error: {type(e).__name__} - {e}")
await message.channel.send(content=f"> Sorry, fail to process your request.\n\n`{type(e).__name__} - {e}`")
def get_bot():
if isinstance(chatbot, PoeChatBot):
return BotType.POE.value.lower()
elif isinstance(chatbot, HuggingFaceChatBot):
return BotType.HUGGING_FACE.value.lower()
else:
return None
def change_bot(new_bot):
"""
Set the chatbot to the given bot_type if the bot_type is valid
"""
global chatbot, current_bot
if isinstance(new_bot, str):
try:
new_bot = BotType(utils.normalize_text(new_bot))
except ValueError:
logger.warning(f"Invalid bot type: {new_bot}")
return False
if not isinstance(new_bot, BotType):
logger.warning(f"Invalid bot type: {type(new_bot)}")
return False
try:
if new_bot == BotType.POE:
if config.POE_TOKEN == "":
logger.warning("POE_TOKEN is not set.")
return False
if config.POE_MODEL == "":
logger.warning("POE_MODEL is not set.")
return False
chatbot = PoeChatBot(
config.POE_TOKEN, config.POE_MODEL, config.POE_PROXY)
elif new_bot == BotType.HUGGING_FACE:
if config.HUGGING_FACE_TOKEN == "":
logger.warning("HUGGING_FACE_TOKEN is not set.")
return False
if config.HUGGING_FACE_MODEL == "":
logger.warning("HUGGING_FACE_MODEL is not set.")
return False
chatbot = HuggingFaceChatBot(
config.HUGGING_FACE_TOKEN, config.HUGGING_FACE_MODEL)
current_bot = new_bot
return True
except Exception as e:
logger.exception(f"change_bot error: {type(e).__name__} - {e}")
return False
def change_channel_monitor_mode(new_mode):
global current_channel_monitor_mode
if isinstance(new_mode, str):
try:
new_mode = ChannelMonitorMode(utils.normalize_text(new_mode))
except ValueError:
logger.warning(f"Invalid channel monitor mode: {new_mode}")
return False
if not isinstance(new_mode, ChannelMonitorMode):
logger.warning(f"Invalid channel monitor mode type: {type(new_mode)}")
return False
current_channel_monitor_mode = new_mode
return True
def change_name_prefix_mode(new_mode):
global current_name_prefix_mode
current_name_prefix_mode = new_mode
async def query(message: str):
status = None
try:
success, response = await chatbot.query(message, debug=config.DEBUG)
except AttributeError as e:
status = QueryStatus.QUERY_ATTRIBUTE_ERROR
logger.exception(
f"Query AttributeError: {type(e).__name__} - {e}, trying to re-initialize the chatbot")
change_bot(current_bot)
return status, e
except Exception as e:
status = QueryStatus.UNKNOWN_QUERY_ERROR
logger.exception(f"Query error: {type(e).__name__} - {e}")
return status, e
# Empty response
if len(response) == 0:
status = QueryStatus.EMPTY_RESPONSE_ERROR
logger.error("Empty response")
return status, "Empty response"
# Send response to the same channel
if success:
status = QueryStatus.SUCCESS
logger.info(f"Response: {response}")
return status, response
else:
status = QueryStatus.UNKNOWN_RESPONSE_ERROR
logger.error(f"Response error: {response}")
error_message = f"{response}"
return status, error_message
def add_prefix_to_message(prefix: str, message: str):
return f"{prefix}{message}"
def format_response_based_on_status(response: str, status: QueryStatus):
if status == QueryStatus.SUCCESS:
return response
elif status == QueryStatus.QUERY_ATTRIBUTE_ERROR:
return f"> Sorry, your request couldn't be sent, trying to re-initialize the chatbot, please retry few seconds later, below are the response received:\n\n{response}"
elif status == QueryStatus.UNKNOWN_QUERY_ERROR:
return f"> Sorry, your request couldn't be sent, below are the response received:\n\n{response}"
elif status == QueryStatus.EMPTY_RESPONSE_ERROR:
return f"> Sorry, something wrong with the response, below are the response received:\n\n{response}"
elif status == QueryStatus.UNKNOWN_RESPONSE_ERROR:
return f"> Sorry, your request couldn't be processed, below are the response received:\n\n{response}"
def create_embeds(text: str):
MAX_CHARS_PER_EMBED = 4096
embeds = []
# Split message into multiple embeds if necessary
if len(text) <= MAX_CHARS_PER_EMBED:
embed = discord.Embed(description=text)
embeds.append(embed)
else:
while text:
chunk = text[:MAX_CHARS_PER_EMBED]
text = text[MAX_CHARS_PER_EMBED:]
embed = discord.Embed(description=chunk)
embeds.append(embed)
return embeds
def restore_from_config():
global nicknames, channel_whitelist, channel_blacklist
try:
success = config.load_config()
if success:
nicknames = config.data["nicknames"].copy()
channel_whitelist = config.data["channel_whitelist"].copy()
channel_blacklist = config.data["channel_blacklist"].copy()
logger.info(
f"Restored config from config file {config.CONFIG_FILE}")
else:
logger.info(f"Created config file {config.CONFIG_FILE}")
except AttributeError as e:
logger.exception(
f"restore_from_config error: {type(e).__name__} - {e}")
def main():
global chatbot, current_monitor_mode, current_name_prefix_mode
parser = argparse.ArgumentParser()
parser.add_argument('--bot', type=str, choices=[bot.value for bot in BotType],
default=BotType.POE.value, help='Select the chatbot to use')
parser.add_argument('--model', type=str, default=None,
help='Select the chatbot model to use')
parser.add_argument('--channel-monitor-mode', type=str, choices=[
mode.value for mode in ChannelMonitorMode], default=ChannelMonitorMode.ALL.value, help='Select the channel monitor mode')
parser.add_argument('--enable-name-prefix', type=bool, choices=[
True, False], default=True, help='Enable or disable prefixing user names to chat messages. Default is True.')
args = parser.parse_args()
# Set default bot
success = change_bot(args.bot)
# Exit if fail to create bot
if not success:
logger.error(f"Fail to create bot '{args.bot}' on start, exiting...")
return
# Set default model
if args.model:
chatbot.change_model(args.model)
# Set default channel monitor mode
change_channel_monitor_mode(args.channel_monitor_mode)
# Set default enable name prefix
change_name_prefix_mode(args.enable_name_prefix)
# Restore variables from config
restore_from_config()
# Start dicord client
try:
client.run(config.DISCORD_TOKEN, log_handler=None)
except Exception as e:
logger.exception(f"Fail to run discord client: {type(e).__name__} - {e}")
return
if __name__ == '__main__':
main()