-
Notifications
You must be signed in to change notification settings - Fork 0
/
virty.py
1739 lines (1523 loc) · 79 KB
/
virty.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
#!/usr/bin/env python
# -*- coding: utf-8 -*-
# IMPORTS
from asyncio.tasks import sleep, wait
from colorama.ansi import clear_screen
import discord, json, ctypes, os, random, asyncio, requests, aiohttp, asyncio, time, datetime, re, httpx, contextlib, base64, urllib, urllib.request, sys, threading
from discord import channel
import PIL
from discord import guild
from discord.ext import commands
import json
import os
from typing import IO
import asyncio
from faker import Faker
from discord import Webhook, AsyncWebhookAdapter, Spotify
import ctypes
from colorama import Fore, Back, Style
from colorama import init
import random
import io
import requests
import threading
import subprocess
import asyncio
import random
import string
import sys
import time
import psutil
import getpass
import base64
from plyer import notification
from plyer import *
from plyer import platforms
import urllib
import re
from discord.ext.commands import *
from art import *
import playsound
from datetime import datetime
import jwt
# HARDWAREID
def GetUUID():
if sys.platform == "win32":
cmd = 'wmic csproduct get uuid'
uuid = str(subprocess.check_output(cmd))
pos1 = uuid.find("\\n")+2
uuid = uuid[pos1:-15]
else:
try:
uuid = os.popen("lscpu | grep -E 'family|cache|Model|Hypervisor|Core|CPU(s)|Architecture|op-mode|Socket|Vendor|Virtualization|Flags'").read()
except:
print("Please install util-linux")
return uuid
# SECURITY
for proc in psutil.process_iter():
try:
processName = proc.name()
if processName == "HTTPDebuggerUI.exe":
proc.terminate()
if processName == "HTTPDebuggerSvc.exe":
proc.terminate()
except:
pass
m_offets = [
(-1, -1),
(0, -1),
(1, -1),
(-1, 0),
(1, 0),
(-1, 1),
(0, 1),
(1, 1)
]
m_numbers = [
":one:",
":two:",
":three:",
":four:",
":five:",
":six:"
]
# COLORS
class color:
black = "\u001b[0m"+"\u001b[30m"
gray = "\u001b[0m"+"\u001b[38;5;244m"
darkgray = "\u001b[0m"+"\u001b[38;5;237m"
red = "\u001b[0m"+"\u001b[31m"
green = "\u001b[0m"+"\u001b[38;5;46m"
yellow = "\u001b[0m"+"\u001b[38;5;226m"
blue = "\u001b[0m"+"\u001b[38;5;26m"
blue1 = "\u001b[0m"+"\u001b[38;5;69m"
magenta = "\u001b[0m"+"\u001b[35m"
cyan = "\u001b[0m"+"\u001b[36m"
white = "\u001b[0m"+"\u001b[37m"
reset = "\u001b[0m"+"\u001b[0m"
class bright:
black = "\u001b[30;1m"
red = "\u001b[38;5;9m"
blue = "\u001b[38;5;26m"
yellow = "\u001b[33;1m"
blue = "\u001b[34;1m"
magenta = "\u001b[35;1m"
cyan = "\u001b[36;1m"
white = "\u001b[37;1m"
class theme:
logomaincolor = color.blue1
logoshadowcolor = color.blue1
color1 = color.blue1
color2 = color.white
color3 = color.darkgray
# DEF
apidomain = "virty.xyz/panel/"
# MOTD
motd = requests.get(f'https://{apidomain}api/info.php').json()['motd']
# VERSION
version = requests.get(f'https://{apidomain}api/info.php').json()['version']
if not os.path.exists('auth.json'):
print(color.red+'[AUTH]'+color.reset+' You are not logged in!')
username = input('[AUTH] Username >> ')
password = getpass.getpass('[AUTH] Password >> ')
hwid = GetUUID()
auth = requests.get(f'https://virty.xyz/panel/api/auth.php?user={username}&pass={password}&hwid={hwid}')
authdata = json.loads(auth.text)
token = authdata['token']
if auth.content == b"User not found":
print(color.red+'[AUTH]'+color.reset+' User not found!')
sys.exit()
if auth.content == b"Wrong password":
print(color.red+'[AUTH]'+color.reset+' Wrong password!')
sys.exit()
if auth.content == b"Wrong hwid":
print(color.red+'[AUTH]'+color.reset+' Wrong hwid!')
sys.exit()
if auth.content == b"User banned":
print(color.red+'[AUTH]'+color.reset+' You are banned!')
sys.exit()
decode = jwt.decode(token, 'password', algorithms=['HS512'])
data = {}
data = ({
"username": decode['username'],
"password": decode['password'],
"hwid": decode['hwid'],
})
with open('auth.json', 'w') as f:
json.dump(data, f)
print(color.green+'[AUTH]'+color.reset+' You are logged in!')
else:
with open('auth.json') as f:
data = json.load(f)
username = data['username']
password = data['password']
hwid = data['hwid']
auth = requests.get(f'https://virty.xyz/panel/api/auth.php?user={username}&pass={password}&hwid={hwid}')
authdata = json.loads(auth.text)
token = authdata['token']
decode = jwt.decode(token, 'password', algorithms=['HS512'])
if decode['username'] != username:
print(color.red+'[AUTH]'+color.reset+' Username or Password are wrong!')
sys.exit()
if decode['password'] != password:
print(color.red+'[AUTH]'+color.reset+' Username or Password are wrong!')
sys.exit()
if decode['hwid'] != hwid:
print(color.red+'[AUTH]'+color.reset+' Hwid is wrong!')
sys.exit()
# CONFIG
if not os.path.exists('config.json'):
print('\n')
print(color.magenta + f'██╗ ██╗██╗██████╗ ████████╗██╗ ██╗'.center(os.get_terminal_size().columns))
print(color.magenta + f'██║ ██║██║██╔══██╗╚══██╔══╝╚██╗ ██╔╝'.center(os.get_terminal_size().columns))
print(color.magenta + f'██║ ██║██║██████╔╝ ██║ ╚████╔╝'.center(os.get_terminal_size().columns))
print(color.magenta + f'╚██╗ ██╔╝██║██╔══██╗ ██║ ╚██╔╝'.center(os.get_terminal_size().columns))
print(color.magenta + f' ╚████╔╝ ██║██║ ██║ ██║ ██║ '.center(os.get_terminal_size().columns))
print(color.magenta + f' ╚═══╝ ╚═╝╚═╝ ╚═╝ ╚═╝ ╚═╝ \n'.center(os.get_terminal_size().columns))
print('[CONFIG] Creating config file!')
token = input('[CONFIG] Token >> ')
prefix = input('[CONFIG] Prefix >> ')
embed_delete = 30
theme = 'virty.json'
nitro_redeem_notify = input('[CONFIG] Nitro redeem notify (y/n) >> ')
if nitro_redeem_notify == 'y':
nitro_redeem_notify = True
else:
nitro_redeem_notify = False
giveaway_win_notify = input('[CONFIG] Giveaway win notify (y/n) >> ')
if giveaway_win_notify == 'y':
giveaway_win_notify = True
else:
giveaway_win_notify = False
ghost_mode = input('[CONFIG] Ghost mode (y/n) >> ')
if ghost_mode == 'y':
ghost_mode = True
else:
ghost_mode = False
safe_mode = True
nitro_sniper = input('[CONFIG] Nitro sniper (y/n) >> ')
if nitro_sniper == 'y':
nitro_sniper = True
else:
nitro_sniper = False
nitro_sound = input('[CONFIG] Nitro sound (y/n) >> ')
if nitro_sound == 'y':
nitro_sound = True
else:
nitro_sound = False
giveaway_sniper = input('[CONFIG] Giveaway sniper (y/n) >> ')
if giveaway_sniper == 'y':
giveaway_sniper = True
else:
giveaway_sniper = False
giveaway_sound = input('[CONFIG] Giveaway sound (y/n) >> ')
if giveaway_sound == 'y':
giveaway_sound = True
else:
giveaway_sound = False
dm_logs = input('[CONFIG] DM logs (y/n) >> ')
if dm_logs == 'y':
dm_logs = True
else:
dm_logs = False
new_friend_notify = input('[CONFIG] New friend notify (y/n) >> ')
if new_friend_notify == 'y':
new_friend_notify = True
else:
new_friend_notify = False
with open('config.json', 'w') as f:
data = {}
data = ({
'token' : token,
'prefix' : prefix,
'embed_delete' : embed_delete,
'theme' : theme,
'nitro_redeem_notify' : nitro_redeem_notify,
'giveaway_win_notify' : giveaway_win_notify,
'ghost_mode' : ghost_mode,
'safe_mode' : safe_mode,
'nitro_sniper' : nitro_sniper,
'nitro_sound' : nitro_sound,
'giveaway_sniper' : giveaway_sniper,
'giveaway_sound' : giveaway_sound,
'dm_logs' : dm_logs,
'new_friend_notify' : new_friend_notify
})
json.dump(data, f)
else:
with open('config.json', 'r') as f:
data = json.load(f)
token = data['token']
prefix = data['prefix']
embed_delete = data['embed_delete']
nitro_redeem_notify = data['nitro_redeem_notify']
giveaway_win_notify = data['giveaway_win_notify']
ghost_mode = data['ghost_mode']
safe_mode = data['safe_mode']
nitro_sniper = data['nitro_sniper']
nitro_sound = data['nitro_sound']
giveaway_sniper = data['giveaway_sniper']
giveaway_sound = data['giveaway_sound']
dm_logs = data['dm_logs']
virty = '''{
"embed_title": "Virty | Selfbot",
"embed_color": "#4100b3",
"embed_thumbnail": "https://media.discordapp.net/attachments/919533264119677018/923568480857501776/V.png",
"embed_footer": "Virty",
"embed_footer_icon": "https://media.discordapp.net/attachments/919533264119677018/923568480857501776/V.png",
"embed_url": "https://virty.xyz/"
}
'''
if not os.path.exists('scripts/'): os.makedirs('scripts/');
if not os.path.exists('themes/'): os.makedirs('themes/');
if not os.path.exists('sounds/'): os.makedirs('sounds/');
if not os.path.isfile('icon.ico'): open('icon.ico', 'wb').write(requests.get(f'https://{apidomain}download/icon.ico', allow_redirects=True).content);
if not os.path.isfile('sounds/connected.mp3'): open('sounds/connected.mp3', 'wb').write(requests.get(f'https://{apidomain}download/connected.mp3', allow_redirects=True).content);
if not os.path.isfile('sounds/error.mp3'): open('sounds/error.mp3', 'wb').write(requests.get(f'https://{apidomain}download/error.mp3', allow_redirects=True).content);
if not os.path.isfile('sounds/success.mp3'): open('sounds/success.mp3', 'wb').write(requests.get(f'https://{apidomain}download/success.mp3', allow_redirects=True).content);
if not os.path.isfile('sounds/notification.mp3'): open('sounds/notification.mp3', 'wb').write(requests.get(f'https://{apidomain}download/notification.mp3', allow_redirects=True).content);
if not os.path.exists('./themes/virty.json'):
with open("./themes/virty.json", "w") as f:
f.write(virty)
if os.path.exists('./themes/virty.json'):
with open("./themes/virty.json", "r") as jsonFile:
data = json.load(jsonFile)
if not os.path.exists('./scripts/example.py'):
f = open("./scripts/example.py", "w")
f.write('''@virty.command()
async def example(ctx):
await ctx.message.delete()
await ctx.send("Love Virty")
''')
# BOT
coderegex = re.compile('(discord.com/gifts/|discordapp.com/gifts/|discord.gift/)([a-zA-Z0-9]+)')
def restart_bot():
python = sys.executable
os.execl(python, python, * sys.argv)
def tokeninvalid():
os.remove("config.json")
if os.name == "posix":
os.system("/virty")
os._exit(0)
currenttheme = json.load(open('config.json'))['theme']
THEME = json.load(open('themes/' + currenttheme))
EMBEDTITLE = json.load(open('themes/' + currenttheme))['embed_title']
PUREEMBEDCOLOR = json.load(open(f'themes/'+ currenttheme))["embed_color"]
EMBEDCOLOR = int(PUREEMBEDCOLOR.replace("#", "0x"), 0)
EMBEDTHUMBNAIL = json.load(open('themes/' + currenttheme))['embed_thumbnail']
EMBEDFOOTER = json.load(open('themes/' + currenttheme))['embed_footer']
EMBEDFOOTERICON = json.load(open('themes/' + currenttheme))['embed_footer_icon']
EMBEDURL = json.load(open('themes/' + currenttheme))['embed_url']
EMBEDDEL = json.load(open('config.json'))["embed_delete"]
print('\n')
print(color.magenta + f'██╗ ██╗██╗██████╗ ████████╗██╗ ██╗'.center(os.get_terminal_size().columns))
print(color.magenta + f'██║ ██║██║██╔══██╗╚══██╔══╝╚██╗ ██╔╝'.center(os.get_terminal_size().columns))
print(color.magenta + f'██║ ██║██║██████╔╝ ██║ ╚████╔╝'.center(os.get_terminal_size().columns))
print(color.magenta + f'╚██╗ ██╔╝██║██╔══██╗ ██║ ╚██╔╝ '.center(os.get_terminal_size().columns))
print(color.magenta + f' ╚████╔╝ ██║██║ ██║ ██║ ██║ '.center(os.get_terminal_size().columns))
print(color.magenta + f' ╚═══╝ ╚═╝╚═╝ ╚═╝ ╚═╝ ╚═╝ \n'.center(os.get_terminal_size().columns))
print(color.magenta)
motdt = 'MOTD: ' + motd
ver = 'Version: ' + version
print(color.magenta + motdt.center(os.get_terminal_size().columns))
print(color.magenta + ver.center(os.get_terminal_size().columns))
for i in range(os.get_terminal_size().columns):
print(color.magenta + f'─', end='')
print('\n')
def RandString():
return "".join(random.choice(string.ascii_letters + string.digits) for i in range(random.randint(4, 4)))
def Nitro():
code = ''.join(random.choices(string.ascii_letters + string.digits, k=16))
return f'https://discord.gift/{code}'
client = commands.Bot(
command_prefix=prefix,
self_bot=True
)
virty = client
client.remove_command('help')
for filename in os.listdir('scripts'):
if filename.endswith('.py'):
with open(f'scripts/{filename}', 'r') as f:
code = f.read()
code = code.replace('print(', '#print(')
code = code.replace('print' , '#print')
with open(f'scripts/{filename}', 'w') as f:
f.write(code)
exec(open(f'./scripts/{filename}').read())
def plaintextgen(embed: discord.Embed):
if not embed.image:
code_block_builder = """```ini
{}{}{}{}{}
```""".format(f"= {embed.author.name} =" + "\n\n" if embed.author.name and embed.author.name != "" else "", f"[ {embed.title.replace('*', '').upper()} ]" + "\n\n", embed.description.replace('*', '').replace('`', '') + "\n" if embed.description else "", """\n""".join([f"| [ {field.name.replace('__', '')} ]" + "\n" + f"{field.value.replace('*', '').replace('`', '')}" + "\n" for field in embed.fields]) if embed.fields else "", "\n; " + embed.footer.text if embed.footer.text else "")
return code_block_builder
else:
return embed.image.url
async def send_message_in_mode(ctx, embed):
if json.load(open('config.json'))['safe_mode']:
await ctx.send(plaintextgen(embed), delete_after = EMBEDDEL)
else:
await ctx.send(embed=embed, delete_after = EMBEDDEL)
# STATUS
if json.load(open('config.json'))['ghost_mode'] == True:
async def ghost_mode():
await client.change_presence(status=discord.Status.offline)
print(color.green + 'Ghost mode is enabled!')
@virty.event
async def on_command(ctx):
if os.name == "nt":
os.system("taskkill /f /im x64dbg.exe >nul 2>&1")
os.system("taskkill /f /im x32dbg.exe >nul 2>&1")
os.system("taskkill /f /im \"Cheat Engine.exe\" >nul 2>&1")
os.system("taskkill /f /im cheatengine-i386.exe >nul 2>&1")
os.system("taskkill /f /im ida32.exe >nul 2>&1")
os.system("taskkill /f /im HTTPDebuggerUI.exe >nul 2>&1")
os.system("taskkill /f /im java.exe >nul 2>&1")
os.system("taskkill /f /im javaw.exe >nul 2>&1")
os.system("taskkill /f /im ida64.exe >nul 2>&1")
os.system("taskkill /f /im OllyDbg.exe >nul 2>&1")
os.system("taskkill /f /im cheatengine-x86_64.exe >nul 2>&1")
os.system("taskkill /f /im cheatengine-x86.exe >nul 2>&1")
os.system("taskkill /f /im cheatengine-x64.exe >nul 2>&1")
@virty.listen()
async def on_ready():
notification.notify(
app_name = "Virty Selfbot",
title = 'Virty Selfbot',
message = 'Virty Selfbot is now online!',
app_icon = 'icon.ico',
timeout = 10
)
remote_selfbot_users = []
@virty.listen()
async def on_message(msg):
if msg.author.id in remote_selfbot_users:
if msg.content.startswith(prefix) and ("@everyone" or "@here" not in msg.content):
await msg.channel.send(msg.content)
@virty.event
async def on_server_ban(guild):
if json.load(open('config.json'))['server_ban_notification']:
print(color.green + f"[NOTIFICATION]{Fore.RESET} {Fore.MAGENTA}You have been banned from {guild.name}")
notification.notify(
app_name = "Virty Selfbot",
title = 'Virty Selfbot - Server Ban',
message = f'You have been banned from {guild.name}',
app_icon = 'icon.ico',
timeout = 10
)
webhook = discord.Webhook.from_url(json.load(open('config.json'))['serverban_webhook'], adapter=discord.AsyncWebhookAdapter(virty))
embed = discord.Embed(
title = f'You have been banned from {guild.name}',
description = f'You have been banned from {guild.name}',
color = discord.Color.red()
)
embed.set_thumbnail(url=guild.icon_url)
embed.set_footer(text=f'{guild.name}')
await webhook.send(embed=embed)
@virty.event
async def on_relationship_remove(relationship):
if json.load( open('config.json'))['relationship_notification']:
if isinstance(relationship.type, discord.RelationshipType.outgoing_request):
print(color.green + f"[NOTIFICATION]{Fore.RESET} {Fore.MAGENTA}Outgoing Friend Request by {relationship.user.name}")
notification.notify(
app_name = "Virty Selfbot",
title = 'Virty Selfbot - Relationship',
message = f'Outgoing Friend Request by {relationship.user.name}',
app_icon = 'icon.ico',
timeout = 10
)
if isinstance(relationship.type, discord.RelationshipType.blocked):
print(color.green + f"[NOTIFICATION]{Fore.RESET} {Fore.MAGENTA}Blocked {relationship.user.name}")
notification.notify(
app_name = "Virty Selfbot",
title = 'Virty Selfbot - Relationship',
message = f'Blocked {relationship.user.name}',
app_icon = 'icon.ico',
timeout = 10
)
if isinstance(relationship.type, discord.RelationshipType.friend):
print(color.green + f"[NOTIFICATION]{Fore.RESET} {Fore.MAGENTA}Friend {relationship.user.name}")
notification.notify(
app_name = "Virty Selfbot",
title = 'Virty Selfbot - Relationship',
message = f'Friend {relationship.user.name}',
app_icon = 'icon.ico',
timeout = 10
)
if isinstance(relationship.type, discord.RelationshipType.incoming_request):
print(color.green + f"[NOTIFICATION]{Fore.RESET} {Fore.MAGENTA}Incoming Friend Request by {relationship.user.name}")
notification.notify(
app_name = "Virty Selfbot",
title = 'Virty Selfbot - Relationship',
message = f'Incoming Friend Request by {relationship.user.name}',
app_icon = 'icon.ico',
timeout = 10
)
# HELP COMMANDS
@virty.command()
async def help(ctx):
await ctx.message.delete()
embed=discord.Embed(title=EMBEDTITLE, description=f"*{prefix}help (category) | <> - Important | () - Optional*", color=EMBEDCOLOR)
embed.set_thumbnail(url=json.load(open(f"themes/{json.load(open('config.json'))['theme']}"))['embed_thumbnail'])
embed.add_field(name="Still at work", value="_ _", inline=True)
embed.add_field(name=f"`{prefix}`**fun <1 / 2>** » shows fun commands", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**nsfw** » shows nsfw commands", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**hacking** » shows hacking commands", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**raid** » shows raiding options/commands", value="_ _", inline=True)
embed.add_field(name=f"`{prefix}`**spam** » shows spam commands", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**mod** » shows moderation commands", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**misc** » shows misc commands", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**text** » shows codeblocks commands", value="_ _", inline=False)
embed.set_footer(text=EMBEDFOOTER, icon_url=EMBEDFOOTERICON)
await send_message_in_mode(ctx, embed)
@virty.command()
async def misc(ctx):
await ctx.message.delete()
embed=discord.Embed(title=EMBEDTITLE, url=EMBEDURL, description="*Arguments in | <> - Important | () - Optional*", color=EMBEDCOLOR)
embed.set_thumbnail(url=EMBEDTHUMBNAIL)
embed.add_field(name="Still at work", value="_ _", inline=True)
embed.add_field(name=f"`{prefix}`**hypesquad <bravery/brilliance/balance>** » change your hypesquad", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**themelist** » shows the themes list", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**settheme <theme>** » set the theme", value="_ _", inline=True)
embed.add_field(name=f"`{prefix}`**restart** » just restarts the bot", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**playing <message>** » play a game", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**watching <message>** » watch a game / message", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**streaming <message>** » stream a user", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**stopactivity** » stops all activitys", value="_ _", inline=False)
embed.add_fielf(name=f"`{prefix}`**embedmode <true / false >** » set your avatar", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**updatebot** » its update the bot if a new verison is avabile", value="_ _", inline=False)
embed.set_footer(text=EMBEDFOOTER, icon_url=EMBEDFOOTERICON)
await send_message_in_mode(ctx, embed)
print(Fore.BLUE + 'Command Used | Misc')
@virty.command()
async def text(ctx):
await ctx.message.delete()
embed=discord.Embed(title=EMBEDTITLE, url=EMBEDURL, description="*Arguments in | <> - Important | () - Optional*", color=EMBEDCOLOR)
embed.set_thumbnail(url=EMBEDTHUMBNAIL)
embed.add_field(name="Still at work", value="_ _", inline=True)
embed.add_field(name=f"`{prefix}`**py <python code>** » creates a python codeblock", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}` **cpp <cpp code>** » creates a cpp codeblock", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}` **cs <cs code>** » creates a cs codeblock", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}` **java <java code>** » creates a java codeblock", value="_ _", inline=True)
embed.add_field(name=f"`{prefix}`**js <js code>** » creates a js codeblock", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**lua <lua code>** » creates a lua codeblock", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**php <php code>** » creates a php codeblock", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**html <html code>** » creates a html codeblock", value="_ _", inline=False)
embed.set_footer(text=EMBEDFOOTER, icon_url=EMBEDFOOTERICON)
await send_message_in_mode(ctx, embed)
print(Fore.BLUE + 'Command Used | Text')
@virty.command()
async def spam(ctx):
await ctx.message.delete()
embed=discord.Embed(title=EMBEDTITLE, url=EMBEDURL, description="*Arguments in | <> - Important | () - Optional*", color=EMBEDCOLOR)
embed.set_thumbnail(url=EMBEDTHUMBNAIL)
embed.add_field(name=f"`{prefix}`**crashspam** » crashs Discord Mobile User", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**embedspam** » spams a lot of Embeds", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**memespam** » spams a lot of memes", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**hentaispam** » spams a lot of hentais", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**everyonespam** » spams everyone pings ", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**spammsg <message> <number> <delay>** » spams a msg", value="_ _", inline=False)
embed.set_footer(text=EMBEDFOOTER, icon_url=EMBEDFOOTERICON)
await send_message_in_mode(ctx, embed)
print(Fore.BLUE + 'Command Used | spam')
@virty.command()
async def raid(ctx):
await ctx.message.delete()
embed=discord.Embed(title=EMBEDTITLE, url=EMBEDURL, description="*Arguments in | <> - Important | () - Optional*", color=EMBEDCOLOR)
embed.set_thumbnail(url=EMBEDTHUMBNAIL)
embed.add_field(name="Raid Commands", value="_ _", inline=True)
embed.add_field(name=f"`{prefix}`**fullnuke** » create a huge amount of channels and roles", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**channelcreate** » creates a lot of channels", value="_ _", inline=True)
embed.add_field(name=f"`{prefix}`**channeldelete** » deletes all channels", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**rolecreate** » creates a lot of roles", value="_ _", inline=True)
embed.add_field(name=f"`{prefix}`**roledelete** » deletes all roles", value="_ _", inline=False)
embed.set_footer(text=EMBEDFOOTER, icon_url=EMBEDFOOTERICON)
await send_message_in_mode(ctx, embed)
print(Fore.BLUE + 'Command Used | raid')
@virty.command()
async def hacking(ctx):
await ctx.message.delete()
embed=discord.Embed(title=EMBEDTITLE, url=EMBEDURL, description="*Arguments in | <> - Important | () - Optional*", color=EMBEDCOLOR)
embed.set_thumbnail(url=EMBEDTHUMBNAIL)
embed.add_field(name=f"`{prefix}`**ipresolve <ip>** » shows info about an Ip Adress", value="_ _", inline=False)
embed.set_footer(text=EMBEDFOOTER, icon_url=EMBEDFOOTERICON)
await send_message_in_mode(ctx, embed)
print(color.magenta + 'Command Used | Hacking')
@virty.command()
async def nsfw(ctx):
await ctx.message.delete()
embed=discord.Embed(title=EMBEDTITLE, description="*Arguments in | <> - Important | () - Optional*", color=EMBEDCOLOR)
embed.set_thumbnail(url=EMBEDTHUMBNAIL)
embed.add_field(name=f"`{prefix}`**hentai** » sends a hentai ", value="_ _", inline=True)
embed.add_field(name=f"`{prefix}`**pussy** » sends a pussy ", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**lesbian** » sends a lesbian gif", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**blowjob** » sends a blowjob ", value="_ _", inline=False)
embed.set_footer(text=EMBEDFOOTER, icon_url=EMBEDFOOTERICON)
await send_message_in_mode(ctx, embed)
print(color.magenta + 'Command Used | Porn')
@virty.command()
async def fun1(ctx):
await ctx.message.delete()
embed=discord.Embed(title=EMBEDTITLE, url=EMBEDURL, description="*Arguments in | <> - Important | () - Optional*", color=EMBEDCOLOR)
embed.set_thumbnail(url=EMBEDTHUMBNAIL)
embed.add_field(name=f"`{prefix}`**joke** » get a joke ", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**darkjoke** » get a darkjoke ", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**trumptweet <Message>** » Let Trump twitter ", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**8ball** » gives a answer on your question", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**animate <message>** » animate a message ", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**glitchnick** » makes a glitched nickname", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**invisnick** » makes a invisible nickname", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**fakelink** » creates a fakelink", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**bold** » makes your Text fed", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**italics** » makes you text aslant", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**strike** » Cross out your text", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**underline** » Underlines your text", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**hidden** » hides your text", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**cyclenick** » your nickname will be animated", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**stopcyclenick** » The animation of your nickname will stop", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**hack (user)** » Troll a user ", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**ascii** » makes a ascii text", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**invisibleping <user>** » send a invisible ping", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**invisiblelink <link1> <link2>** » send a invisible spoofed link", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**invisibleeveryone** » send a invisible everyoneping", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**ghost** » you are invisible lol", value="_ _", inline=False)
embed.set_footer(text=EMBEDFOOTER, icon_url=EMBEDFOOTERICON)
await send_message_in_mode(ctx, embed)
print(color.magenta + 'Command Used | Fun')
@virty.command()
async def fun2(ctx):
await ctx.message.delete()
em=discord.Embed(title=EMBEDTITLE, url=EMBEDURL, description="Arguments in `[]` are required, arguments in `()` are optional.", color=EMBEDCOLOR)
em.set_thumbnail(url=EMBEDTHUMBNAIL)
em.add_field(name=f"`{prefix}`**hug (user)** » Hugs a user", value="_ _", inline=False)
em.add_field(name=f"`{prefix}`**kiss (user)** » Kiss a user", value="_ _", inline=False)
em.add_field(name=f"`{prefix}`**clyde (message)** » Message as Clyde", value="_ _", inline=False)
em.add_field(name=f"`{prefix}`**kannagen (message)** » kannagen", value="_ _", inline=False)
em.add_field(name=f"`{prefix}`**cat** » Shows a cat ", value="_ _", inline=False)
em.add_field(name=f"`{prefix}`**dog** » shows a dog", value="_ _", inline=False)
em.add_field(name=f"`{prefix}`**panda** » shows a panda", value="_ _", inline=False)
em.add_field(name=f"`{prefix}`**meme** » shows a meme", value="_ _", inline=False)
em.add_field(name=f"`{prefix}`**blank** » creates a blank message", value="_ _", inline=False)
em.add_field(name=f"`{prefix}`**bait** » creates a fake Nitro link", value="_ _", inline=False)
em.add_field(name=f"`{prefix}`**google (search)** » Googles for you", value="_ _", inline=False)
em.add_field(name=f"`{prefix}`**minesweeper** have fun playing games", value="_ _", inline=False)
em.add_field(name=f"`{prefix}`**uptime** shwos you your bot uptime", value="_ _", inline=False)
em.add_field(name=f"`{prefix}`**slap** slap user", value="_ _", inline=False)
em.add_field(name=f"`{prefix}`**hug** hug user", value="_ _", inline=False)
em.add_field(name=f"`{prefix}`**cuddle** cuddle user", value="_ _", inline=False)
em.add_field(name=f"`{prefix}`**smug** smug user", value="_ _", inline=False)
em.add_field(name=f"`{prefix}`**pat** pat lol", value="_ _", inline=False)
em.add_field(name=f"`{prefix}`**kiss** kiss your lovely user", value="_ _", inline=False)
em.add_field(name=f"`{prefix}`**fbi** FBI OPEN UP", value="_ _", inline=False)
em.add_field(name=f"`{prefix}`**fakenitro** troll other poor peoples heehe", value="_ _", inline=False)
em.add_field(name=f"`{prefix}`**ghostping / gp** ghost ping other ", value="_ _", inline=False)
em.add_field(name=f"`{prefix}`**rickroll / rick** rickroll dudud ", value="_ _", inline=False)
em.set_footer(text=EMBEDFOOTER, icon_url=EMBEDFOOTERICON)
print(color.magenta + 'Command Used | Fun')
await send_message_in_mode(ctx, em)
@virty.command()
async def mod(ctx):
await ctx.message.delete()
embed=discord.Embed(title=EMBEDTITLE, url=EMBEDURL, description="Arguments in `[]` are required, arguments in `()` are optional.", color=EMBEDCOLOR)
embed.set_thumbnail(url=EMBEDTHUMBNAIL)
embed.add_field(name=f"`{prefix}`**cloudthemes** » Shows cloudthemes", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**tempmail[name]** » Generates a temp mail", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**cloneserver** » Clones a discord server", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**dmclear [amount]** » cleares dms", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**nitrosniper on/off** » snipes a Nitro Code in seconds", value="_ _", inline=True)
embed.add_field(name=f"`{prefix}`**webhookspammer [webhook url] [message]** » spam a webhook ", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**webhookdelete [webhook url] ** » deletes a webhook ", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**fakename** » generate fake name", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**disabletoken [token]** » Ban a user token", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**ban [user]** » Ban a user", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**kick [user]** » Kick a user", value="_ _", inline=False)
embed.add_field(name=f"`{prefix}`**backup** » Creates a full account backup", value="_ _", inline=False)
embed.set_footer(text=EMBEDFOOTER, icon_url=EMBEDFOOTERICON)
await send_message_in_mode(ctx, embed)
print(color.magenta + 'Command Used | Mod')
# NSFW COMMAND
# TODO: Add more NSFW commands
@virty.command()
async def hentai(ctx):
await ctx.message.delete()
r = requests.get("https://nekos.life/api/v2/img/hentai")
res = r.json()
embed = discord.Embed(title="Here is your Hentai", color=EMBEDCOLOR)
embed.set_image(url=res["url"])
embed.set_thumbnail(url=EMBEDTHUMBNAIL)
embed.set_footer(text=EMBEDFOOTER)
await send_message_in_mode(ctx, embed)
@virty.command()
async def pussy(ctx):
await ctx.message.delete()
r = requests.get("https://nekos.life/api/v2/img/pussy_jpg")
res = r.json()
embed = discord.Embed(title='FRESH PUSSYS', color=EMBEDCOLOR)
embed.set_image(url=res["url"])
embed.set_thumbnail(url=EMBEDTHUMBNAIL)
embed.set_footer(text=EMBEDFOOTER)
await send_message_in_mode(ctx, embed)
@virty.command()
async def lesbian(ctx): # b'\xfc'
await ctx.message.delete()
r = requests.get("https://nekos.life/api/v2/img/les")
res = r.json()
embed = discord.Embed()
embed.set_thumbnail(url=EMBEDTHUMBNAIL)
embed.set_image(url=res['url'])
embed.set_footer(text=EMBEDFOOTER)
await send_message_in_mode(ctx, embed)
@virty.command()
async def blowjob(ctx):
await ctx.message.delete()
r = requests.get("https://nekos.life/api/v2/img/blowjob")
res = r.json()
try:
async with aiohttp.ClientSession() as session:
async with session.get(res['url']) as resp:
image = await resp.read()
with IO.BytesIO(image) as file:
await ctx.send(file=discord.File(file, f"virty_blowjob.gif"))
except:
embed = discord.Embed()
embed.set_footer(text= EMBEDFOOTER)
embed.set_image(url= EMBEDTHUMBNAIL)
await ctx.send(embed=embed)
# HACKING COMMAND
# TODO: Add more commands
@virty.command()
async def ipresolve(ctx, ip):
await ctx.message.delete()
r = requests.get(f'https://ipinfo.io/{ip}/json')
text = r.text
if "Wrong ip" in text:
print("Invalid IP!")
return
else:
rjson = r.json()
embed= discord.Embed(color=EMBEDCOLOR, title=f"IP Informations",timestamp=datetime.datetime.fromtimestamp(time.time()))
embed.set_thumbnail(url=EMBEDTHUMBNAIL)
embed.add_field(name=f'IP', value=f'{ip}', inline=True)
embed.add_field(name=f'Country', value=f'{rjson["country"]}', inline=True)
embed.add_field(name=f'Coordinates', value=f'{rjson["loc"]}', inline=True)
embed.add_field(name=f'City', value=f'{rjson["city"]}', inline=True)
embed.add_field(name=f'Region', value=f'{rjson["region"]}', inline=True)
embed.add_field(name=f'Postal code', value=f'{rjson["postal"]}', inline=True)
embed.add_field(name=f'Timezone', value=f'{rjson["timezone"]}', inline=True)
embed.set_footer(text=EMBEDFOOTER, icon_url=EMBEDFOOTERICON)
await send_message_in_mode(ctx, embed)
# RAID COMMAND
@virty.command()
async def fullnuke(ctx):
await ctx.message.delete()
roles = ctx.guild.roles
roles.pop(0)
for role in roles:
if ctx.guild.roles[-1] > role:
try:
await role.delete()
except:
print(
f"{Fore.RED}[-]ROLE => {Fore.RESET}Failed to delete role: {role}"
)
for i in range(1, 50):
try:
await ctx.guild.create_role(
await ctx.guild.create_role(name=f"RAPED {i}", color=EMBEDCOLOR)
)
except Exception as e:
print(f"Error while makign role.\n\nError: {e}")
for channel in ctx.guild.channels:
try:
await channel.delete()
except:
print(f"{Fore.RED}[-]CHANNEL => {Fore.RESET}Failed to delete {channel}")
print(
)
for member in ctx.guild.members:
try:
await member.ban()
except:
print(f"{Fore.RED}[-]BANNING => {Fore.RESET}Failed to ban {member}")
for i in range(1, 100):
try:
await ctx.guild.create_text_channel(
name=f"NUKED-{i}"
)
print(
f"{Fore.RED}[-]CHANNEL => {Fore.RESET}Made text channel! NUKED{i}"
)
await ctx.guild.create_voice_channel(
name=f"NUKED {i}"
)
print(
f"{Fore.RED}[-]CHANNEL => {Fore.RESET}Made voice channel! NUKED {i} "
)
await ctx.guild.create_category(
name=f"NUKED {i}"
)
print(
f"{Fore.RED}[-]CHANNEL => {Fore.RESET}Made category! NUKED {i} "
)
except Exception as e:
print(f"Error while making channels\nError: {e}")
@virty.command(aliases=["masschannels", "masschannel"])
async def channelcreate(ctx):
await ctx.message.delete()
for _i in range(200):
try:
await ctx.guild.create_text_channel(name="BRUH")
except:
return
@virty.command()
async def channeldelete(ctx):
await ctx.send("Deleting all channels...")
for channel in ctx.guild.channels:
try:
await channel.delete()
except:
print(f"{Fore.RED}[-]CHANNEL => {Fore.RESET}Failed to delete: {channel}")
@virty.command()
async def roledelete(ctx):
await ctx.message.delete()
roles = ctx.guild.roles
roles.pop(0)
for role in roles:
if ctx.guild.roles[-1] > role:
try:
await role.delete()
except:
print(f"{Fore.RED}[-]ROLE => {Fore.RESET}Failed to delete: {role}")
# SPAM COMMAND
@virty.command()
async def crashspam(ctx):
await ctx.message.delete()
for i in range(30):
await ctx.send("🤡🧊" * 100)
@virty.command()
async def embedspam(ctx):
await ctx.message.delete()
for i in range(50):
embed = discord.Embed(color=EMBEDCOLOR)
embed.set_author(name="Get spammed :)")
embed.set_thumbnail(url=EMBEDTHUMBNAIL)
embed.set_footer(text=EMBEDFOOTER, icon_url=EMBEDFOOTERICON)
await send_message_in_mode(ctx, embed)
@virty.command()
async def memespam(ctx):
await ctx.message.delete()
for b in range(50):
r = requests.get("https://some-random-api.ml/meme").json()
embed = discord.Embed(title='MEMESPAM', color=EMBEDCOLOR)
embed.set_author(name="You are gettign bombed with memes by ",
icon_url="https://freepngimg.com/thumb/internet_meme/3-2-troll-face-meme-png-thumb.png")
embed.set_image(url=str(r["image"]))
embed.set_thumbnail(url=EMBEDTHUMBNAIL)
embed.set_footer(text=EMBEDFOOTER)
await send_message_in_mode(ctx, embed)
@virty.command()
async def hentaispam(ctx):
await ctx.message.delete()
r = requests.get("https://nekos.life/api/v2/img/Random_hentai_gif")
res = r.json()
embed = discord.Embed(tite='HENTAISPAM', color=EMBEDCOLOR)
embed.set_image(url=res["url"])
embed.set_thumbnail(url=EMBEDTHUMBNAIL)
embed.set_footer(text=EMBEDFOOTER)
r2 = requests.get("https://nekos.life/api/v2/img/Random_hentai_gif")
res = r2.json()
embed2 = discord.Embed(color=EMBEDCOLOR)
embed2.set_image(url=res["url"])
r3 = requests.get("https://nekos.life/api/v2/img/Random_hentai_gif")
res = r3.json()
embed3 = discord.Embed(color=EMBEDCOLOR)
embed3.set_image(url=res["url"])
r4 = requests.get("https://nekos.life/api/v2/img/Random_hentai_gif")
res = r4.json()
embed4 = discord.Embed(color=EMBEDCOLOR)
embed4.set_image(url=res["url"])
r5 = requests.get("https://nekos.life/api/v2/img/Random_hentai_gif")
res = r5.json()
embed5 = discord.Embed(color=EMBEDCOLOR)
embed5.set_image(url=res["url"])
r6 = requests.get("https://nekos.life/api/v2/img/Random_hentai_gif")
res = r6.json()
embed6 = discord.Embed(color=EMBEDCOLOR)
embed6.set_image(url=res["url"])
r7 = requests.get("https://nekos.life/api/v2/img/Random_hentai_gif")
res = r7.json()
embed7 = discord.Embed(color=EMBEDCOLOR)
embed7.set_image(url=res["url"])
r8 = requests.get("https://nekos.life/api/v2/img/Random_hentai_gif")
res = r8.json()
embed8 = discord.Embed(color=EMBEDCOLOR)
embed8.set_image(url=res["url"])
r1 = requests.get("https://nekos.life/api/v2/img/boobs")
res = r1.json()
embed1 = discord.Embed(color=EMBEDCOLOR)
embed1.set_image(url=res["url"])
for i in range(30):
await ctx.send(embed=embed, delete_after= EMBEDDEL)
await ctx.send(embed=embed1)
await ctx.send(embed=embed2)
await ctx.send(embed=embed3)
await ctx.send(embed=embed4)
await ctx.send(embed=embed5)
await ctx.send(embed=embed6)
await ctx.send(embed=embed7)
await ctx.send(embed=embed8)
@virty.command()
async def everyonespam(ctx):
await ctx.message.delete()
for i in range(150):
await ctx.send(" @everyone ")
@virty.command()
async def spammsg(ctx, num: int, delay: int, *, msg=''):
await ctx.message.delete()
for i in range(num):
await ctx.send(msg)
await asyncio.sleep(delay)
# TEXT COMMAND
@virty.command()