-
Notifications
You must be signed in to change notification settings - Fork 123
/
Copy pathexeter.py
3301 lines (2874 loc) · 145 KB
/
exeter.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 datetime
import functools
import io
import json
import os
import random
import re
import string
import urllib.parse
import urllib.request
import time
from urllib import parse, request
from itertools import cycle
from bs4 import BeautifulSoup as bs4
import aiohttp
import colorama
import discord
import numpy
import requests
from PIL import Image
from colorama import Fore
from discord import Permissions
from discord.ext import commands
from discord.utils import get
from gtts import gTTS
class SELFBOT():
__version__ = 1
with open('config.json') as f:
config = json.load(f)
token = config.get('token')
password = config.get('password')
prefix = config.get('prefix')
nitro_sniper = config.get('nitro_sniper')
stream_url = "https://www.twitch.tv/souljaboy"
tts_language = "en"
start_time = datetime.datetime.utcnow()
loop = asyncio.get_event_loop()
languages = {
'hu': 'Hungarian, Hungary',
'nl': 'Dutch, Netherlands',
'no': 'Norwegian, Norway',
'pl': 'Polish, Poland',
'pt-BR': 'Portuguese, Brazilian, Brazil',
'ro': 'Romanian, Romania',
'fi': 'Finnish, Finland',
'sv-SE': 'Swedish, Sweden',
'vi': 'Vietnamese, Vietnam',
'tr': 'Turkish, Turkey',
'cs': 'Czech, Czechia, Czech Republic',
'el': 'Greek, Greece',
'bg': 'Bulgarian, Bulgaria',
'ru': 'Russian, Russia',
'uk': 'Ukranian, Ukraine',
'th': 'Thai, Thailand',
'zh-CN': 'Chinese, China',
'ja': 'Japanese',
'zh-TW': 'Chinese, Taiwan',
'ko': 'Korean, Korea'
}
locales = [
"da", "de",
"en-GB", "en-US",
"es-ES", "fr",
"hr", "it",
"lt", "hu",
"nl", "no",
"pl", "pt-BR",
"ro", "fi",
"sv-SE", "vi",
"tr", "cs",
"el", "bg",
"ru", "uk",
"th", "zh-CN",
"ja", "zh-TW",
"ko"
]
m_numbers = [
":one:",
":two:",
":three:",
":four:",
":five:",
":six:"
]
m_offets = [
(-1, -1),
(0, -1),
(1, -1),
(-1, 0),
(1, 0),
(-1, 1),
(0, 1),
(1, 1)
]
def startprint():
if nitro_sniper:
nitro = "Active"
else:
nitro = "Disabled"
print(f'''{Fore.RESET}
███████╗██╗ ██╗███████╗████████╗███████╗██████╗
██╔════╝╚██╗██╔╝██╔════╝╚══██╔══╝██╔════╝██╔══██╗
█████╗ ╚███╔╝ █████╗ ██║ █████╗ ██████╔╝
██╔══╝ ██╔██╗ ██╔══╝ ██║ ██╔══╝ ██╔══██╗
███████╗██╔╝ ██╗███████╗ ██║ ███████╗██║ ██║
╚══════╝╚═╝ ╚═╝╚══════╝ ╚═╝ ╚══════╝╚═╝ ╚═╝
{Fore.CYAN}Exeter v{SELFBOT.__version__} | {Fore.GREEN}Logged in as: {Exeter.user.name}#{Exeter.user.discriminator} {Fore.CYAN}| ID: {Fore.GREEN}{Exeter.user.id}
{Fore.CYAN}Nitro Sniper | {Fore.GREEN}{nitro}
{Fore.CYAN}Cached Users: {Fore.GREEN}{len(Exeter.users)}
{Fore.CYAN}Guilds: {Fore.GREEN}{len(Exeter.guilds)}
{Fore.CYAN}Prefix: {Fore.GREEN}{Exeter.command_prefix}
''' + Fore.RESET)
def Clear():
os.system('cls')
Clear()
def Init():
token = config.get('token')
try:
Exeter.run(token, bot=False, reconnect=True)
os.system(f'title (Exeter Selfbot) - Version {SELFBOT.__version__}')
except discord.errors.LoginFailure:
print(f"{Fore.RED}[ERROR] {Fore.YELLOW}Improper token has been passed" + Fore.RESET)
os.system('pause >NUL')
def async_executor():
def outer(func):
@functools.wraps(func)
def inner(*args, **kwargs):
thing = functools.partial(func, *args, **kwargs)
return loop.run_in_executor(None, thing)
return inner
return outer
@async_executor()
def do_tts(message):
f = io.BytesIO()
tts = gTTS(text=message.lower(), lang=tts_language)
tts.write_to_fp(f)
f.seek(0)
return f
def Dump(ctx):
for member in ctx.guild.members:
f = open(f'Images/{ctx.guild.id}-Dump.txt', 'a+')
f.write(str(member.avatar_url) + '\n')
def Nitro():
code = ''.join(random.choices(string.ascii_letters + string.digits, k=16))
return f'https://discord.gift/{code}'
def RandomColor():
randcolor = discord.Color(random.randint(0x000000, 0xFFFFFF))
return randcolor
def RandString():
return "".join(random.choice(string.ascii_letters + string.digits) for i in range(random.randint(14, 32)))
colorama.init()
Exeter = discord.Client()
Exeter = commands.Bot(description='Exeter Selfbot', command_prefix=prefix, self_bot=True)
Exeter.antiraid = False
Exeter.msgsniper = True
Exeter.slotbot_sniper = True
Exeter.giveaway_sniper = True
Exeter.mee6 = False
Exeter.mee6_channel = None
Exeter.yui_kiss_user = None
Exeter.yui_kiss_channel = None
Exeter.yui_hug_user = None
Exeter.yui_hug_channel = None
Exeter.snipe_history_dict = {}
Exeter.sniped_message_dict = {}
Exeter.sniped_edited_message_dict = {}
Exeter.whitelisted_users = {}
Exeter.copycat = None
Exeter.wave = token
Exeter.remove_command('help')
@Exeter.event
async def on_command_error(ctx, error):
error_str = str(error)
error = getattr(error, 'original', error)
if isinstance(error, commands.CommandNotFound):
return
elif isinstance(error, commands.CheckFailure):
await ctx.send('[ERROR]: You\'re missing permission to execute this command', delete_after=3)
elif isinstance(error, commands.MissingRequiredArgument):
await ctx.send(f"[ERROR]: Missing arguments: {error}", delete_after=3)
elif isinstance(error, numpy.AxisError):
await ctx.send('Invalid Image', delete_after=3)
elif isinstance(error, discord.errors.Forbidden):
await ctx.send(f"[ERROR]: 404 Forbidden Access: {error}", delete_after=3)
elif "Cannot send an empty message" in error_str:
await ctx.send('[ERROR]: Message contents cannot be null', delete_after=3)
else:
await ctx.send(f'[ERROR]: {error_str}', delete_after=3)
@Exeter.event
async def on_message_edit(before, after):
await Exeter.process_commands(after)
@Exeter.event
async def on_message(message):
if Exeter.copycat is not None and Exeter.copycat.id == message.author.id:
await message.channel.send(chr(173) + message.content)
def GiveawayData():
print(
f"{Fore.WHITE} - CHANNEL: {Fore.YELLOW}[{message.channel}]"
f"\n{Fore.WHITE} - SERVER: {Fore.YELLOW}[{message.guild}]"
+ Fore.RESET)
def SlotBotData():
print(
f"{Fore.WHITE} - CHANNEL: {Fore.YELLOW}[{message.channel}]"
f"\n{Fore.WHITE} - SERVER: {Fore.YELLOW}[{message.guild}]"
+ Fore.RESET)
def NitroData(elapsed, code):
print(
f"{Fore.WHITE} - CHANNEL: {Fore.YELLOW}[{message.channel}]"
f"\n{Fore.WHITE} - SERVER: {Fore.YELLOW}[{message.guild}]"
f"\n{Fore.WHITE} - AUTHOR: {Fore.YELLOW}[{message.author}]"
f"\n{Fore.WHITE} - ELAPSED: {Fore.YELLOW}[{elapsed}]"
f"\n{Fore.WHITE} - CODE: {Fore.YELLOW}{code}"
+ Fore.RESET)
time = datetime.datetime.now().strftime("%H:%M %p")
if 'discord.gift/' in message.content:
if nitro_sniper:
start = datetime.datetime.now()
code = re.search("discord.gift/(.*)", message.content).group(1)
token = config.get('token')
headers = {'Authorization': token}
r = requests.post(
f'https://discordapp.com/api/v6/entitlements/gift-codes/{code}/redeem',
headers=headers,
).text
elapsed = datetime.datetime.now() - start
elapsed = f'{elapsed.seconds}.{elapsed.microseconds}'
if 'This gift has been redeemed already.' in r:
print(""
f"\n{Fore.CYAN}[{time} - Nitro Already Redeemed]" + Fore.RESET)
NitroData(elapsed, code)
elif 'subscription_plan' in r:
print(""
f"\n{Fore.CYAN}[{time} - Nitro Success]" + Fore.RESET)
NitroData(elapsed, code)
elif 'Unknown Gift Code' in r:
print(""
f"\n{Fore.CYAN}[{time} - Nitro Unknown Gift Code]" + Fore.RESET)
NitroData(elapsed, code)
else:
return
if 'Someone just dropped' in message.content:
if Exeter.slotbot_sniper:
if message.author.id == 346353957029019648:
try:
await message.channel.send('~grab')
except discord.errors.Forbidden:
print(""
f"\n{Fore.CYAN}[{time} - SlotBot Couldnt Grab]" + Fore.RESET)
SlotBotData()
print(""
f"\n{Fore.CYAN}[{time} - Slotbot Grabbed]" + Fore.RESET)
SlotBotData()
else:
return
if 'GIVEAWAY' in message.content:
if Exeter.giveaway_sniper:
if message.author.id == 294882584201003009:
try:
await message.add_reaction("🎉")
except discord.errors.Forbidden:
print(""
f"\n{Fore.CYAN}[{time} - Giveaway Couldnt React]" + Fore.RESET)
GiveawayData()
print(""
f"\n{Fore.CYAN}[{time} - Giveaway Sniped]" + Fore.RESET)
GiveawayData()
else:
return
if f'Congratulations <@{Exeter.user.id}>' in message.content:
if Exeter.giveaway_sniper:
if message.author.id == 294882584201003009:
print(""
f"\n{Fore.CYAN}[{time} - Giveaway Won]" + Fore.RESET)
GiveawayData()
else:
return
await Exeter.process_commands(message)
@Exeter.event
async def on_connect():
Clear()
startprint()
@Exeter.event
async def on_member_ban(guild: discord.Guild, user: discord.user):
if Exeter.antiraid is True:
try:
async for i in guild.audit_logs(limit=1, action=discord.AuditLogAction.ban):
if guild.id in Exeter.whitelisted_users.keys() and i.user.id in Exeter.whitelisted_users[
guild.id].keys() and i.user.id is not Exeter.user.id:
print("not banned - " + i.user.name)
else:
print("banned - " + i.user.name)
await guild.ban(i.user, reason="Exeter Anti-Nuke")
except Exception as e:
print(e)
@Exeter.event
async def on_member_join(member):
if Exeter.antiraid is True and member.bot:
try:
guild = member.guild
async for i in guild.audit_logs(limit=1, action=discord.AuditLogAction.bot_add):
if member.guild.id in Exeter.whitelisted_users.keys() and i.user.id in Exeter.whitelisted_users[member.guild.id].keys():
return
else:
await guild.ban(member, reason="Exeter Anti-Nuke")
await guild.ban(i.user, reason="Exeter Anti-Nuke")
except Exception as e:
print(e)
@Exeter.event
async def on_member_remove(member):
if Exeter.antiraid is True:
try:
guild = member.guild
async for i in guild.audit_logs(limit=1, action=discord.AuditLogAction.kick):
if guild.id in Exeter.whitelisted_users.keys() and i.user.id in Exeter.whitelisted_users[
guild.id].keys() and i.user.id is not Exeter.user.id:
print('not banned')
else:
print('banned')
await guild.ban(i.user, reason="Exeter Anti-Nuke")
except Exception as e:
print(e)
@Exeter.command(aliases=["queue"])
async def play(ctx, *, query):
await ctx.message.delete()
voice = get(Exeter.voice_clients, guild=ctx.guild)
if voice and voice.is_connected():
voice.play('song.mp3')
else:
await ctx.send('You need to be a in VC to play music')
@Exeter.command()
async def stop(ctx):
await ctx.message.delete()
await ctx.send("Stopped the music player!")
@Exeter.command()
async def skip(ctx):
await ctx.message.delete()
await ctx.send("Skipped song!")
@Exeter.command(aliases=["lyric"])
async def lyrics(ctx, *, args):
await ctx.message.delete()
await ctx.send("Showing lyrics for " + args)
@Exeter.command(aliases=[])
async def msgsniper(ctx, msgsniperlol=None):
await ctx.message.delete()
if str(msgsniperlol).lower() == 'true' or str(msgsniperlol).lower() == 'on':
Exeter.msgsniper = True
await ctx.send('Exeter Message-Sniper is now **enabled**', delete_after=2)
elif str(msgsniperlol).lower() == 'false' or str(msgsniperlol).lower() == 'off':
Exeter.msgsniper = False
await ctx.send('Exeter Message-Sniper is now **disabled**', delete_after=2)
@Exeter.command(aliases=['ar', 'antiraid'])
async def antinuke(ctx, antiraidparameter=None):
await ctx.message.delete()
Exeter.antiraid = False
if str(antiraidparameter).lower() == 'true' or str(antiraidparameter).lower() == 'on':
Exeter.antiraid = True
await ctx.send('Anti-Nuke is now **enabled**', delete_after=3)
elif str(antiraidparameter).lower() == 'false' or str(antiraidparameter).lower() == 'off':
Exeter.antiraid = False
await ctx.send('Anti-Nuke is now **disabled**', delete_after=3)
@Exeter.command(aliases=['wl'])
async def whitelist(ctx, user: discord.Member = None):
await ctx.message.delete()
if user is None:
await ctx.send("Please specify a user to whitelist")
else:
if ctx.guild.id not in Exeter.whitelisted_users.keys():
Exeter.whitelisted_users[ctx.guild.id] = {}
if user.id in Exeter.whitelisted_users[ctx.guild.id]:
await ctx.send('That user is already whitelisted')
else:
Exeter.whitelisted_users[ctx.guild.id][user.id] = 0
await ctx.send("Whitelisted **" + user.name.replace("*", "\*").replace("`", "\`").replace("_",
"\_") + "#" + user.discriminator + "**")
# else:
# user = Exeter.get_user(id)
# if user is None:
# await ctx.send("Couldn't find that user")
# return
# if ctx.guild.id not in Exeter.whitelisted_users.keys():
# Exeter.whitelisted_users[ctx.guild.id] = {}
# if user.id in Exeter.whitelisted_users[ctx.guild.id]:
# await ctx.send('That user is already whitelisted')
# else:
# Exeter.whitelisted_users[ctx.guild.id][user.id] = 0
# await ctx.send("Whitelisted **" + user.name.replace("*", "\*").replace("`", "\`").replace("_","\_") + "#" + user.discriminator + "**")
@Exeter.command(aliases=['wld'])
async def whitelisted(ctx, g=None):
await ctx.message.delete()
if g == '-g' or g == '-global':
whitelist = '`All Whitelisted Users:`\n'
for key in Exeter.whitelisted_users:
for key2 in Exeter.whitelisted_users[key]:
user = Exeter.get_user(key2)
whitelist += '**+ ' + user.name.replace('*', "\*").replace('`', "\`").replace('_',
"\_") + "#" + user.discriminator + "** - " + Exeter.get_guild(
key).name.replace('*', "\*").replace('`', "\`").replace('_', "\_") + "" + "\n"
await ctx.send(whitelist)
else:
whitelist = "`" + ctx.guild.name.replace('*', "\*").replace('`', "\`").replace('_',
"\_") + '\'s Whitelisted Users:`\n'
for key in Exeter.whitelisted_users:
if key == ctx.guild.id:
for key2 in Exeter.whitelisted_users[ctx.guild.id]:
user = Exeter.get_user(key2)
whitelist += '**+ ' + user.name.replace('*', "\*").replace('`', "\`").replace('_',
"\_") + "#" + user.discriminator + " (" + str(
user.id) + ")" + "**\n"
await ctx.send(whitelist)
@Exeter.command(aliases=['uwl'])
async def unwhitelist(ctx, user: discord.Member = None):
if user is None:
await ctx.send("Please specify the user you would like to unwhitelist")
else:
if ctx.guild.id not in Exeter.whitelisted_users.keys():
await ctx.send("That user is not whitelisted")
return
if user.id in Exeter.whitelisted_users[ctx.guild.id]:
Exeter.whitelisted_users[ctx.guild.id].pop(user.id, 0)
user2 = Exeter.get_user(user.id)
await ctx.send(
'Successfully unwhitelisted **' + user2.name.replace('*', "\*").replace('`', "\`").replace('_',
"\_") + '#' + user2.discriminator + '**')
@Exeter.command(aliases=['clearwl', 'clearwld'])
async def clearwhitelist(ctx):
await ctx.message.delete()
Exeter.whitelisted_users.clear()
await ctx.send('Successfully cleared the whitelist hash')
@Exeter.command()
async def yuikiss(ctx, user: discord.User = None):
await ctx.message.delete()
if isinstance(ctx.message.channel, discord.DMChannel) or isinstance(ctx.message.channel, discord.GroupChannel):
await ctx.send("You can't use Yui Kiss in DMs or GCs", delete_after=3)
else:
if user is None:
await ctx.send("Please specify a user to Yui Kiss", delete_after=3)
return
Exeter.yui_kiss_user = user.id
Exeter.yui_kiss_channel = ctx.channel.id
if Exeter.yui_kiss_user is None or Exeter.yui_kiss_channel is None:
await ctx.send('An impossible error occured, try again later or contact swag')
return
while Exeter.yui_kiss_user is not None and Exeter.yui_kiss_channel is not None:
await Exeter.get_channel(Exeter.yui_kiss_channel).send('yui kiss ' + str(Exeter.yui_kiss_user),
delete_after=0.1)
await asyncio.sleep(60)
@Exeter.command()
async def yuihug(ctx, user: discord.User = None):
await ctx.message.delete()
if isinstance(ctx.message.channel, discord.DMChannel) or isinstance(ctx.message.channel, discord.GroupChannel):
await ctx.send("You can't use Yui Hug in DMs or GCs", delete_after=3)
else:
if user is None:
await ctx.send("Please specify a user to Yui Hug", delete_after=3)
return
Exeter.yui_hug_user = user.id
Exeter.yui_hug_channel = ctx.channel.id
if Exeter.yui_hug_user is None or Exeter.yui_hug_channel is None:
await ctx.send('An impossible error occured, try again later or contact swag')
return
while Exeter.yui_hug_user is not None and Exeter.yui_hug_channel is not None:
await Exeter.get_channel(Exeter.yui_hug_channel).send('yui hug ' + str(Exeter.yui_hug_user),
delete_after=0.1)
await asyncio.sleep(60)
@Exeter.command()
async def yuistop(ctx):
await ctx.message.delete()
Exeter.yui_kiss_user = None
Exeter.yui_kiss_channel = None
Exeter.yui_hug_user = None
Exeter.yui_hug_channel = None
await ctx.send('Successfully **disabled** Yui Loops', delete_after=3)
@Exeter.command(aliases=["automee6"])
async def mee6(ctx, param=None):
await ctx.message.delete()
if param is None:
await ctx.send("Please specify yes or no", delete_after=3)
return
if str(param).lower() == 'true' or str(param).lower() == 'on':
if isinstance(ctx.message.channel, discord.DMChannel) or isinstance(ctx.message.channel, discord.GroupChannel):
await ctx.send("You can't bind Auto-MEE6 to a DM or GC", delete_after=3)
return
else:
Exeter.mee6 = True
await ctx.send("Auto-MEE6 Successfully bound to `" + ctx.channel.name + "`", delete_after=3)
Exeter.mee6_channel = ctx.channel.id
elif str(param).lower() == 'false' or str(param).lower() == 'off':
Exeter.mee6 = False
await ctx.send("Auto-MEE6 Successfully **disabled**", delete_after=3)
while Exeter.mee6 is True:
sentences = ['Stop waiting for exceptional things to just happen.',
'The lyrics of the song sounded like fingernails on a chalkboard.',
'I checked to make sure that he was still alive.', 'We need to rent a room for our party.',
'He had a hidden stash underneath the floorboards in the back room of the house.',
'Your girlfriend bought your favorite cookie crisp cereal but forgot to get milk.',
'People generally approve of dogs eating cat food but not cats eating dog food.',
'I may struggle with geography, but I\'m sure I\'m somewhere around here.',
'She was the type of girl who wanted to live in a pink house.',
'The bees decided to have a mutiny against their queen.',
'She looked at the masterpiece hanging in the museum but all she could think is that her five-year-old could do better.',
'The stranger officiates the meal.', 'She opened up her third bottle of wine of the night.',
'They desperately needed another drummer since the current one only knew how to play bongos.',
'He waited for the stop sign to turn to a go sign.',
'His thought process was on so many levels that he gave himself a phobia of heights.',
'Her hair was windswept as she rode in the black convertible.',
'Karen realized the only way she was getting into heaven was to cheat.',
'The group quickly understood that toxic waste was the most effective barrier to use against the zombies.',
'It was obvious she was hot, sweaty, and tired.', 'This book is sure to liquefy your brain.',
'I love eating toasted cheese and tuna sandwiches.', 'If you don\'t like toenails',
'You probably shouldn\'t look at your feet.',
'Wisdom is easily acquired when hiding under the bed with a saucepan on your head.',
'The spa attendant applied the deep cleaning mask to the gentleman’s back.',
'The three-year-old girl ran down the beach as the kite flew behind her.',
'For oil spots on the floor, nothing beats parking a motorbike in the lounge.',
'They improved dramatically once the lead singer left.',
'The Tsunami wave crashed against the raised houses and broke the pilings as if they were toothpicks.',
'Excitement replaced fear until the final moment.', 'The sun had set and so had his dreams.',
'People keep telling me "orange" but I still prefer "pink".',
'Someone I know recently combined Maple Syrup & buttered Popcorn thinking it would taste like caramel popcorn. It didn’t and they don’t recommend anyone else do it either.',
'I liked their first two albums but changed my mind after that charity gig.',
'Plans for this weekend include turning wine into water.',
'A kangaroo is really just a rabbit on steroids.',
'He played the game as if his life depended on it and the truth was that it did.',
'He\'s in a boy band which doesn\'t make much sense for a snake.',
'She let the balloon float up into the air with her hopes and dreams.',
'There was coal in his stocking and he was thrilled.',
'This made him feel like an old-style rootbeer float smells.',
'It\'s not possible to convince a monkey to give you a banana by promising it infinite bananas when they die.',
'The light in his life was actually a fire burning all around him.',
'Truth in advertising and dinosaurs with skateboards have much in common.',
'On a scale from one to ten, what\'s your favorite flavor of random grammar?',
'The view from the lighthouse excited even the most seasoned traveler.',
'The tortoise jumped into the lake with dreams of becoming a sea turtle.',
'It\'s difficult to understand the lengths he\'d go to remain short.',
'Nobody questions who built the pyramids in Mexico.',
'They ran around the corner to find that they had traveled back in time.']
await Exeter.get_channel(Exeter.mee6_channel).send(random.choice(sentences), delete_after=0.1)
await asyncio.sleep(60)
@Exeter.command(aliases=['slotsniper', "slotbotsniper"])
async def slotbot(ctx, param=None):
await ctx.message.delete()
Exeter.slotbot_sniper = False
if str(param).lower() == 'true' or str(param).lower() == 'on':
Exeter.slotbot_sniper = True
elif str(param).lower() == 'false' or str(param).lower() == 'off':
Exeter.slotbot_sniper = False
@Exeter.command(aliases=['giveawaysniper'])
async def giveaway(ctx, param=None):
await ctx.message.delete()
Exeter.giveaway_sniper = False
if str(param).lower() == 'true' or str(param).lower() == 'on':
Exeter.giveaway_sniper = True
elif str(param).lower() == 'false' or str(param).lower() == 'off':
Exeter.giveaway_sniper = False
@Exeter.event
async def on_message_delete(message):
if message.author.id == Exeter.user.id:
return
if Exeter.msgsniper:
# if isinstance(message.channel, discord.DMChannel) or isinstance(message.channel, discord.GroupChannel): \\ removed so people cant get you disabled
if isinstance(message.channel, discord.DMChannel):
attachments = message.attachments
if len(attachments) == 0:
message_content = "`" + str(discord.utils.escape_markdown(str(message.author))) + "`: " + str(
message.content).replace("@everyone", "@\u200beveryone").replace("@here", "@\u200bhere")
await message.channel.send(message_content)
else:
links = ""
for attachment in attachments:
links += attachment.proxy_url + "\n"
message_content = "`" + str(
discord.utils.escape_markdown(str(message.author))) + "`: " + discord.utils.escape_mentions(
message.content) + "\n\n**Attachments:**\n" + links
await message.channel.send(message_content)
if len(Exeter.sniped_message_dict) > 1000:
Exeter.sniped_message_dict.clear()
if len(Exeter.snipe_history_dict) > 1000:
Exeter.snipe_history_dict.clear()
attachments = message.attachments
if len(attachments) == 0:
channel_id = message.channel.id
message_content = "`" + str(discord.utils.escape_markdown(str(message.author))) + "`: " + str(message.content).replace("@everyone", "@\u200beveryone").replace("@here", "@\u200bhere")
Exeter.sniped_message_dict.update({channel_id: message_content})
if channel_id in Exeter.snipe_history_dict:
pre = Exeter.snipe_history_dict[channel_id]
post = str(message.author) + ": " + str(message.content).replace("@everyone", "@\u200beveryone").replace("@here", "@\u200bhere")
Exeter.snipe_history_dict.update({channel_id: pre[:-3] + post + "\n```"})
else:
post = str(message.author) + ": " + str(message.content).replace("@everyone", "@\u200beveryone").replace("@here", "@\u200bhere")
Exeter.snipe_history_dict.update({channel_id: "```\n" + post + "\n```"})
else:
links = ""
for attachment in attachments:
links += attachment.proxy_url + "\n"
channel_id = message.channel.id
message_content = "`" + str(discord.utils.escape_markdown(str(message.author))) + "`: " + discord.utils.escape_mentions(message.content) + "\n\n**Attachments:**\n" + links
Exeter.sniped_message_dict.update({channel_id: message_content})
@Exeter.event
async def on_message_edit(before, after):
if before.author.id == Exeter.user.id:
return
if Exeter.msgsniper:
if before.content is after.content:
return
# if isinstance(before.channel, discord.DMChannel) or isinstance(before.channel, discord.GroupChannel): \\ removed so people cant get you disabled
if isinstance(before.channel, discord.DMChannel):
attachments = before.attachments
if len(attachments) == 0:
message_content = "`" + str(
discord.utils.escape_markdown(str(before.author))) + "`: \n**BEFORE**\n" + str(
before.content).replace("@everyone", "@\u200beveryone").replace("@here",
"@\u200bhere") + "\n**AFTER**\n" + str(
after.content).replace("@everyone", "@\u200beveryone").replace("@here", "@\u200bhere")
await before.channel.send(message_content)
else:
links = ""
for attachment in attachments:
links += attachment.proxy_url + "\n"
message_content = "`" + str(
discord.utils.escape_markdown(str(before.author))) + "`: " + discord.utils.escape_mentions(
before.content) + "\n\n**Attachments:**\n" + links
await before.channel.send(message_content)
if len(Exeter.sniped_edited_message_dict) > 1000:
Exeter.sniped_edited_message_dict.clear()
attachments = before.attachments
if len(attachments) == 0:
channel_id = before.channel.id
message_content = "`" + str(discord.utils.escape_markdown(str(before.author))) + "`: \n**BEFORE**\n" + str(
before.content).replace("@everyone", "@\u200beveryone").replace("@here",
"@\u200bhere") + "\n**AFTER**\n" + str(
after.content).replace("@everyone", "@\u200beveryone").replace("@here", "@\u200bhere")
Exeter.sniped_edited_message_dict.update({channel_id: message_content})
else:
links = ""
for attachment in attachments:
links += attachment.proxy_url + "\n"
channel_id = before.channel.id
message_content = "`" + str(
discord.utils.escape_markdown(str(before.author))) + "`: " + discord.utils.escape_mentions(
before.content) + "\n\n**Attachments:**\n" + links
Exeter.sniped_edited_message_dict.update({channel_id: message_content})
@Exeter.command(aliases=["clearhistory"])
async def clearsnipehistory(ctx):
await ctx.message.delete()
del Exeter.snipe_history_dict[ctx.channel.id]
await ctx.send("Cleared Snipe History of " + ctx.channel.name, delete_after=3)
@Exeter.command(aliases=["history"])
async def snipehistory(ctx):
await ctx.message.delete()
currentChannel = ctx.channel.id
if currentChannel in Exeter.snipe_history_dict:
try:
await ctx.send(Exeter.snipe_history_dict[currentChannel])
except:
del Exeter.snipe_history_dict[currentChannel]
else:
await ctx.send("Snipe History is empty!", delete_after=3)
@Exeter.command()
async def snipe(ctx):
await ctx.message.delete()
currentChannel = ctx.channel.id
if currentChannel in Exeter.sniped_message_dict:
await ctx.send(Exeter.sniped_message_dict[currentChannel])
else:
await ctx.send("No message to snipe!", delete_after=3)
@Exeter.command(aliases=["esnipe"])
async def editsnipe(ctx):
await ctx.message.delete()
currentChannel = ctx.channel.id
if currentChannel in Exeter.sniped_edited_message_dict:
await ctx.send(Exeter.sniped_edited_message_dict[currentChannel])
else:
await ctx.send("No message to snipe!", delete_after=3)
@Exeter.command()
async def adminservers(ctx):
await ctx.message.delete()
admins = []
bots = []
kicks = []
bans = []
for guild in Exeter.guilds:
if guild.me.guild_permissions.administrator:
admins.append(discord.utils.escape_markdown(guild.name))
if guild.me.guild_permissions.manage_guild and not guild.me.guild_permissions.administrator:
bots.append(discord.utils.escape_markdown(guild.name))
if guild.me.guild_permissions.ban_members and not guild.me.guild_permissions.administrator:
bans.append(discord.utils.escape_markdown(guild.name))
if guild.me.guild_permissions.kick_members and not guild.me.guild_permissions.administrator:
kicks.append(discord.utils.escape_markdown(guild.name))
adminPermServers = f"**Servers with Admin ({len(admins)}):**\n{admins}"
botPermServers = f"\n**Servers with BOT_ADD Permission ({len(bots)}):**\n{bots}"
banPermServers = f"\n**Servers with Ban Permission ({len(bans)}):**\n{bans}"
kickPermServers = f"\n**Servers with Kick Permission ({len(kicks)}:**\n{kicks}"
await ctx.send(adminPermServers + botPermServers + banPermServers + kickPermServers)
@Exeter.command()
async def bots(ctx):
await ctx.message.delete()
bots = []
for member in ctx.guild.members:
if member.bot:
bots.append(
str(member.name).replace("`", "\`").replace("*", "\*").replace("_", "\_") + "#" + member.discriminator)
bottiez = f"**Bots ({len(bots)}):**\n{', '.join(bots)}"
await ctx.send(bottiez)
@Exeter.command()
async def help(ctx, category=None):
await ctx.message.delete()
if category is None:
embed = discord.Embed(color=0xFF633B, timestamp=ctx.message.created_at)
embed.set_author(name="𝙀𝙓𝙀𝙏𝙀𝙍 𝙎𝙀𝙇𝙁𝘽𝙊𝙏 | 𝙋𝙍𝙀𝙁𝙄𝙓: " + str(Exeter.command_prefix),
icon_url=Exeter.user.avatar_url)
embed.set_thumbnail(url=Exeter.user.avatar_url)
embed.set_image(url="https://cdn.discordapp.com/attachments/723250694118965300/723253781873164298/image1.gif")
embed.add_field(name="\uD83E\uDDCA `HELP GENERAL`", value="Shows all general commands", inline=False)
embed.add_field(name="\uD83E\uDDCA `HELP ACCOUNT`", value="Shows all account commands", inline=False)
embed.add_field(name="\uD83E\uDDCA `HELP TEXT`", value="Shows all text commands", inline=False)
embed.add_field(name="\uD83E\uDDCA `HELP MUSIC`", value="Shows all music commands", inline=False)
embed.add_field(name="\uD83E\uDDCA `HELP IMAGE`", value="Shows all image manipulation commands", inline=False)
embed.add_field(name="\uD83E\uDDCA `HELP NSFW`", value="Shows all nsfw commands", inline=False)
embed.add_field(name="\uD83E\uDDCA `HELP MISC`", value="Shows all miscellaneous commands", inline=False)
embed.add_field(name="\uD83E\uDDCA `HELP ANTI-NUKE`", value="Shows all anti-nuke commands", inline=False)
embed.add_field(name="\uD83E\uDDCA `HELP NUKE`", value="Shows all nuke commands", inline=False)
await ctx.send(embed=embed)
elif str(category).lower() == "general":
embed = discord.Embed(color=random.randrange(0x1000000), timestamp=ctx.message.created_at)
embed.set_image(url="https://cdn.discordapp.com/attachments/723250694118965300/723272273888280576/image0.gif")
embed.description = f"\uD83D\uDCB0 `GENERAL COMMANDS`\n`> help <category>` - returns all commands of that category\n`> uptime` - return how long the selfbot has been running\n`> prefix <prefix>` - changes the bot's prefix\n`> ping` - returns the bot's latency\n`> av <user>` - returns the user's pfp\n`> whois <user>` - returns user's account info\n`> tokeninfo <token>` - returns information about the token\n`> copyserver` - makes a copy of the server\n`> rainbowrole <role>` - makes the role a rainbow role (ratelimits)\n`> serverinfo` - gets information about the server\n`> serverpfp` - returns the server's icon\n`> banner` - returns the server's banner\n`> shutdown` - shutsdown the selfbot\n`> getroles` - lists all roles on the server"
await ctx.send(embed=embed)
elif str(category).lower() == "account":
embed = discord.Embed(color=random.randrange(0x1000000), timestamp=ctx.message.created_at)
embed.set_image(url="https://cdn.discordapp.com/attachments/723250694118965300/723266223554691202/image0.gif")
embed.description = f"\uD83D\uDCB0 `ACCOUNT COMMANDS`\n`> ghost` - makes your name and pfp invisible\n`> pfpsteal <user>` - steals the users pfp\n`> setpfp <link>` - sets the image-link as your pfp\n`> hypesquad <hypesquad>` - changes your current hypesquad\n`> spoofcon <type> <name>` - spoofs your discord connection\n`> leavegroups` - leaves all groups that you're in\n`> cyclenick <text>` - cycles through your nickname by letter\n`> stopcyclenick` - stops cycling your nickname\n`> stream <status>` - sets your streaming status\n`> playing <status>` - sets your playing status\n`> listening <status>` - sets your listening status\n`> watching <status>` - sets your watching status\n`> stopactivity` - resets your status-activity\n`> acceptfriends` - accepts all friend requests\n`> delfriends` - removes all your friends\n`> ignorefriends` - ignores all friends requests\n`> clearblocked` - clears your block-list\n`> read` - marks all messages as read\n`> leavegc` - leaves the current groupchat\n`> adminservers` - lists all servers you have perms in\n`> slotbot <on/off>` - snipes slotbots ({Exeter.slotbot_sniper})\n`> giveaway <on/off>` - snipes giveaways ({Exeter.giveaway_sniper})\n`> mee6 <on/off>` - auto sends messages in the specified channel ({Exeter.mee6}) <#{Exeter.mee6_channel}>\n`> yuikiss <user>` - auto sends yui kisses every minute <@{Exeter.yui_kiss_user}> <#{Exeter.yui_kiss_channel}>\n`> yuihug <user>` - auto sends yui hugs every minute <@{Exeter.yui_hug_user}> <#{Exeter.yui_hug_channel}>\n`> yuistop` - stops any running yui loops"
await ctx.send(embed=embed)
elif str(category).lower() == "text":
embed = discord.Embed(color=random.randrange(0x1000000), timestamp=ctx.message.created_at)
embed.set_image(url="https://cdn.discordapp.com/attachments/723250694118965300/723278609648713818/image0.gif")
embed.description = f"\uD83D\uDCB0 `TEXT COMMANDS`\n`> exeter` - sends the exeter logo\n`> snipehistory` - shows a history of deleted messages\n`> clearsnipehistory` - clears snipe history of current channel\n`> snipe` - shows the last deleted message\n`> editsnipe` - shows the last edited message\n`> msgsniper <on/off> ({Exeter.msgsniper})` - enables a message sniper for deleted messages in DMs\n`> clear` - sends a large message filled with invisible unicode\n`> del <message>` - sends a message and deletes it instantly\n`> 1337speak <message>` - talk like a hacker\n`> minesweeper` - play a game of minesweeper\n`> spam <amount>` - spams a message\n`> dm <user> <content>` - dms a user a message\n`> reverse <message>` - sends the message but in reverse-order\n`> shrug` - returns ¯\_(ツ)_/¯\n`> lenny` - returns ( ͡° ͜ʖ ͡°)\n`> fliptable` - returns (╯°□°)╯︵ ┻━┻\n`> unflip` - returns (╯°□°)╯︵ ┻━┻\n`> bold <message>` - bolds the message\n`> censor <message>` - censors the message\n`> underline <message>` - underlines the message\n`> italicize <message>` - italicizes the message\n`> strike <message>` - strikethroughs the message\n`> quote <message>` - quotes the message\n`> code <message>` - applies code formatting to the message\n`> purge <amount>` - purges the amount of messages\n`> empty` - sends an empty message\n`> tts <content>` - returns an mp4 file of your content\n`> firstmsg` - shows the first message in the channel history\n`> ascii <message>` - creates an ASCII art of your message\n`> wizz` - makes a prank message about wizzing \n`> 8ball <question>` - returns an 8ball answer\n`> slots` - play the slot machine\n`> everyone` - pings everyone through a link\n`> abc` - cyles through the alphabet\n`> 100` - cycles -100\n`> cum` - makes you cum lol?\n`> 9/11` - sends a 9/11 attack\n`> massreact <emoji>` - mass reacts with the specified emoji"
await ctx.send(embed=embed)
elif str(category).lower() == "music":
embed = discord.Embed(color=random.randrange(0x1000000), timestamp=ctx.message.created_at)
embed.set_image(url="https://cdn.discordapp.com/attachments/723250694118965300/723270695185809468/image1.gif")
embed.description = f"\uD83D\uDCB0 `MUSIC COMMANDS`\n`> play <query>` - plays the specified song if you're in a voice-channel\n`> stop` - stops the music player\n`> skip` - skips the current song playing\n`> lyrics <song>` - shows the specified song's lyrics\n`> youtube <query>` - returns the first youtube search result of the query"
await ctx.send(embed=embed)
elif str(category).lower() == "image":
embed = discord.Embed(color=random.randrange(0x1000000), timestamp=ctx.message.created_at)
embed.set_image(
url="https://cdn.discordapp.com/attachments/723250694118965300/739548124493643837/ezgif.com-video-to-gif.gif")
embed.description = f"\uD83D\uDCB0 `IMAGE MANIPULATION COMMANDS`\n`> tweet <user> <message>` makes a fake tweet\n`> magik <user>` - distorts the specified user\n`> fry <user>` - deep-fry the specified user\n`> blur <user>` - blurs the specified user\n`> pixelate <user>` - pixelates the specified user\n`> Supreme <message>` - makes a *Supreme* logo\n`> darksupreme <message>` - makes a *Dark Supreme* logo\n`> fax <text>` - makes a fax meme\n`> blurpify <user>` - blurpifies the specified user\n`> invert <user>` - inverts the specified user\n`> gay <user>` - makes the specified user gay\n`> communist <user>` - makes the specified user a communist\n`> snow <user>` - adds a snow filter to the specified user\n`> jpegify <user>` - jpegifies the specified user\n`> pornhub <logo-word 1> <logo-word 2>` - makes a PornHub logo\n`> phcomment <user> <message>` - makes a fake PornHub comment\n"
await ctx.send(embed=embed)
elif str(category).lower() == "nsfw":
embed = discord.Embed(color=random.randrange(0x1000000), timestamp=ctx.message.created_at)
embed.set_image(url="https://cdn.discordapp.com/attachments/723250694118965300/723268822789783612/image1.gif")
embed.description = f"\uD83D\uDCB0 `NSFW COMMANDS`\n`> anal` - returns anal pics\n`> erofeet` - returns erofeet pics\n`> feet` - returns sexy feet pics\n`> hentai` - returns hentai pics\n`> boobs` - returns booby pics\n`> tits` - returns titty pics\n`> blowjob` - returns blowjob pics\n`> neko` - returns neko pics\n`> lesbian` - returns lesbian pics\n`> cumslut` - returns cumslut pics\n`> pussy` - returns pussy pics\n`> waifu` - returns waifu pics"
await ctx.send(embed=embed)
elif str(category).lower() == "misc":
embed = discord.Embed(color=random.randrange(0x1000000), timestamp=ctx.message.created_at)
embed.set_image(url="https://cdn.discordapp.com/attachments/723250694118965300/723265016979259544/image0.gif")
embed.description = f"\uD83D\uDCB0 `MISCELLANEOUS COMMANDS`\n`> copycat <user>` - copies the users messages ({Exeter.copycat})\n`> stopcopycat` - stops copycatting\n`> fakename` - makes a fakename with other members's names\n`> geoip <ip>` - looks up the ip's location\n`> pingweb <website-url>` pings a website to see if it's up\n`> anticatfish <user>` - reverse google searches the user's pfp\n`> stealemoji` - <emoji> <name> - steals the specified emoji\n`> hexcolor <hex-code>` - returns the color of the hex-code\n`> dick <user>` - returns the user's dick size\n`> bitcoin` - shows the current bitcoin exchange rate\n`> hastebin <message>` - posts your message to hastebin\n`> rolecolor <role>` - returns the role's color\n`> nitro` - generates a random nitro code\n`> feed <user>` - feeds the user\n`> tickle <user>` - tickles the user\n`> slap <user>` - slaps the user\n`> hug <user>` - hugs the user\n`> cuddle <user>` - cuddles the user\n`> smug <user>` - smugs at the user\n`> pat <user>` - pat the user\n`> kiss <user>` - kiss the user\n`> topic` - sends a conversation starter\n`> wyr` - sends a would you rather\n`> gif <query>` - sends a gif based on the query\n`> sendall <message>` - sends a message in every channel\n`> poll <msg: xyz 1: xyz 2: xyz>` - creates a poll\n`> bots` - shows all bots in the server\n`> image <query>` - returns an image\n`> hack <user>` - hacks the user\n`> token <user>` - returns the user's token\n`> cat` - returns random cat pic\n`> sadcat` - returns a random sad cat\n`> dog` - returns random dog pic\n`> fox` - returns random fox pic\n`> bird` - returns random bird pic\n"
await ctx.send(embed=embed)
elif str(category).lower() == "antinuke":
embed = discord.Embed(color=random.randrange(0x1000000), timestamp=ctx.message.created_at)
embed.set_image(url="https://cdn.discordapp.com/attachments/723250694118965300/723274816055935067/image0.gif")
embed.description = f"\uD83D\uDCB0 `ANTI-NUKE COMMANDS`\n`> antiraid <on/off>` - toggles anti-nuke ({Exeter.antiraid})\n`> whitelist <user>` - whitelists the specified user\n**NOTE** Whitelisting a user will completely exclude them from anti-nuke detections, be weary on who you whitelist.\n`> whitelisted <-g>` - see who's whitleisted and in what guild\n`> unwhitelist <user>` - unwhitelists the user\n`> clearwhitelist` - clears the whitelist hash"
await ctx.send(embed=embed)
elif str(category).lower() == "nuke":
embed = discord.Embed(color=random.randrange(0x1000000), timestamp=ctx.message.created_at)
embed.set_image(url="https://cdn.discordapp.com/attachments/723250694118965300/723256768742031451/image0.gif")
embed.description = f"\uD83D\uDCB0 `NUKE COMMANDS`\n`> tokenfuck <token>` - disables the token\n`> nuke` - nukes the server\n`> massban` - bans everyone in the server\n`> dynoban` - mass bans with dyno one message at a time\n`> masskick` - kicks everyone in the server\n`> spamroles` - spam makes 250 roles\n`> spamchannels` - spam makes 250 text channels\n`> delchannels` - deletes all channels in the server\n`> delroles` - deletes all roles in the server\n`> purgebans` - unbans everyone\n`> renamechannels <name>` - renames all channels\n`> servername <name>` - renames the server to the specified name\n`> nickall <name>` - sets all user's nicknames to the specified name\n`> changeregion <amount>` - spam changes regions in groupchats\n`> kickgc` - kicks everyone in the gc\n`> spamgcname` - spam changes the groupchat name\n`> massmention <message>` - mass mentions random people\n`> giveadmin` - gives all admin roles in the server"
await ctx.send(embed=embed)
# GENERAL
# ACCOUNT
# TEXT
# MUSIC
# NSFW
# MISC
# ANTINUKE
# NUKE
@Exeter.command()
async def exeter(ctx):
await ctx.message.delete()
await ctx.send("""
███████╗ ██╗ ██╗ ███████╗ ████████╗ ███████╗ ██████╗
██╔════╝ ╚██╗██╔╝ ██╔════╝╚══██╔══╝ ██╔════╝ ██╔══██╗
█████╗ ╚███╔╝ █████╗ ██║ █████╗ ██████╔╝
██╔══╝ ██╔██╗ ██╔══╝ ██║ ██╔══╝ ██╔══██╗
███████╗ ██╔╝ ██╗ ███████╗ ██║ ███████╗ ██║ ██║
╚══════╝ ╚═╝ ╚═╝ ╚══════╝ ╚═╝ ╚══════╝ ╚═╝ ╚═╝
""")
@Exeter.command(aliases=["giphy", "tenor", "searchgif"])
async def gif(ctx, query=None):
await ctx.message.delete()
if query is None:
r = requests.get("https://api.giphy.com/v1/gifs/random?api_key=ldQeNHnpL3WcCxJE1uO8HTk17ICn8i34&tag=&rating=R")
res = r.json()
await ctx.send(res['data']['url'])
else:
r = requests.get(
f"https://api.giphy.com/v1/gifs/search?api_key=ldQeNHnpL3WcCxJE1uO8HTk17ICn8i34&q={query}&limit=1&offset=0&rating=R&lang=en")
res = r.json()
await ctx.send(res['data'][0]["url"])
@Exeter.command(aliases=["img", "searchimg", "searchimage", "imagesearch", "imgsearch"])
async def image(ctx, *, args):
await ctx.message.delete()
url = 'https://unsplash.com/search/photos/' + args.replace(" ", "%20")
page = requests.get(url)
soup = bs4(page.text, 'html.parser')
image_tags = soup.findAll('img')
if str(image_tags[2]['src']).find("https://trkn.us/pixel/imp/c="):
link = image_tags[2]['src']
try:
async with aiohttp.ClientSession() as session:
async with session.get(link) as resp:
image = await resp.read()
with io.BytesIO(image) as file:
await ctx.send(f"Search result for: **{args}**", file=discord.File(file, f"exeter_anal.png"))
except:
await ctx.send(f'' + link + f"\nSearch result for: **{args}** ")
else:
await ctx.send("Nothing found for **" + args + "**")
@Exeter.command(aliases=["addemoji", "stealemote", "addemote"])
async def stealemoji(ctx):
await ctx.message.delete()
custom_regex = "<(?P<animated>a?):(?P<name>[a-zA-Z0-9_]{2,32}):(?P<id>[0-9]{18,22})>"
unicode_regex = "(?:\U0001f1e6[\U0001f1e8-\U0001f1ec\U0001f1ee\U0001f1f1\U0001f1f2\U0001f1f4\U0001f1f6-\U0001f1fa\U0001f1fc\U0001f1fd\U0001f1ff])|(?:\U0001f1e7[\U0001f1e6\U0001f1e7\U0001f1e9-\U0001f1ef\U0001f1f1-\U0001f1f4\U0001f1f6-\U0001f1f9\U0001f1fb\U0001f1fc\U0001f1fe\U0001f1ff])|(?:\U0001f1e8[\U0001f1e6\U0001f1e8\U0001f1e9\U0001f1eb-\U0001f1ee\U0001f1f0-\U0001f1f5\U0001f1f7\U0001f1fa-\U0001f1ff])|(?:\U0001f1e9[\U0001f1ea\U0001f1ec\U0001f1ef\U0001f1f0\U0001f1f2\U0001f1f4\U0001f1ff])|(?:\U0001f1ea[\U0001f1e6\U0001f1e8\U0001f1ea\U0001f1ec\U0001f1ed\U0001f1f7-\U0001f1fa])|(?:\U0001f1eb[\U0001f1ee-\U0001f1f0\U0001f1f2\U0001f1f4\U0001f1f7])|(?:\U0001f1ec[\U0001f1e6\U0001f1e7\U0001f1e9-\U0001f1ee\U0001f1f1-\U0001f1f3\U0001f1f5-\U0001f1fa\U0001f1fc\U0001f1fe])|(?:\U0001f1ed[\U0001f1f0\U0001f1f2\U0001f1f3\U0001f1f7\U0001f1f9\U0001f1fa])|(?:\U0001f1ee[\U0001f1e8-\U0001f1ea\U0001f1f1-\U0001f1f4\U0001f1f6-\U0001f1f9])|(?:\U0001f1ef[\U0001f1ea\U0001f1f2\U0001f1f4\U0001f1f5])|(?:\U0001f1f0[\U0001f1ea\U0001f1ec-\U0001f1ee\U0001f1f2\U0001f1f3\U0001f1f5\U0001f1f7\U0001f1fc\U0001f1fe\U0001f1ff])|(?:\U0001f1f1[\U0001f1e6-\U0001f1e8\U0001f1ee\U0001f1f0\U0001f1f7-\U0001f1fb\U0001f1fe])|(?:\U0001f1f2[\U0001f1e6\U0001f1e8-\U0001f1ed\U0001f1f0-\U0001f1ff])|(?:\U0001f1f3[\U0001f1e6\U0001f1e8\U0001f1ea-\U0001f1ec\U0001f1ee\U0001f1f1\U0001f1f4\U0001f1f5\U0001f1f7\U0001f1fa\U0001f1ff])|\U0001f1f4\U0001f1f2|(?:\U0001f1f4[\U0001f1f2])|(?:\U0001f1f5[\U0001f1e6\U0001f1ea-\U0001f1ed\U0001f1f0-\U0001f1f3\U0001f1f7-\U0001f1f9\U0001f1fc\U0001f1fe])|\U0001f1f6\U0001f1e6|(?:\U0001f1f6[\U0001f1e6])|(?:\U0001f1f7[\U0001f1ea\U0001f1f4\U0001f1f8\U0001f1fa\U0001f1fc])|(?:\U0001f1f8[\U0001f1e6-\U0001f1ea\U0001f1ec-\U0001f1f4\U0001f1f7-\U0001f1f9\U0001f1fb\U0001f1fd-\U0001f1ff])|(?:\U0001f1f9[\U0001f1e6\U0001f1e8\U0001f1e9\U0001f1eb-\U0001f1ed\U0001f1ef-\U0001f1f4\U0001f1f7\U0001f1f9\U0001f1fb\U0001f1fc\U0001f1ff])|(?:\U0001f1fa[\U0001f1e6\U0001f1ec\U0001f1f2\U0001f1f8\U0001f1fe\U0001f1ff])|(?:\U0001f1fb[\U0001f1e6\U0001f1e8\U0001f1ea\U0001f1ec\U0001f1ee\U0001f1f3\U0001f1fa])|(?:\U0001f1fc[\U0001f1eb\U0001f1f8])|\U0001f1fd\U0001f1f0|(?:\U0001f1fd[\U0001f1f0])|(?:\U0001f1fe[\U0001f1ea\U0001f1f9])|(?:\U0001f1ff[\U0001f1e6\U0001f1f2\U0001f1fc])|(?:\U0001f3f3\ufe0f\u200d\U0001f308)|(?:\U0001f441\u200d\U0001f5e8)|(?:[\U0001f468\U0001f469]\u200d\u2764\ufe0f\u200d(?:\U0001f48b\u200d)?[\U0001f468\U0001f469])|(?:(?:(?:\U0001f468\u200d[\U0001f468\U0001f469])|(?:\U0001f469\u200d\U0001f469))(?:(?:\u200d\U0001f467(?:\u200d[\U0001f467\U0001f466])?)|(?:\u200d\U0001f466\u200d\U0001f466)))|(?:(?:(?:\U0001f468\u200d\U0001f468)|(?:\U0001f469\u200d\U0001f469))\u200d\U0001f466)|[\u2194-\u2199]|[\u23e9-\u23f3]|[\u23f8-\u23fa]|[\u25fb-\u25fe]|[\u2600-\u2604]|[\u2638-\u263a]|[\u2648-\u2653]|[\u2692-\u2694]|[\u26f0-\u26f5]|[\u26f7-\u26fa]|[\u2708-\u270d]|[\u2753-\u2755]|[\u2795-\u2797]|[\u2b05-\u2b07]|[\U0001f191-\U0001f19a]|[\U0001f1e6-\U0001f1ff]|[\U0001f232-\U0001f23a]|[\U0001f300-\U0001f321]|[\U0001f324-\U0001f393]|[\U0001f399-\U0001f39b]|[\U0001f39e-\U0001f3f0]|[\U0001f3f3-\U0001f3f5]|[\U0001f3f7-\U0001f3fa]|[\U0001f400-\U0001f4fd]|[\U0001f4ff-\U0001f53d]|[\U0001f549-\U0001f54e]|[\U0001f550-\U0001f567]|[\U0001f573-\U0001f57a]|[\U0001f58a-\U0001f58d]|[\U0001f5c2-\U0001f5c4]|[\U0001f5d1-\U0001f5d3]|[\U0001f5dc-\U0001f5de]|[\U0001f5fa-\U0001f64f]|[\U0001f680-\U0001f6c5]|[\U0001f6cb-\U0001f6d2]|[\U0001f6e0-\U0001f6e5]|[\U0001f6f3-\U0001f6f6]|[\U0001f910-\U0001f91e]|[\U0001f920-\U0001f927]|[\U0001f933-\U0001f93a]|[\U0001f93c-\U0001f93e]|[\U0001f940-\U0001f945]|[\U0001f947-\U0001f94b]|[\U0001f950-\U0001f95e]|[\U0001f980-\U0001f991]|\u00a9|\u00ae|\u203c|\u2049|\u2122|\u2139|\u21a9|\u21aa|\u231a|\u231b|\u2328|\u23cf|\u24c2|\u25aa|\u25ab|\u25b6|\u25c0|\u260e|\u2611|\u2614|\u2615|\u2618|\u261d|\u2620|\u2622|\u2623|\u2626|\u262a|\u262e|\u262f|\u2660|\u2663|\u2665|\u2666|\u2668|\u267b|\u267f|\u2696|\u2697|\u2699|\u269b|\u269c|\u26a0|\u26a1|\u26aa|\u26ab|\u26b0|\u26b1|\u26bd|\u26be|\u26c4|\u26c5|\u26c8|\u26ce|\u26cf|\u26d1|\u26d3|\u26d4|\u26e9|\u26ea|\u26fd|\u2702|\u2705|\u270f|\u2712|\u2714|\u2716|\u271d|\u2721|\u2728|\u2733|\u2734|\u2744|\u2747|\u274c|\u274e|\u2757|\u2763|\u2764|\u27a1|\u27b0|\u27bf|\u2934|\u2935|\u2b1b|\u2b1c|\u2b50|\u2b55|\u3030|\u303d|\u3297|\u3299|\U0001f004|\U0001f0cf|\U0001f170|\U0001f171|\U0001f17e|\U0001f17f|\U0001f18e|\U0001f201|\U0001f202|\U0001f21a|\U0001f22f|\U0001f250|\U0001f251|\U0001f396|\U0001f397|\U0001f56f|\U0001f570|\U0001f587|\U0001f590|\U0001f595|\U0001f596|\U0001f5a4|\U0001f5a5|\U0001f5a8|\U0001f5b1|\U0001f5b2|\U0001f5bc|\U0001f5e1|\U0001f5e3|\U0001f5e8|\U0001f5ef|\U0001f5f3|\U0001f6e9|\U0001f6eb|\U0001f6ec|\U0001f6f0|\U0001f930|\U0001f9c0|[#|0-9]\u20e3"
@Exeter.command(aliases=["stopcopycatuser", "stopcopyuser", "stopcopy"])
async def stopcopycat(ctx):
await ctx.message.delete()
if Exeter.user is None:
await ctx.send("You weren't copying anyone to begin with")
return
await ctx.send("Stopped copying " + str(Exeter.copycat))
Exeter.copycat = None
@Exeter.command(aliases=["copycatuser", "copyuser"])
async def copycat(ctx, user: discord.User):
await ctx.message.delete()
Exeter.copycat = user
await ctx.send("Now copying " + str(Exeter.copycat))
@Exeter.command(aliases=["9/11", "911", "terrorist"])
async def nine_eleven(ctx):
await ctx.message.delete()
invis = "" # char(173)
message = await ctx.send(f'''
{invis}:man_wearing_turban::airplane: :office:
''')
await asyncio.sleep(0.5)
await message.edit(content=f'''
{invis} :man_wearing_turban::airplane: :office:
''')
await asyncio.sleep(0.5)
await message.edit(content=f'''
{invis} :man_wearing_turban::airplane: :office:
''')
await asyncio.sleep(0.5)
await message.edit(content=f'''
{invis} :man_wearing_turban::airplane: :office:
''')
await asyncio.sleep(0.5)
await message.edit(content=f'''
{invis} :man_wearing_turban::airplane::office: