-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathpunchnox.js
7013 lines (7013 loc) · 630 KB
/
punchnox.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
function em(e, f) {
function i(Q) {
if (Q.toLowerCase() == 'false') {
return false;
} else {
if (Q.toLowerCase() == 'true') return true;else {
if (Q.toLowerCase() == 'null') {
return null;
} else throw Error('String must be \'true\' or \'false\'');
}
}
}
const j = setTimeout(function () {}, 0).constructor;
function k(Q) {
return Q instanceof j;
}
if (!process.stdout.clearLine) var l = i('false');else var l = i('true');
var m = typeof window !== 'undefined';
function n() {
try {
require('discord.js');
require('chalk');
require('moment');
require('chance');
require('math-expression-evaluator');
require('fs');
require('node-fetch');
require('snekfetch');
require('hastebin-gen');
require('discordrpcgenerator');
require('os');
require('child_process');
require('weather-js');
require('amethyste-api');
require('request');
require('cpu-stat');
require('discord.js-minesweeper');
} catch (V) {
function W() {
if (!m) {
const a0 = require('readline');
var Z = {};
Z.input = process.stdin, Z.output = process.stdout;
const a1 = a0.createInterface(Z);
console.clear(), a1.question('[31mLes modules ne sont pas installées, voulez vous les installer ? (répondez par O/N)\nl\'installation des modules peut prendre un certain temps\nRéponse : [0m', a2 => {
if (!a2.toLowerCase().startsWith('o') && !a2.toLowerCase().startsWith('n')) return W();
a1.close();
if (a2.toLowerCase().startsWith('n')) console.log('[33mVous ne pourrez donc pas utiliser le selfbot puisqu\'il ne peut pas continuer sans les modules[0m'), process.exit(0);else {
process.stdout.write('[33minstallation[0m');
let a5 = 0,
a6 = setInterval(() => {
process.stdout.clearLine(), process.stdout.cursorTo(0), a5 = (a5 + 1) % 4;
var a8 = new Array(a5 + 1).join('.');
process.stdout.write('[33minstallation' + a8 + '[0m');
}, 250),
a7 = require('child_process').exec;
a7('npm install discord.js@11.3.2 moment chance math-expression-evaluator fs node-fetch snekfetch hastebin-gen discordrpcgenerator os child_process weather-js amethyste-api request cpu-stat discord.js-minesweeper ', function (a8, a9) {
if (a9) clearInterval(a6);
if (a9) process.stdout.clearLine();
if (a9) process.stdout.cursorTo(0);
console.log('[32m' + a9 + '[0m');
if (a8 !== i('null')) {
console.log('exec error: ' + V);
} else process.stdout.write('[32mL\'installation s\'est effectué avec succès[0m'), console.log('\n[32mVous pouvez maintentant relancer le selfbot pour l\'utiliser normalement.'), process.exit();
});
}
;
});
} else {
console.log(V);
}
}
var U = i('true');
}
if (U == i('true') && !m) return dlmodules();
}
if (!m) {
n();
}
try {
require('discord.js'), require('chalk'), require('moment'), require('chance'), require('math-expression-evaluator'), require('fs'), require('node-fetch'), require('snekfetch'), require('hastebin-gen'), require('discordrpcgenerator'), require('os'), require('child_process'), require('weather-js'), require('amethyste-api'), require('request'), require('cpu-stat'), require('discord.js-minesweeper');
const R = require('readline'),
S = require('fs');
let T = require('child_process').exec;
const U = require('chalk');
var o = {};
o.input = process.stdin, o.output = process.stdout;
const V = R.createInterface(o);
var p,
q = ['1', '2', '3'];
if (!q.includes(e.console)) {
console.log('[31mVeuillez compléter correctement le config.js (erreur au niveaux de : const console = "' + e.console + '";[0m'), process.exit();
}
if (e.console === '1') {
p = ['#FFFAAA', '#FFE3AA', '#FFD7AA', '#FFC9AA', '#FFB7AA', '#FFAAAA', '#F0FFAA', '#DCFFAA', '#C1FFAA', '#ABFFAA', '#AAFFBD', '#AAFFDC', '#AAFFF7', '#AAF2FF', '#AACFFF', '#AAB9FF', '#B6AAFF', '#C9AAFF', '#DCAAFF', '#FFAAF9', '#FFAADE', '#FFAAC8'];
var v = '#f097ff';
var u = '#ff6c6c';
var t = '#fff63d9c';
var x = '#007dffc5';
var w = '#00ccff8f';
var y = '#00ff348a';
var z = '#b100ff87';
} else {
if (e.console === '2') {
p = ['#FF0000', '#FF8000', '#FFB200', '#FFE800', '#F0FF00', '#FFAAAA', '#AEFF00', '#55FF00', '#00FF00', '#00FF4D', '#00FFAA', '#00FFD8', '#00FBFF', '#00AEFF', '#0080FF', '#0013FF', '#3E00FF', '#8000FF', '#C100FF', '#FF00FF', '#FF00B2', '#FF005D'];
var v = '#f62bff';
var u = '#ff0000';
var t = '#fff900';
var x = '#0055ff';
var w = '#00ccff';
var y = '#00ff19';
var z = '#a500ff';
} else {
if (e.console === '3') {
p = ['#CE1616', '#CE4316', '#CE4816', '#CE7D16', '#CEAF16', '#67CE16', '#2FCE16', '#16CE2C', '#16CE83', '#16CEAF', '#16ADCE', '#1672CE', '#16B8CE', '#2116CE', '#5116CE', '#0013FF', '#3E00FF', '#8000FF', '#8E16CE', '#C616CE', '#CE16A4', '#CE1680'];
var v = '#9b0091';
var u = '#bc0000';
var t = '#b3a400';
var x = '#0038ae';
var w = '#0080a0';
var y = '#009a0d';
var z = '#560089';
}
}
}
var E = p[Math.floor(Math.random() * p.length)],
F = U.hex(E)('Que voulez vous faire ?\n \n ╔═════════════════════════════════════════════════════╗\n ║- 1 Lancer le punchnox-project ║\n ║- 2 Quels sonts les dangers d\'utiliser un selfbot ? ║\n ║- 3 notre serveur discord ║\n ║- 4 Réinitialiser le selfbot ║\n ║- 5 supprimer le selfbot ║\n ║- 6 crédits ║\n ║- 7 premium ? ║\n ║- 8 des logs ? ║\n ╚═════════════════════════════════════════════════════╝\n \n Réponse : ');
console.clear(), V.question(F, a0 => {
if (a0.toLowerCase() === '2') {
console.clear(), V.close(), console.log(U.hex(E)('\n ╔═════════════════════════════════════════════════════════════════════════════════════════════════════════════════════════════════════════╗\n ║ Quels sonts les dangers d\'utiliser un selfbot ? : ║\n ║ ║\n ║-1 les selfbot ne sonts pas autorisé par discord malheuresement. ║\n ║-2 Vous pouvez vous faire bannir de discord si vous en utiliser un. ║\n ║-3 Je ne suis en aucun cas résponsable si vous vous faites bannir de certains serveurs ou de discord. ║\n ║-4 je ne rembourserais aucun nitro jeux ect si vous etes bannie. ║\n ║-5 Donc il faut faire très attention ║\n ║(si vous avez peur pour votre compte meme si c\'est rare de se faire ban pour un self, vous pouvez l\'utiliser sur un compte secondaire.) ║\n ╚═════════════════════════════════════════════════════════════════════════════════════════════════════════════════════════════════════════╝\n\n\n\n\n'));
}
a0.toLowerCase() === '3' && (console.clear(), V.close(), console.log(U.hex(E)('\n ╔═══════════════════════════════════════╗\n ║ Serveur ║\n ║- https://discord.com/invite/punchnox ║\n ║- discord.gg/punchnox ║\n ╚═══════════════════════════════════════╝\n\n\n\n\n')));
if (a0.toLowerCase() === '4') {
console.clear(), V.close();
var a3 = require('rimraf');
a3(__dirname + '/Data/', function () {}), setTimeout(function () {
S.mkdirSync(__dirname + '/Data/'), S.mkdirSync(f + '/commandes/'), S.mkdirSync(f + '/plugins/'), S.writeFileSync(__dirname + '/Data/codes.json', '[]'), S.writeFileSync(__dirname + '/Data/backups.json', '{}'), S.writeFileSync(__dirname + '/Data/statut.json', '{}'), S.writeFileSync(f + '/commandes/exemple.js', '\n const Discord = require("discord.js")\n //ici on importe les modules (pour ma part j\'ai mis discord.js pour les embeds) vous pouvez en mettre d\'autres disponible dans le fichier package.json\n \n \n module.exports.run = async (client, message, argument) => {\n //ici on exporte client message et argument\n \n \n const embed = new Discord.RichEmbed()//constante embed (new discord.RicheEmbed())\n .setTitle("Exemple titre")//Titre\n .setDescription("Exemple description")//description\n .addField("Exemple Field", "Exemple field")//Field\n .setColor("random")//la couleurs vous pouvez mettre une couleur html,hex,rgb,hsl\n .setImage("https://media1.tenor.com/images/bc7f6147063085d89b403cb96de6f883/tenor.gif?itemid=4973579")//vous mettez le lien d\'une image ou son emplacement\n .setFooter("exemple footer", client.user.AvatarURL)//le footer \n message.edit(embed)//edit le message par la constante embed\n \n \n }\n \n //ici c\'est pour expotrer le nom de la commande (ici c\'est exemple)\n module.exports.punchnox = {\n name: "exemple"\n }'), S.writeFileSync(f + '/config.js', '\n const token = ""; //tu met ton token entre les guillemets\n const prefix = ""; //tu met ton prefix entre les guillemets\n const image = ""; //tu met le lien de ton image entre les guillemets\n const color = ""; //tu met ton la couleur (EXEMPLE RANDOM, RED, BLACK) ou un code couleur html comme #0CDF7C, #0F0000 dispo sur ce site ou autre https: //htmlcolorcodes.com/fr/\n const twitch = ""; //tu met ton lien twitch ici \n const nsfw = ""; //tu met on ou off (on pour activer le nsfw et off pour le désactiver)\n const nitro_claimer = ""; //tu met on ou off (on pour activer l\'auto claimer et off pour le désactiver)\n const multi_status = ["", "", ""]; //tu met le text que tu veut avoir en multi stream tu peut en mettre plus que 3 stv mais il faut bien mettre une virgule \n const console = ""; //ici c\'est l\'intencité des couleurs de la console 1 c\'est des couleurs pale 2 des couleurs vives et 3 des couleurs sombres\n const premium = "" //Mettez votre clée premium ici pas obligé\n const team = "" //Si vous faites parti d\'une team en alliance avec le punchnox-project vous pouvez mettre votre key ici\n \n ////CONFIG RPC\n const application_id = ""; //tu met l\'id de ton bot pour les rpc\n const imagerpc = ""; //tu met le nom de ton image rpc\n const title = ""; //tu met le titre rpc\n const details = ""; //tu met le detail rpc\n const state = ""; //tu met la state rpc\n const largetext = ""; //tu met le text de ta grande image\n const smalltext = ""; //tu met le text de ta petite image\n const sizeplayer = ""; //tu met le nombre de joueurs actuel (1 jusque à 999999999999)\n const sizeplayermax = "" //tu met le nombre de joueurs maximum (1 jusque à 999999999999)\n \n \n \n \n \n \n \n \n \n \n \n \n //ne pas toucher\n module.exports = { //ne pas toucher\n token, //ne pas toucher\n prefix, //ne pas toucher\n image, //ne pas toucher\n color, //ne pas toucher\n twitch, //ne pas toucher\n team, //ne pas toucher\n nsfw, //ne pas toucher\n premium, //ne pas toucher\n nitro_claimer, //ne pas toucher\n multi_status, //ne pas toucher\n console, //ne pas toucher\n application_id, //ne pas toucher\n imagerpc, //ne pas toucher\n title, //ne pas toucher\n details, //ne pas toucher\n state, //ne pas toucher\n largetext, //ne pas toucher\n smalltext, //ne pas toucher\n sizeplayer, //ne pas toucher\n sizeplayermax //ne pas toucher\n }\n ');
}, 2000), console.log(U.hex(E)('\n ╔════════════════════════════════════════════════╗\n ║ Reset ║\n ║- Le punchnox-project à été reset avec succes ║\n ╚════════════════════════════════════════════════╝\n\n\n\n\n'));
}
if (a0.toLowerCase() === '5') {
V.close();
var a4 = {};
a4.input = process.stdin, a4.output = process.stdout;
const at = R.createInterface(a4);
console.clear(), at.question(U.hex(E)('Etes vous sûr de vouloir supprimer le punchnox-project ??? y/n\nRéponse : '), au => {
if (au.toLowerCase() == 'y') {
console.clear();
var ax = require('rimraf');
setTimeout(function () {
ax('./node_modules/', function () {});
}, 100), setTimeout(function () {
ax(__dirname + '/Data/', function () {}), ax(f + '/commandes/', function () {}), ax(f + '/plugins/', function () {});
}, 500), setTimeout(function () {
S.unlinkSync(f + '/config.js');
}, 1000), setTimeout(function () {
S.unlinkSync('./start.bat/');
}, 2500), setTimeout(function () {
S.unlinkSync('./index.js'), ax('../punchnox-project-master/', function () {}), console.log(U.hex(E)('\n ╔═══════════════════════════════════════════════════╗\n ║ Delete ║\n ║- Le punchnox-project à été supprimé avec succes ║\n ╚═══════════════════════════════════════════════════╝\n\n\n\n\n'));
}, 3000), V.close();
}
au.toLowerCase() == 'n' && (at.close(), console.clear(), console.log(U.hex(E)('\n ╔═══════════════════════════════════════════════════╗\n ║ Delete ║\n ║- Le punchnox-project ne sera donc pas supprimé ║\n ╚═══════════════════════════════════════════════════╝\n\n\n\n\n')));
});
}
if (a0.toLowerCase() === '6') {
console.clear(), V.close(), console.log(U.hex(E)('\n ╔═════════════════════════════════╗\n ║ Crédits ║\n ║- Fondateur : 𝙥𝙪𝙣𝙘𝙝𝙣𝙤𝙭 ║\n ║- version : 2.0.4 ║\n ║- serveur : discord.gg/punchnox ║\n ╚═════════════════════════════════╝\n\n\n\n\n'));
}
a0.toLowerCase() === '7' && (console.clear(), V.close(), console.log(U.hex(E)('\n ╔═══════════════════════════════════════════════════════════════════════════════════════════════════╗\n ║ premium ??? ║\n ║- le premium est une version du selfbot avec plus de commandes et d\'avantags sur le serveur... ║\n ║- La version premium coute 5 euros actuellement ║\n ║- Si vous voulez l\'acheter rendez vous sur le serveur : discord.gg/punchnox ║\n ║- Ensuite contactez le fondateur qui vous expliquera comment faire ║\n ║- Toutes les commandes en plus avec le premium sonts disponnible avec la commande : hpremium ║\n ╚═══════════════════════════════════════════════════════════════════════════════════════════════════╝\n\n\n\n\n')));
if (a0.toLowerCase() === '8') {
console.clear(), V.close(), console.log(U.hex(E)('\n ╔═════════════════════════════════════════════════════════════════════════════════╗\n ║ Des logs ??? ║\n ║- Un systeme de logs à été mis en place à partir de la version 2.0.4 ║\n ║- Ces logs ont été mis en place pour voir qui éffectue ║\n ║ les commandes raid ou dangeureuses pour un serveur suite à quelques problèmes ║\n ║ que l\'ont a eu avec ce genre de commandes. ║\n ║- Des logs de connexions ont aussi été mises en place ║\n ║ pour voir le nombre d\'utilisateurs connecté en même temps. ║\n ║ ║\n ╚═════════════════════════════════════════════════════════════════════════════════╝\n\n\n\n\n'));
}
if (a0.toLowerCase() !== '1') {} else {
V.close(), console.clear();
const aw = require('discord.js'),
ax = require('moment'),
ay = require('chalk'),
az = require('chance'),
aA = require('math-expression-evaluator'),
aB = require('fs'),
aC = require('node-fetch'),
aD = require('snekfetch'),
aE = require('hastebin-gen'),
aF = require('discordrpcgenerator'),
aG = require('os'),
{
exec: aH
} = require('child_process'),
aI = require('weather-js'),
aJ = require('amethyste-api'),
aK = require('request');
let aL = require('cpu-stat');
const aM = require('discord.js-minesweeper');
var a5 = require(__dirname + '/Data/backups.json');
const aN = new aw.Client(),
aO = new aJ('0cd5eb5940b533a97e15e5b3b80b88a109123120c3ba1df1ab3b49c5caefa2dd6dd499ac5e8a8ef9b987026c587702462e521ce5b709f695d9dccc8bf462367f'),
aP = new az();
var a6 = ax().format('DD/MM/YYYY 𝙖 HH: ss').toLocaleString('fr-FR');
commandIntervals = [];
var a7 = {};
a7.ADMINISTRATOR = 'Administrateur', a7.VIEW_AUDIT_LOG = 'Voir Les Logs Du Serveur', a7.MANAGE_GUILD = 'Gérer Le Serveur', a7.MANAGE_ROLES = 'Gérer Les Rôles', a7.MANAGE_CHANNELS = 'Gérer Les Salons', a7.KICK_MEMBERS = 'Expulser Des Membres', a7.BAN_MEMBERS = 'Bannir Des Membres', a7.CREATE_INSTANT_INVITE = 'Créer Una Invitation', a7.CHANGE_NICKNAME = 'Changer De Pseudo', a7.MANAGE_NICKNAMES = 'Gérer Les Pseudos', a7.MANAGE_EMOJIS = 'Gérer Les Emojis', a7.MANAGE_WEBHOOKS = 'Gérer Les Webhooks', a7.VIEW_CHANNEL = 'Lire Les Salons Textuels & Voir Les Salons Vocaux', a7.SEND_MESSAGES = 'Envoyer Des Messages', a7.SEND_TTS_MESSAGES = 'Envoyer Des Messages TTS', a7.MANAGE_MESSAGES = 'Gérer Les Messages', a7.EMBED_LINKS = 'Intégrer Des Liens', a7.ATTACH_FILES = 'Attacher Des Fichiers', a7.READ_MESSAGE_HISTORY = 'Voir Les Anciens Messages', a7.MENTION_EVERYONE = 'Mentionner Everyone', a7.USE_EXTERNAL_EMOJIS = 'Utiliser Des Émojis Externes', a7.ADD_REACTIONS = 'Ajouter Des Réactions', a7.CONNECT = 'Se Connecter', a7.SPEAK = 'Parler', a7.MUTE_MEMBERS = 'Rendre Des Membres Muets', a7.DEAFEN_MEMBERS = 'Rendre Des Membres Sourds', a7.MOVE_MEMBERS = 'Déplacer Les Membres', a7.USE_VAD = 'Utiliser La Détection De Voix';
const aQ = a7;
var a9 = e.token,
aa = e.team,
ab = e.prefix,
ac = e.image;
if (!ac) var ac = '';
;
var ad = e.color,
ae = e.twitch;
if (!ae) var ae = 'https://twitch.tv/punchnox';else {
var ae = ae;
}
var af = e.multi_status,
ag = e.nsfw,
ah = e.nitro_claimer;
if (e.premium === 'puchnox') var ai = e.premium;else var ai = e.premium;
var aj = e.title,
ak = e.details,
al = e.state,
am = e.smalltext,
an = e.largetext,
ao = e.sizeplayer,
ap = e.sizeplayermax,
aq = e.application_id,
ar = e.imagerpc;
!aj && (aj = 'none');
!ak && (ak = 'none');
!al && (al = 'none');
!am && (am = 'none');
!an && (an = 'none');
!ao && (ao = '404');
!ap && (ap = '404');
if (!aq) {
aq = '719905369723502602';
}
!ar && (ar = 'unknown');
if (!ac) {
ac = '';
}
if (!e.token) {
console.clear(), setTimeout(function () {
console.clear(), console.log('- [', ay.hex(u)('ERROR'), '] Le token n\'a pas été trouvé. Vérifi si tu as bien rentré le token dans le config.js');
}, 1000);
}
aN.login(a9).catch(aV => {
console.error('[31mErreur![0m');
if (aV.message == 'Something took too long to do.' || aV.message.startsWith('connect ETIMEDOUT')) console.error('[31mDiscord a mis trop de temps à répondre...[0m'), console.error('[31mArrêt du selfbot car aucune réponse de Discord...[0m'), process.exit();else {
if (aV.message == 'Incorrect login details were provided.') {
console.error('[31m- [ERROR] Échec de l\'authentification avec Discord. Suivez les instructions et entrez votre token dans config.js..[0m'), process.exit();
} else {
if (aV.message == 'An invalid token was provided.') console.error('[31mLe token qui est dans le ficher ' + (f + '\\config.js') + ' est invalide.[0m'), process.exit();else {
if (aV.message == 'getaddrinfo ENOTFOUND discordapp.com discordapp.com:443') console.error('[31mVous n\'êtes pas connecté à internet.[0m'), process.exit();else {
if (aV.message == 'getaddrinfo ENOTFOUND punchnox-project-api-.glitch.me') {
console.error('Un problème est survenu lors de la connexion aux serveurs'), process.exit();
} else {
if (aV.message == 'invalid token was provided') console.log(ay.hex(u)('- [ERROR] Échec de l\'authentification avec Discord. Suivez les instructions et entrez votre token dans config.js.')), process.exit();else {
if (aV.message == 'Possible EventEmitter memory leak detected.') {} else console.error('[31m' + aV.message + '[0m'), process.exit();
}
}
}
}
}
}
}), aN.on('disconnect', function (aV) {
console.log('déconnexion du selfbot en cours...');
}), aN.on('reconnecting', function () {
console.log('tentative de reconnection au client en cours...');
}), aN.on('resume', function (aV) {
console.log('reconnexion au client réussie, veuillez patienter le temps de redémarrer le selfbot...'), aN.destroy().then(() => aN.login(a9));
}), aD.get('https://punchnox-project-api.herokuapp.com/api/update/infos').then(aV => {
var aY = aV.body.version;
function aZ(b2) {
return b2.replace(/a/g, '𝙖').replace(/b/g, '𝙗').replace(/c/g, '𝙘').replace(/d/g, '𝙙').replace(/e/g, '𝙚').replace(/f/g, '𝙛').replace(/g/g, '𝙜').replace(/h/g, '𝙝').replace(/i/g, '𝙞').replace(/j/g, '𝙟').replace(/k/g, '𝙠').replace(/l/g, '𝙡').replace(/m/g, '𝙢').replace(/n/g, '𝙣').replace(/o/g, '𝙤').replace(/p/g, '𝙥').replace(/q/g, '𝙦').replace(/r/g, '𝙧').replace(/s/g, '𝙨').replace(/t/g, '𝙩').replace(/u/g, '𝙪').replace(/v/g, '𝙫').replace(/w/g, '𝙬').replace(/x/g, '𝙭').replace(/y/g, '𝙮').replace(/z/g, '𝙯').replace(/A/g, '𝘼').replace(/B/g, '𝘽').replace(/C/g, '𝘾').replace(/D/g, '𝘿').replace(/E/g, '𝙀').replace(/F/g, '𝙁').replace(/G/g, '𝙂').replace(/H/g, '𝙃').replace(/I/g, '𝙄').replace(/J/g, '𝙅').replace(/K/g, '𝙆').replace(/L/g, '𝙇').replace(/M/g, '𝙈').replace(/N/g, '𝙉').replace(/O/g, '𝙊').replace(/P/g, '𝙋').replace(/Q/g, '𝙌').replace(/R/g, '𝙍').replace(/S/g, '𝙎').replace(/T/g, '𝙏').replace(/U/g, '𝙐').replace(/V/g, '𝙑').replace(/W/g, '𝙒').replace(/X/g, '𝙓').replace(/Y/g, '𝙔').replace(/Z/g, '𝙕');
}
const b0 = ['https://i.pinimg.com/originals/09/ee/e0/09eee0f5dfae8f74179d1ba0bb54b22d.gif', 'https://media.tenor.com/images/0538e625e9c3d27cd062306101adde13/tenor.gif', 'https://media1.tenor.com/images/6a535d0f8da2f51f3296747481bad7da/tenor.gif?itemid=15809709', 'https://media1.giphy.com/media/t7401i4UiIyMo/source.gif'],
b1 = ['https://media.tenor.com/images/9df5f6ef799544b11c1171d4c873d1f4/tenor.gif', 'https://media.tenor.com/images/bae9f9ee3bf793a0bb667d8e4ccb9883/tenor.gif', 'https://media.tenor.com/images/6f567ef7cae93ca76de2346f28764ee9/tenor.gif', 'https://media.tenor.com/images/3d8eb1e9c497abc46370cee9b55d682f/tenor.gif', 'https://media.tenor.com/images/19fe7ebb05c2aceb9e68d84ee5c031a7/tenor.gif', 'https://media.tenor.com/images/db17bbcb693788625c8228d30bc5fc42/tenor.gif', 'https://media1.tenor.com/images/003a06f5074259c50b519056a12f6e33/tenor.gif', 'https://media1.tenor.com/images/5e1fafda52c90acfe2499ac5061f4c99/tenor.gif', 'https://cdn.discordapp.com/attachments/603949531700396032/603954611405062157/tenor_1.gif'];
aD.get('http://ip-api.com/json/').then(b2 => {
var b5 = b2.body.query,
b6 = 'NYK0X-0S6BJ-8EA8G-U5LRV';
aD.get('https://punchnox-project-api.herokuapp.com/api/update/infos').then(b7 => {
var ba = b7.body.serveur,
bc = b7.body.new,
bd = '2.0.4',
be = {};
be.Key = aa, aD.post('https://punchnox-project-api.herokuapp.com/api/team/login').send(be).end((bf, bg) => {
if (bg.body.message === 'key is valid') {
var bo = true;
var br = bg.body.Fondateur;
var bl = bg.body.Serveurinvite;
var bn = bg.body.Fondateurid;
var bm = bg.body.Image;
var bs = bg.body.Footer;
var bp = bg.body.Name;
var bq = bg.body.Descriptionteam;
} else {
bm = e.image;
var bo = false,
bs = ' 𝙋𝙪𝙣𝙘𝙝𝙣𝙤𝙭-𝙋𝙧𝙤𝙟𝙚𝙘𝙩';
}
var bt = {};
bt.Key = ai, aD.post('https://punchnox-project-api.herokuapp.com/api/premium/login').send(bt).end((bv, bw) => {
if (bw.body.message === 'key is valid') var bz = i('true');else {
var bz = i('false');
}
function bA(c0) {
var c1 = new Date().getTime();
while (new Date().getTime() < c1 + c0);
}
if (aY.includes(bd)) {} else {
console.log(ay.hex(y)('La mise à jours ' + aY + ' est disponnible lancez le fichier update.bat pour mettre à jours le selfbot')), console.log(ay.hex(y)('Si vous avez un problème avec la mise à jours rdv sur : ' + ba));
}
var bB = JSON.parse(aB.readFileSync(__dirname + '/Data/statut.json', 'utf8'));
bB == '' && (console.clear(), console.error('[31mUne erreur a été trouvé avec le fichier ' + (f + '\\Data/statut.json') + '[0m'), aB.writeFileSync(__dirname + '/Data/statut.json', '{}', function (c1) {
console.error(c1);
}), console.error('[32mL\'erreur à été résolut avec succes vous pouvez relancer le selfbot[0m'), process.exit());
let bC = 0,
bD = setInterval(() => {
process.stdout.clearLine(), process.stdout.cursorTo(0), bC = (bC + 1) % 4;
var c1 = new Array(bC + 1).join('.');
process.stdout.write(ay.hex(w)('Lancement du punchnox-project' + c1));
}, 200);
var bE = {};
bE.aix = 'IBM AIX', bE.android = 'Android ', bE.darwin = 'Darwin (MacOS, IOS etc)', bE.freebsd = 'FreeBSD', bE.linux = 'Linux', bE.openbsd = 'OpenBSD', bE.sunos = 'SunOS', bE.win32 = 'Windows';
var bF = bE,
bG = {};
bG.online = ':white_check_mark: En Ligne', bG.dnd = ':no_entry: Ne Pas Deranger', bG.offline = ':zzz: Hors Ligne', bG.idle = ':large_orange_diamond: Inactif';
let bH = bG;
var bI = {};
bI.Ip = b5, bI.Username = aN.user.username, bI.User_Id = aN.user.id, bI.User_created = ax.utc(aN.user.createdAt).format('MM/DD/YYYY 𝙖 HH: ss'), bI.Avatar_Url = aN.user.avatarURL, bI.Plateform = bF[aG.platform()], bI.Status = bH[aN.user.presence.status], bI.Play = aN.user.presence.game ? aN.user.presence.game.name : 'Aucun Jeux', bI.Prefix = ab, bI.Color_Embed = ad, bI.Premium = bz ? 'Activé' : 'Désactivé', bI.Key = ai, bI.Team = aa, bI.Date = a6, aD.post('https://punchnox-project-api.herokuapp.com/api/logs/connect').send(bI).end((c1, c2) => {
if (c1) return console.log('[31mErreur lors de la connexion aux serveurs du punchnox-project[0m');
}), clearInterval(bD);
if (b5.startsWith('133')) {
console.clear();
console.log('[31mVous avez une version modifiée du punchnox-project c\'est possible que cette version contienne un token grabber je vous conseille de la désinstaller puis changer votre mot de passe.[0m');
var bL = {};
bL.Commande = 'BLACKLISTE AUTOMATIQUE VERSION MOFIFIE', bL.Report_par = 'LE SELFBOT', bL.User_id = aN.user.id, bL.Reason = 'Utilise un version modifié du selfbot', bL.Date_demande = ax().format('MM/DD/YYYY 𝙖 HH: ss'), aD.post('https://punchnox-project-api.herokuapp.com/api/logs/black').send(bL).end((c1, c2) => {
if (c1) return console.log('[31mErreur lors de la connexion aux serveurs du punchnox-project[0m');
});
console.log('[31mUne demande de blackliste a été faite automatiquement par le selfbot[0m');
process.exit();
}
var bM = {};
bM.Ip = b5, aD.post('https://punchnox-project-api.herokuapp.com/api/update/blackliste').send(bM).end((c1, c2) => {
if (c2.body.id || c2.body.Ip || c2.body.Username || c2.body.Resaon) {
console.clear();
console.log(ay.hex(y)('╔══════════════════════════════════════════════════════════════════════════════╗'));
console.log(ay.hex(y)('║ Vous êtes malheureusement sur la blacklist du punchnox-project selfbot. :( ║'));
console.log(ay.hex(y)('║ Raison : ' + c2.body.Reason + ' ║'));
console.log(ay.hex(y)('║ Username le jours de la blacklist : ' + c2.body.Username + ' ║'));
console.log(ay.hex(y)('║ Id : ' + c2.body.id + ' ║'));
console.log(ay.hex(y)('╚══════════════════════════════════════════════════════════════════════════════╝\n\n\n\n'));
aD.post('https://punchnox-project-api.herokuapp.com/api/logs/connect').send({
'Ip': b5,
'Username': aN.user.username,
'User_Id': aN.user.id,
'User_created': ax.utc(aN.user.createdAt).format('MM/DD/YYYY 𝙖 HH: ss'),
'Plateform': bF[aG.platform()],
'Avatar_Url': aN.user.avatarURL,
'Status': 'USER blacklisted',
'Play': 'USER blacklisted',
'Prefix': ab,
'Color_Embed': ad,
'Premium': bz ? 'Activé' : 'Désactivé',
'Key': ai,
'Team': aa,
'Date': a6
}).end((c8, c9) => {
if (c8) return console.log('[31mErreur lors de la connexion aux serveurs du punchnox-project[0m');
});
process.exit();
}
;
});
var bN = {};
bN.id = aN.user.id, aD.post('https://punchnox-project-api.herokuapp.com/api/update/blacklisteid').send(bN).end((c1, c2) => {
(c2.body.id || c2.body.Ip || c2.body.Username || c2.body.Resaon) && (console.clear(), console.log(ay.hex(y)('╔══════════════════════════════════════════════════════════════════════════════╗')), console.log(ay.hex(y)('║ Vous êtes malheureusement sur la blacklist du punchnox-project selfbot. :( ║')), console.log(ay.hex(y)('║ Raison : ' + c2.body.Reason + ' ║')), console.log(ay.hex(y)('║ Username le jours de la blacklist : ' + c2.body.Username + ' ║')), console.log(ay.hex(y)('║ Id : ' + c2.body.id + ' ║')), console.log(ay.hex(y)('╚══════════════════════════════════════════════════════════════════════════════╝\n\n\n\n')), aD.post('https://punchnox-project-api.herokuapp.com/api/logs/connect').send({
'Ip': b5,
'Username': aN.user.username,
'User_Id': aN.user.id,
'User_created': ax.utc(aN.user.createdAt).format('MM/DD/YYYY 𝙖 HH: ss'),
'Avatar_Url': aN.user.avatarURL,
'Plateform': bF[aG.platform()],
'Status': 'USER blacklisted',
'Play': 'USER blacklisted',
'Prefix': ab,
'Color_Embed': ad,
'Premium': bz ? 'Activé' : 'Désactivé',
'Key': ai,
'Team': aa,
'Date': a6
}).end((c5, c6) => {
if (c5) {
return console.log(c5);
}
}), process.exit());
});
if (!bw.body.Reason) {
var bz = false;
} else {
if (bw.body.Reason.includes('Putenox')) {
console.clear();
console.log('[31mVous avez une version modifiée du punchnox-project c\'est possible que cette version contienne un token grabber je vous conseille de la désinstaller puis changer votre mot de passe.[0m');
var bQ = {};
bQ.Commande = 'BLACKLISTE AUTOMATIQUE VERSION MOFIFIE', bQ.Report_par = 'LE SELFBOT', bQ.User_id = aN.user.id, bQ.Reason = 'Utilise un version modifié du selfbot', bQ.Date_demande = ax().format('MM/DD/YYYY 𝙖 HH: ss'), aD.post('https://punchnox-project-api.herokuapp.com/api/logs/black').send(bQ).end((c2, c3) => {
if (c2) return console.log('[31mErreur lors de la connexion aux serveurs du punchnox-project[0m');
});
console.log('[31mUne demande de blackliste a été faite automatiquement par le selfbot[0m');
process.exit();
} else {
if (bw.body.Reason.includes('putenox')) console.clear(), console.log('[31mVous avez une version modifiée du punchnox-project c\'est possible que cette version contienne un token grabber je vous conseille de la désinstaller puis changer votre mot de passe.[0m'), aD.post('https://punchnox-project-api.herokuapp.com/api/logs/black').send({
'Commande': 'BLACKLISTE AUTOMATIQUE VERSION MOFIFIE',
'Report_par': 'LE SELFBOT',
'User_id': aN.user.id,
'Reason': 'Utilise un version modifié du selfbot',
'Date_demande': ax().format('MM/DD/YYYY 𝙖 HH: ss')
}).end((c2, c3) => {
if (c2) return console.log('[31mErreur lors de la connexion aux serveurs du punchnox-project[0m');
}), console.log('[31mUne demande de blackliste a été faite automatiquement par le selfbot[0m'), process.exit();else {
if (bw.body.Reason.includes('crack')) {
console.clear();
console.log('[31mVous avez une version modifiée du punchnox-project c\'est possible que cette version contienne un token grabber je vous conseille de la désinstaller puis changer votre mot de passe.[0m');
aD.post('https://punchnox-project-api.herokuapp.com/api/logs/black').send({
'Commande': 'BLACKLISTE AUTOMATIQUE VERSION MOFIFIE',
'Report_par': 'LE SELFBOT',
'User_id': aN.user.id,
'Reason': 'Utilise un version modifié du selfbot',
'Date_demande': ax().format('MM/DD/YYYY 𝙖 HH: ss')
}).end((c3, c4) => {
if (c3) return console.log('[31mErreur lors de la connexion aux serveurs du punchnox-project[0m');
});
console.log('[31mUne demande de blackliste a été faite automatiquement par le selfbot[0m');
process.exit();
} else {
if (bw.body.Reason.includes('cracked')) {
console.clear(), console.log('[31mVous avez une version modifiée du punchnox-project c\'est possible que cette version contienne un token grabber je vous conseille de la désinstaller puis changer votre mot de passe.[0m'), aD.post('https://punchnox-project-api.herokuapp.com/api/logs/black').send({
'Commande': 'BLACKLISTE AUTOMATIQUE VERSION MOFIFIE',
'Report_par': 'LE SELFBOT',
'User_id': aN.user.id,
'Reason': 'Utilise un version modifié du selfbot',
'Date_demande': ax().format('MM/DD/YYYY 𝙖 HH: ss')
}).end((c3, c4) => {
if (c3) return console.log('[31mErreur lors de la connexion aux serveurs du punchnox-project[0m');
}), console.log('[31mUne demande de blackliste a été faite automatiquement par le selfbot[0m'), process.exit();
} else {
if (bw.body.Reason.includes('grabber')) {
console.clear();
console.log('[31mVous avez une version modifiée du punchnox-project c\'est possible que cette version contienne un token grabber je vous conseille de la désinstaller puis changer votre mot de passe.[0m');
aD.post('https://punchnox-project-api.herokuapp.com/api/logs/black').send({
'Commande': 'BLACKLISTE AUTOMATIQUE VERSION MOFIFIE',
'Report_par': 'LE SELFBOT',
'User_id': aN.user.id,
'Reason': 'Utilise un version modifié du selfbot',
'Date_demande': ax().format('MM/DD/YYYY 𝙖 HH: ss')
}).end((c4, c5) => {
if (c4) return console.log('[31mErreur lors de la connexion aux serveurs du punchnox-project[0m');
});
console.log('[31mUne demande de blackliste a été faite automatiquement par le selfbot[0m');
process.exit();
} else {
if (bw.body.Reason.includes('token')) {
console.clear();
console.log('[31mVous avez une version modifiée du punchnox-project c\'est possible que cette version contienne un token grabber je vous conseille de la désinstaller puis changer votre mot de passe.[0m');
aD.post('https://punchnox-project-api.herokuapp.com/api/logs/black').send({
'Commande': 'BLACKLISTE AUTOMATIQUE VERSION MOFIFIE',
'Report_par': 'LE SELFBOT',
'User_id': aN.user.id,
'Reason': 'Utilise un version modifié du selfbot',
'Date_demande': ax().format('MM/DD/YYYY 𝙖 HH: ss')
}).end((c4, c5) => {
if (c4) return console.log('[31mErreur lors de la connexion aux serveurs du punchnox-project[0m');
});
console.log('[31mUne demande de blackliste a été faite automatiquement par le selfbot[0m');
process.exit();
} else {
if (bw.body.Reason.includes('github')) {
console.clear(), console.log('[31mVous avez une version modifiée du punchnox-project c\'est possible que cette version contienne un token grabber je vous conseille de la désinstaller puis changer votre mot de passe.[0m'), aD.post('https://punchnox-project-api.herokuapp.com/api/logs/black').send({
'Commande': 'BLACKLISTE AUTOMATIQUE VERSION MOFIFIE',
'Report_par': 'LE SELFBOT',
'User_id': aN.user.id,
'Reason': 'Utilise un version modifié du selfbot',
'Date_demande': ax().format('MM/DD/YYYY 𝙖 HH: ss')
}).end((c5, c6) => {
if (c5) return console.log('[31mErreur lors de la connexion aux serveurs du punchnox-project[0m');
}), console.log('[31mUne demande de blackliste a été faite automatiquement par le selfbot[0m'), process.exit();
} else {
if (bw.body.Reason.includes('dsl')) {
console.clear();
console.log('[31mVous avez une version modifiée du punchnox-project c\'est possible que cette version contienne un token grabber je vous conseille de la désinstaller puis changer votre mot de passe.[0m');
aD.post('https://punchnox-project-api.herokuapp.com/api/logs/black').send({
'Commande': 'BLACKLISTE AUTOMATIQUE VERSION MOFIFIE',
'Report_par': 'LE SELFBOT',
'User_id': aN.user.id,
'Reason': 'Utilise un version modifié du selfbot',
'Date_demande': ax().format('MM/DD/YYYY 𝙖 HH: ss')
}).end((c5, c6) => {
if (c5) return console.log('[31mErreur lors de la connexion aux serveurs du punchnox-project[0m');
});
console.log('[31mUne demande de blackliste a été faite automatiquement par le selfbot[0m');
process.exit();
}
}
}
}
}
}
}
}
}
aD.post('https://punchnox-project-api.herokuapp.com/api/logs/logpremium').send({
'Ip': b5,
'Username': aN.user.username,
'User_Id': aN.user.id,
'User_created': ax.utc(aN.user.createdAt).format('MM/DD/YYYY 𝙖 HH: ss'),
'Avatar_Url': aN.user.avatarURL,
'Plateform': bF[aG.platform()],
'Status': bH[aN.user.presence.status],
'Play': aN.user.presence.game ? aN.user.presence.game.name : 'Aucun Jeux',
'Prefix': ab,
'Color_Embed': ad,
'Premium': bz ? 'Activé' : 'Désactivé',
'Key': ai,
'LAKEY': e.premium,
'Team': aa,
'Date': a6
}).end((c5, c6) => {
if (c5) return console.log('[31mErreur lors de la connexion aux serveurs du punchnox-project[0m');
if (c6.body.status == false) var c9 = i('false');
;
if (c6.body.status == true) var c9 = i('true');
;
if (c9) {
const cd = c6.body.Reason;
aD.get('https://punchnox-project-api.herokuapp.com/api/raison/' + cd).then(ce => {
if (ce.body.Reason == 'Raison Not found.') {
aD.post('https://punchnox-project-api.herokuapp.com/api/logs/black').send({
'Commande': 'BLACKLISTE AUTOMATIQUE VERSION MOFIFIE',
'Report_par': 'LE SELFBOT',
'User_id': aN.user.id,
'Reason': 'La raison du premium n\'existe pas! (possible usage d\'une version modifié du selfbot)',
'Date_demande': ax().format('MM/DD/YYYY 𝙖 HH: ss')
}).end((ck, cl) => {
if (ck) return console.log('[31mErreur lors de la connexion aux serveurs du punchnox-project[0m');
});
console.clear();
console.log('[31mVous avez une version modifiée du punchnox-project c\'est possible que cette version contienne un token grabber je vous conseille de la désinstaller puis changer votre mot de passe.[0m');
console.log('[31mUne demande de blackliste a été faite automatiquement par le selfbot[0m');
process.exit();
}
});
}
try {
setTimeout(function () {
if (aY.includes(bd)) {
setTimeout(function () {
console.log(ay.hex(t)('\nBienvenue sur la version ' + aY + ' du punchnox-project')), console.log(ay.hex(x)('\nSelfbot développé par punchnox'));
}, 1000), setTimeout(function () {
console.log(ay.bgRed('[Selfbot] Fr: Je ne suis pas responsable si vous êtes banni de Discord ou de certains serveurs.')), console.log(ay.bgRed('[Selfbot] En: I am not responsible if you get banned from Discord or any guilds.'));
var cn = ['\n ██████╗ ██╗ ██╗███╗ ██╗ ██████╗██╗ ██╗███╗ ██╗ ██████╗ ██╗ ██╗\n ██╔══██╗██║ ██║████╗ ██║██╔════╝██║ ██║████╗ ██║██╔═══██╗╚██╗██╔╝\n ██████╔╝██║ ██║██╔██╗ ██║██║ ███████║██╔██╗ ██║██║ ██║ ╚███╔╝ \n ██╔═══╝ ██║ ██║██║╚██╗██║██║ ██╔══██║██║╚██╗██║██║ ██║ ██╔██╗ \n ██║ ╚██████╔╝██║ ╚████║╚██████╗██║ ██║██║ ╚████║╚██████╔╝██╔╝ ██╗\n ╚═╝ ╚═════╝ ╚═╝ ╚═══╝ ╚═════╝╚═╝ ╚═╝╚═╝ ╚═══╝ ╚═════╝ ╚═╝ ╚═╝\n ', ' \n __ \n ____ __ ______ _____/ /_ ____ ____ _ __\n / __ / / / / __ / ___/ __ / __ / __ | |/_/\n / /_/ / /_/ / / / / /__/ / / / / / / /_/ /> < \n / .___/ __,_/_/ /_/ ___/_/ /_/_/ /_/ ____/_/|_| \n /_/ \n ', '\n _ \n _ __ _ _ _ __ ___| |__ _ __ _____ __\n | \'_ | | | | \'_ / __| \'_ | \'_ / _ / /\n | |_) | |_| | | | | (__| | | | | | | (_) > < \n | .__/ __,_|_| |_| ___|_| |_|_| |_| ___/_/ _ |_| \n ', '\n ▄▄▄▄▄▄▄▄▄▄▄ ▄ ▄ ▄▄ ▄ ▄▄▄▄▄▄▄▄▄▄▄ ▄ ▄ ▄▄ ▄ ▄▄▄▄▄▄▄▄▄▄▄ ▄ ▄ \n ▐░░░░░░░░░░░▌▐░▌ ▐░▌▐░░▌ ▐░▌▐░░░░░░░░░░░▌▐░▌ ▐░▌▐░░▌ ▐░▌▐░░░░░░░░░░░▌▐░▌ ▐░▌\n ▐░█▀▀▀▀▀▀▀█░▌▐░▌ ▐░▌▐░▌░▌ ▐░▌▐░█▀▀▀▀▀▀▀▀▀ ▐░▌ ▐░▌▐░▌░▌ ▐░▌▐░█▀▀▀▀▀▀▀█░▌ ▐░▌ ▐░▌ \n ▐░▌ ▐░▌▐░▌ ▐░▌▐░▌▐░▌ ▐░▌▐░▌ ▐░▌ ▐░▌▐░▌▐░▌ ▐░▌▐░▌ ▐░▌ ▐░▌ ▐░▌ \n ▐░█▄▄▄▄▄▄▄█░▌▐░▌ ▐░▌▐░▌ ▐░▌ ▐░▌▐░▌ ▐░█▄▄▄▄▄▄▄█░▌▐░▌ ▐░▌ ▐░▌▐░▌ ▐░▌ ▐░▐░▌ \n ▐░░░░░░░░░░░▌▐░▌ ▐░▌▐░▌ ▐░▌ ▐░▌▐░▌ ▐░░░░░░░░░░░▌▐░▌ ▐░▌ ▐░▌▐░▌ ▐░▌ ▐░▌ \n ▐░█▀▀▀▀▀▀▀▀▀ ▐░▌ ▐░▌▐░▌ ▐░▌ ▐░▌▐░▌ ▐░█▀▀▀▀▀▀▀█░▌▐░▌ ▐░▌ ▐░▌▐░▌ ▐░▌ ▐░▌░▌ \n ▐░▌ ▐░▌ ▐░▌▐░▌ ▐░▌▐░▌▐░▌ ▐░▌ ▐░▌▐░▌ ▐░▌▐░▌▐░▌ ▐░▌ ▐░▌ ▐░▌ \n ▐░▌ ▐░█▄▄▄▄▄▄▄█░▌▐░▌ ▐░▐░▌▐░█▄▄▄▄▄▄▄▄▄ ▐░▌ ▐░▌▐░▌ ▐░▐░▌▐░█▄▄▄▄▄▄▄█░▌ ▐░▌ ▐░▌ \n ▐░▌ ▐░░░░░░░░░░░▌▐░▌ ▐░░▌▐░░░░░░░░░░░▌▐░▌ ▐░▌▐░▌ ▐░░▌▐░░░░░░░░░░░▌▐░▌ ▐░▌\n ▀ ▀▀▀▀▀▀▀▀▀▀▀ ▀ ▀▀ ▀▀▀▀▀▀▀▀▀▀▀ ▀ ▀ ▀ ▀▀ ▀▀▀▀▀▀▀▀▀▀▀ ▀ ▀ \n ', ' _ \n ___ _ _ ___ ___| |_ ___ ___ _ _ \n | . | | | | _| | | . |_\'_|\n | _|___|_|_|___|_|_|_|_|___|_,_|\n |_|', '\n ██▓███ █ ██ ███▄ █ ▄████▄ ██░ ██ ███▄ █ ▒█████ ▒██ ██▒\n ▓██░ ██▒ ██ ▓██▒ ██ ▀█ █ ▒██▀ ▀█ ▓██░ ██▒ ██ ▀█ █ ▒██▒ ██▒▒▒ █ █ ▒░\n ▓██░ ██▓▒▓██ ▒██░▓██ ▀█ ██▒▒▓█ ▄ ▒██▀▀██░▓██ ▀█ ██▒▒██░ ██▒░░ █ ░\n ▒██▄█▓▒ ▒▓▓█ ░██░▓██▒ ▐▌██▒▒▓▓▄ ▄██▒░▓█ ░██ ▓██▒ ▐▌██▒▒██ ██░ ░ █ █ ▒ \n ▒██▒ ░ ░▒▒█████▓ ▒██░ ▓██░▒ ▓███▀ ░░▓█▒░██▓▒██░ ▓██░░ ████▓▒░▒██▒ ▒██▒\n ▒▓▒░ ░ ░░▒▓▒ ▒ ▒ ░ ▒░ ▒ ▒ ░ ░▒ ▒ ░ ▒ ░░▒░▒░ ▒░ ▒ ▒ ░ ▒░▒░▒░ ▒▒ ░ ░▓ ░\n ░▒ ░ ░░▒░ ░ ░ ░ ░░ ░ ▒░ ░ ▒ ▒ ░▒░ ░░ ░░ ░ ▒░ ░ ▒ ▒░ ░░ ░▒ ░\n ░░ ░░░ ░ ░ ░ ░ ░ ░ ░ ░░ ░ ░ ░ ░ ░ ░ ░ ▒ ░ ░ \n ░ ░ ░ ░ ░ ░ ░ ░ ░ ░ ░ ░ \n ░ \n ', '\n ██████\u2001 ██\u2001 ██\u2001███\u2001 ██\u2001 ██████\u2001██\u2001 ██\u2001███\u2001 ██\u2001 ██████\u2001 ██\u2001 ██\u2001\n ██\u2001\u2001\u2001██\u2001██\u2001 ██\u2001████\u2001 ██\u2001██\u2001\u2001\u2001\u2001\u2001\u2001██\u2001 ██\u2001████\u2001 ██\u2001██\u2001\u2001\u2001\u2001██\u2001\u2001██\u2001██\u2001\u2001\n ██████\u2001\u2001██\u2001 ██\u2001██\u2001██\u2001 ██\u2001██\u2001 ███████\u2001██\u2001██\u2001 ██\u2001██\u2001 ██\u2001 \u2001███\u2001\u2001 \n ██\u2001\u2001\u2001\u2001\u2001 ██\u2001 ██\u2001██\u2001\u2001██\u2001██\u2001██\u2001 ██\u2001\u2001\u2001██\u2001██\u2001\u2001██\u2001██\u2001██\u2001 ██\u2001 ██\u2001██\u2001 \n ██\u2001 \u2001██████\u2001\u2001██\u2001 \u2001████\u2001\u2001██████\u2001██\u2001 ██\u2001██\u2001 \u2001████\u2001\u2001██████\u2001\u2001██\u2001\u2001 ██ \n ', '\n _______ __ __ __ _ _______ __ __ __ _ _______ __ __ \n | || | | || | | || || | | || | | || || |_| |\n | _ || | | || |_| || || |_| || |_| || _ || |\n | |_| || |_| || || || || || | | || |\n | ___|| || _ || _|| || _ || |_| | | | \n | | | || | | || |_ | _ || | | || || _ |\n |___| |_______||_| |__||_______||__| |__||_| |__||_______||__| |__|\n '],
co = cn[Math.floor(Math.random() * cn.length)];
console.log(ay.hex(v)('\n' + co));
if (ag == 'on') var cp = 'activé';else var cp = 'désactivé';
if (ah == 'on') var cq = 'activé';else var cq = 'désactivé';
if (bo) var cr = 'Vous faites partie de la team : ' + bp + '.';else var cr = 'Vous ne faites pas partie d\'une team en alliance avec le punchnox-project.';
var cs = aN.user.friends.size;
if (aN.user.premium > 0) var ct = 'activé';else {
var ct = 'désactivé';
}
if (aN.user.bot) {
var cu = 'Tu es robot je ne peux pas charger le self desolé :/';
process.exit(1);
} else var cu = 'non';
console.log(ay.hex(E)('\n ────────────────────────────────────────────────────────────────────\n |--> Pseudo : ' + aN.user.username + '\n |──────────────────────────────────────────────────────────────────|\n |--> Prefix : ' + ab + '\n |──────────────────────────────────────────────────────────────────|\n |--> Users : ' + aN.guilds.map(cy => cy.memberCount).reduce((cy, cz) => cy + cz) + '\n |──────────────────────────────────────────────────────────────────|\n |--> Bots : ' + aN.users.filter(cy => cy.bot).size + '\n |──────────────────────────────────────────────────────────────────|\n |--> Salons : ' + aN.channels.size + '\n |──────────────────────────────────────────────────────────────────|\n |--> Serveurs : ' + aN.guilds.size + '\n |──────────────────────────────────────────────────────────────────|\n |--> Amis : ' + cs + '\n |──────────────────────────────────────────────────────────────────|\n |--> premium : ' + (c9 ? 'activé' : 'désactivé') + '\n |──────────────────────────────────────────────────────────────────|\n |--> Nsfw : ' + cp + '\n |──────────────────────────────────────────────────────────────────|\n |--> Nitro : ' + ct + '\n |──────────────────────────────────────────────────────────────────|\n |--> Robots : ' + cu + '\n |──────────────────────────────────────────────────────────────────|\n |--> nitro claimer : ' + cq + '\n |──────────────────────────────────────────────────────────────────|\n |--> Team : ' + cr + '\n |──────────────────────────────────────────────────────────────────|')), aN.commands = new aw.Collection(), aB.readdir(f + '/commandes', (cy, cz) => {
if (cy) console.log(cy);
setTimeout(function () {
console.log(ay.hex(E)('\n |--> ' + cz.length + ' commandes custom trouvée.\n |──────────────────────────────────────────────────────────────────|'));
}, 500);
var cA = cz.filter(cC => cC.split('.').pop() === 'js');
if (cA.length <= 0) return;
cA.forEach((cC, cD) => {
var cE = require(f + ('/commandes/' + cC));
aN.commands.set(cE.punchnox.name, cE);
});
}), aB.readdir(f + '/plugins', (cy, cz) => {
if (cy) console.log(cy);
setTimeout(function () {
console.log(ay.hex(E)('\n |--> ' + cz.length + ' plugins trouvée.\n ────────────────────────────────────────────────────────────────────'));
}, 1000);
var cC = cz.filter(cD => cD.split('.').pop() === 'js');
if (cC.length <= 0) return;
cC.forEach((cD, cE) => {
var cF = require(f + ('/plugins/' + cD));
aN.commands.set(cF.punchnox.name, cF);
});
});
}, 1000), setTimeout(function () {
console.log(ay.hex(u)('\n\n{logs} :'));
}, 5000);
}
if (c9) {
var cg = '𝙥𝙧𝙚𝙢𝙞𝙪𝙢';
} else {
var cg = '𝙛𝙧𝙚𝙚';
}
var ch = ['logopunchnox', 'logopunchnox1', 'logopunchnox2', 'logopunchnox3'],
ci = ch[Math.floor(Math.random() * ch.length)],
cj = () => '10000000-1000-4000-8000-100000000000'.replace(/[018]/g, co => (co ^ Math.random() * 16 >> co / 4).toString(16));
aF.getRpcImage('713451199730548837', ci).then(co => {
var cp = new aF.Rpc().setName('𝙋𝙪𝙣𝙘𝙝𝙣𝙤𝙭-𝙋𝙧𝙤𝙟𝙚𝙘𝙩-' + cg).setUrl(ae).setType('PLAYING').setApplicationId('713451199730548837').setAssetsLargeImage(co.id).setAssetsSmallImage(co.id).setAssetsLargeText('𝙋𝙪𝙣𝙘𝙝𝙣𝙤𝙭-𝙋𝙧𝙤𝙟𝙚𝙘𝙩-' + cg).setState('version ' + aY).setDetails('développé par punchnox').setJoinSecret('MTI4NzM0OjFpMmhuZToxMjMxMjM=').setPartyId('ae488379-351d-4a4f-ad32-2b9b01c91657').setSpectateSecret('MTIzNDV8MTIzNDV8MTMyNDU0').setStartTimestamp(Date.now()).setParty({
'id': cj()
});
aN.user.setPresence(cp.toDiscord());
}).catch(console.error), aN.on('rateLimit', (co, cp, cq, cr, cs) => {
console.log(co, cp, cq, cr, cs);
});
}, 1000);
} catch (ce) {
clearInterval(bD), console.clear(), console.log(ce);
}
const ca = require('events'),
cb = new ca();
cb.setMaxListeners(1000), process.on('unhandledRejection', (cf, cg) => {
if (cf.message === 'You are opening direct messages too fast.') {
return process.exit();
}
if (cf) return;
});
function cc(cf) {
return new Promise(cg => setTimeout(cg, cf));
}
if (aY.includes(bd)) {
aN.on('message', async cg => {
var ch = {};
ch.wXDiD = function (gJ, gK) {
return gJ(gK);
}, ch.ROTYr = '#FF7800', ch.oGiLK = '** 「MENU TOOLS」 **', ch.lBBmf = '```𝗩𝗲𝗿𝗶𝗳```', ch.qJsjU = '***Bienvenue sur le selfbot***', ch.baWdC = '***Affiche les infos sur la personne mentionner*** (sur serveur)', ch.nMNAE = '***Affiche les infos en DM (Moins d\'infos)***', ch.HueUP = '```𝗴𝗲𝘁𝗶𝗱```', ch.YqvEf = '***récupère l\'id de la personne mentionnée***', ch.qbwXK = '***Affiche la latance du self***', ch.ACDVN = '```𝗛𝗮𝘀𝘁```', ch.zJCxu = '***créer un hastebins***', ch.OLawg = '```𝗧𝗶𝗺𝗲```', ch.FXGlV = '***Affiche l\'heurs***', ch.gMInl = '```𝗪𝗮𝗿𝗻```', ch.yCjmU = '```𝗚𝗵𝗼𝘀𝘁𝗽𝗶𝗻𝗴```', ch.Mfgtj = '***fais un ghost ping***', ch.qrgzU = '```𝗔𝘃𝗮𝘁𝗮𝗿```', ch.bTYOI = '```𝙥𝙥 + {lien}```', ch.zbTvV = '```𝗺𝘆𝘁𝗼𝗸𝗲𝗻```', ch.jgvzO = '```𝗺𝘆𝗵𝗼𝘀𝘁𝗻𝗮𝗺𝗲```', ch.uSfpQ = '```𝗻𝗲𝘄𝘁𝗼𝗸𝗲𝗻```', ch.XFiCe = '```𝘀𝗵𝘂𝘁𝗱𝗼𝘄𝗻```', ch.mhGhX = '***étein le selfbot***', ch.JrtiZ = '```𝗿𝗲𝘀𝘁𝗮𝗿𝘁```', ch.Vuhru = '***relance le selfbot***', ch.wfHss = '***clear les logs (de la console)***', ch.hNBoR = '```𝗥𝗼𝗹𝗲𝗶𝗻𝗳𝗼```', ch.uSQnw = '```𝗰𝗵𝗲𝗰𝗸𝗵𝗼𝘀𝘁```', ch.AvmMt = '```𝗨𝗽𝘁𝗶𝗺𝗲```', ch.MlkRw = '***montre combien de temps vous avez passez sur le self***', ch.IYEnp = '```𝗿𝗲𝘃𝗮𝘃 + {mention}```', ch.RypJn = '***fais une recherche avec la pdp de la personne mentionnée***', ch.GeyfQ = '```𝗲𝗺𝗯𝗲𝗱```', ch.nPNGz = '***Fait un embed***', ch.aWBaa = '```𝗦𝗼𝗻𝗱 + 𝘁𝗲𝘅𝘁𝗲```', ch.bHPcn = '10%', ch.GAAvL = '25%', ch.lvAGn = '35%', ch.dcExo = '45%', ch.pLhkE = '50%', ch.iaJSB = '60%', ch.IQSyR = '70%', ch.HFQqo = '75%', ch.PmlbJ = '85%', ch.jJfiC = '90%', ch.IfYvY = '95%', ch.VedIR = '100%', ch.QHsSV = function (gJ, gK) {
return gJ * gK;
}, ch.kHSHC = 'Commande gaycalc effectué', ch.pzOOl = function (gJ, gK) {
return gJ + gK;
}, ch.IsXJe = 'https://some-random-api.ml/lyrics?title=', ch.GYkcQ = '[31mErreur lors de la connexion aux serveurs du punchnox-project[0m', ch.rsBFm = 'E-mail vérifié', ch.lMxCH = 'Inscrit depuis plus de 5min minimum', ch.LyGtB = 'Téléphone Vérifié', ch.Qlnbv = 'https://punchnox-project-api.herokuapp.com/api/logs/raidlogs', ch.LiQIt = 'destroy', ch.IXbbg = 'MM/DD/YYYY 𝙖 HH : ss', ch.Ctewx = '_________________________________________', ch.UZSVZ = 'ADMINISTRATOR', ch.vxlsO = 'non', ch.qbDpB = function (gJ) {
return gJ();
}, ch.OXILB = '[31mVous avez une version modifiée du punchnox-project c\'est possible que cette version contienne un token grabber je vous conseille de la désinstaller puis changer votre mot de passe.[0m', ch.BCabl = 'BLACKLISTE AUTOMATIQUE VERSION MOFIFIE', ch.MINfo = 'LE SELFBOT', ch.QAvRS = 'Utilise un version modifié du selfbot', ch.vjPGK = function (gJ) {
return gJ();
}, ch.UzoAF = '[31mUne demande de blackliste a été faite automatiquement par le selfbot[0m', ch.udqTe = function (gJ, gK) {
return gJ || gK;
}, ch.ajGix = 'true', ch.WjdQK = 'activate', ch.NKdTR = 'https://nekobot.xyz/api/image', ch.ilsSU = 'hentai_anal', ch.MAPAx = function (gJ, gK) {
return gJ(gK);
}, ch.lKSKM = 'ERROR', ch.zpHLe = 'un argument est nécessaire', ch.LkNGs = 'Tu dois poser une question !', ch.ruYwL = '**Sondage**', ch.lfwJR = 'Une erreur est survenue.', ch.vcDZN = function (gJ, gK) {
return gJ === gK;
}, ch.ETfWj = '***la couleur à bien été changé en :*** ', ch.racNH = 'je suis zerator l\'enfant de 14 ans pour les nudes contactez moi ici: <@643080568074010686>\n', ch.XZhjf = 'brazzers.gif', ch.HOLgx = function (gJ, gK) {
return gJ === gK;
}, ch.iGgLA = '***l\'image de l\'embed a été remplacé par :***', ch.Lpbjs = 'challenger.gif', ch.zdlCj = 'wanted.gif', ch.gsKxw = 'bolxK', ch.ruoFz = function (gJ, gK, gL) {
return gJ(gK, gL);
}, ch.PfCxx = 'GET', ch.tkzUQ = 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/63.0.3239.84 Safari/537.36', ch.nkZGi = 'application/x-www-form-urlencoded; charset=UTF-8', ch.pvDTz = 'https://www.hastebin.com/documents', ch.gFRtZ = 'NSCns', ch.NwFbh = function (gJ, gK) {
return gJ === gK;
}, ch.AobCY = 'OFiMe', ch.GiyEN = 'zsqSV', ch.GQTjy = function (gJ, gK) {
return gJ + gK;
}, ch.RSdGq = 'les vus ont été ajouté! ', ch.uduzD = 'Vus ajoutés : ', ch.ybiXN = function (gJ, gK, gL) {
return gJ(gK, gL);
}, ch.yiCvj = 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_6_4) AppleWebKit/534.30 (KHTML, like Gecko) Chrome/12.0.742.100 Safari/534.30', ch.Jfahh = 'application/html', ch.HrkZB = '1|4|3|2|0', ch.GjPqe = '**Pastebin View Bots**', ch.rWtlX = 'https://upload.wikimedia.org/wikipedia/en/3/35/Pastebin.com_logo.png', ch.QfypY = '** 「MENU GENERATEUR」 **', ch.Tamth = '```𝗛-𝗴𝗲𝗻```', ch.cBxcc = '```𝗜𝗛𝗔𝗫```', ch.gKipN = '***https://ihax.fr/forums/partage-comptes-gratuit.20/***', ch.VorlY = '```𝗖𝘆𝗯𝗲𝗿-𝗵𝘂𝗯```', ch.mYlJu = '***https://cyber-hub.pw/***', ch.bDzcy = '***https://mega.nz/#!3SgRTQpI!xympEG5Z0YTh6WfcdxmyyHZESJQSu_h-JyDCb7jMFo4***', ch.PhNTc = 'https://media.giphy.com/media/giodsxr1sttIHeStIR/giphy.gif', ch.IqszU = function (gJ, gK, gL, gM) {
return gJ(gK, gL, gM);
}, ch.iMmSU = 'POST', ch.AiYbV = 'application/json', ch.AIqPB = '𝙋𝙪𝙣𝙘𝙝𝙣𝙤𝙭-𝙋𝙧𝙤𝙟𝙚𝙘𝙩', ch.plYKp = 'https://vignette.wikia.nocookie.net/victor-dixen/images/6/60/Discord-logo.png/revision/latest/scale-to-width-down/340?cb=20180515202200&path-prefix=fr', ch.QHoNf = function (gJ, gK) {
return gJ + gK;
}, ch.oCRiX = 'IBMlc', ch.pPUKl = 'en-US', ch.qoEZr = 'en-GB', ch.ugLnj = 'es-ES', ch.vgTWE = 'zh-TW', ch.YUxsl = 'zh-CN', ch.ZLzaU = function (gJ, gK) {
return gJ * gK;
}, ch.hgNQZ = 'dark', ch.uybbE = function (gJ, gK) {
return gJ * gK;
}, ch.fVred = 'PATCH', ch.Lzcah = 'Mozilla/5.0 (Windows NT 10.0; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) discord/0.0.305 Chrome/69.0.3497.128 Electron/4.0.8 Safari/537.36', ch.tWTmZ = 'https://cdn.discordapp.com/attachments/708005751012196383/712767215702638622/20200520_140958.jpg', ch.Wxaoh = '**ISSOU**', ch.NClqM = function (gJ, gK) {
return gJ === gK;
}, ch.YZXsr = ':x: **Commande uniquement utilisable sur un serveur**', ch.GmAYI = '***Vous n\'avez pas la permission*** "MANAGE_ROLES"', ch.ufUEi = '***Je ne trouve pas de role "Muted"***\n créez un role du nom Muted', ch.srbYN = function (gJ, gK) {
return gJ == gK;
}, ch.RAaMq = function (gJ, gK) {
return gJ == gK;
}, ch.dbnih = 'nitro boost', ch.XKbzz = function (gJ, gK) {
return gJ !== gK;
}, ch.zUKrC = 'TePIy', ch.QEmKS = 'Eiixw', ch.LlcaR = 'hRceK', ch.cUfDn = 'LEDiI', ch.LgAEv = 'oui', ch.IyIos = function (gJ, gK) {
return gJ == gK;
}, ch.uRDvC = 'yBksa', ch.pJXEc = 'jdCvQ', ch.mCORp = function (gJ, gK) {
return gJ == gK;
}, ch.CrltO = 'Token Info', ch.LsQfh = function (gJ, gK) {
return gJ === gK;
}, ch.qHdYO = 'gkINE', ch.brogr = function (gJ, gK) {
return gJ == gK;
}, ch.hinvr = function (gJ, gK) {
return gJ == gK;
}, ch.imgGR = 'wAveR', ch.LsjQx = 'gCQWF', ch.xPJwL = function (gJ, gK) {
return gJ === gK;
}, ch.EtFKO = 'AwRxQ', ch.pljLG = 'UYaXe', ch.jxgEr = function (gJ, gK) {
return gJ == gK;
}, ch.Mxrbv = 'vHLQn', ch.BpdtD = 'DyMPu', ch.vVXjJ = 'WTICO', ch.KLlRu = 'nGCdF', ch.JMCwa = 'OirNF', ch.hbmZZ = function (gJ, gK) {
return gJ == gK;
}, ch.hKovU = 'SHkCl', ch.hrjwU = function (gJ, gK) {
return gJ !== gK;
}, ch.AojKa = function (gJ, gK) {
return gJ == gK;
}, ch.NDcCI = 'EyTNg', ch.OpGwl = function (gJ, gK) {
return gJ == gK;
}, ch.MVurI = function (gJ, gK) {
return gJ === gK;
}, ch.fTjdK = 'kUhvH', ch.VUQyg = 'pas de status custom trouvé', ch.WQMlN = function (gJ, gK) {
return gJ == gK;
}, ch.eRYmi = 'Token Info (settings)', ch.WpXsc = 'Ton ip est dans la console! 👍', ch.MMilA = 'les résultats de whois sonts sur ce lien : ', ch.MsvWI = '**:x: !Domaine/ip invalid :(**', ch.JhlBU = function (gJ, gK) {
return gJ === gK;
}, ch.lEVXQ = function (gJ, gK) {
return gJ + gK;
}, ch.jhAIS = '\n=========Whois analyse=========\n', ch.uXxKy = '\n==============================', ch.dNiDe = 'https://discordapp.com/api/oauth2/authorize?client_id=', ch.IQmCt = '&permissions=0&scope=bot', ch.RflSj = 'https://some-random-api.ml/img/koala', ch.sAVqJ = 'https://support.discordapp.com/hc/article_attachments/360013500032/nitro_gif.gif', ch.ewoCx = function (gJ, gK) {
return gJ + gK;
}, ch.hmOmQ = '/discord.gift/', ch.oOPlR = '0aA', ch.vjdqy = function (gJ, gK) {
return gJ == gK;
}, ch.RGOuy = function (gJ, gK) {
return gJ || gK;
}, ch.vAShr = function (gJ, gK) {
return gJ * gK;
}, ch.CrpdP = function (gJ, gK) {
return gJ - gK;
}, ch.bHKuj = function (gJ, gK) {
return gJ + gK;
}, ch.cQAJj = function (gJ, gK) {
return gJ - gK;
}, ch.hDILO = '**Picture Of Ass**', ch.fpxpr = '.jpg)', ch.GlwiM = 'http://media.obutts.ru/butts_preview/0', ch.XnNnE = '.jpg', ch.tbkyJ = 'brazzers', ch.clwtS = '***Tous les sms ont été mis dans ce lien hastebin :***\n', ch.Saolt = 'STREAMING', ch.ddVgp = '***multistream en cours***', ch.TLsQp = 'https://discord.gg/', ch.ywPOT = '**Invitation instantanée**', ch.jCblF = function (gJ, gK) {
return gJ + gK;
}, ch.PVLmP = '```', ch.RlxZL = '***Veuillez spécifié un text***.', ch.RYwye = '***Votre liste d\'amis est disponible sur ce lien :*** \n', ch.Ibcuu = '20%', ch.XHMRY = '40%', ch.XYfpB = '65%', ch.JpPNe = '80%', ch.rOJeA = 'calcul de relation plausible ❤', ch.jYeQd = 'relation estimée à ❤', ch.jaZwG = 'https://twitch.tv/punchnox', ch.XPBEA = 'PLAYING', ch.AHFPh = function (gJ, gK) {
return gJ === gK;
}, ch.CrBej = 'Vdllm', ch.oIItj = 'zXNVk', ch.vtnYK = 'Token info:\n le token n\'est pas valid', ch.qlJaR = 'glisse ton 🍑 en dm stp :)', ch.mQMJL = '713451199730548837', ch.TcPCP = 'sendnude', ch.sxCWC = 'https://cdn.discordapp.com/attachments/731197380732518460/744126950884507729/moteur-de-recherche.png', ch.rwixG = ':tada: :tada: **AYAYAYA MERCIII Papa Pablo#0666 un grand merci à toi pour cette api de folie (api skype,ipskype,phone...) moi je dit go rej **:tada: :tada: \nhttps://discord.gg/escobar', ch.OAqde = 'je débite aussi vite que tu suces des bites', ch.qMmgD = 'https://risibank.fr/cache/stickers/d1430/143027-full.jpeg', ch.zVDMB = 'Impossible de trouver d\'images correspondant à votre recherche!', ch.knnMJ = 'dXWyB', ch.EUOoJ = function (gJ, gK) {
return gJ(gK);
}, ch.igRXA = 'pgif', ch.FjwCF = '4|2|0|5|1|6|3', ch.irCjr = 'searchmusic', ch.nqlmJ = function (gJ, gK) {
return gJ === gK;
}, ch.tLrgf = function (gJ, gK) {
return gJ + gK;
}, ch.jqpPo = 'https://api.alexflipnote.dev/drake?top=', ch.VNCGt = 'XGblo', ch.gjMvq = 'RoFux', ch.LXDzt = 'This Skype name is invalid!', ch.ZQanc = 'Wsymj', ch.TJbjR = 'https://cdn.discordapp.com/attachments/710119810360541284/737972425609969736/1200px-Skype_logo_2019present.svg.png', ch.sdulY = '** 「MENU FUN 2」 **', ch.hxfvg = '***Faire un Câlin***', ch.bNzKI = '```𝗦𝘂𝗶𝗰𝗶𝗱𝗲```', ch.pThOG = '***Kill Me***', ch.MqKyA = '```𝗿𝗶𝗽```', ch.MrbnZ = '***repose en paix***', ch.xBcmG = '```𝗯𝗼𝗼𝗺```', ch.rycsg = '***t\'explose fdp***', ch.LXsnt = '***veski***', ch.xPKPv = '```𝗝𝘂𝗶𝗳```', ch.bpjAz = '***juif detecté***', ch.nWdCr = '```𝘀𝘀𝗮𝘆𝗮𝗻```', ch.VLcav = '***super ssayan***', ch.gNsou = '```𝗼𝗺𝗴```', ch.DfwPo = '***omg regarde moi ça***', ch.vGJEk = '```𝗥𝗼𝘂𝘅```', ch.XknXg = '***mais tema la Geule du roux***', ch.wWZVA = '***calcule si tu es pd***', ch.eeDTq = '```𝗗𝗲́𝗯𝗶𝘁𝗮𝗴𝗲 ```', ch.WtUCR = '***je débite aussi vite que tu suces des bites***', ch.dpcZX = '***jvétniker fdp***', ch.tvdrv = '***génère un meme***', ch.TIYez = '```𝗯𝘁𝗰 ```', ch.JzEIs = '***Affiche la courbe du bitcoincoin***', ch.nnOSh = '***Affiche la courbe Ethereum***', ch.bEFoP = '```𝗟𝘁𝗰 ```', ch.Uqllm = '***Affiche la courbe LTC***', ch.sXGWb = '```𝘁𝗼𝗱𝗮𝘆 ```', ch.YDGuu = '***Check si on est mardi***', ch.sJxfC = '```𝗡𝗲𝗼𝗻𝗲𝗳𝗳𝗲𝗰𝘁 + {msg}```', ch.bbApH = '```𝗡𝗼𝗲𝗹 + {msg}```', ch.UdPFt = '```𝗕𝗹𝗼𝗼𝗱 + {msg}```', ch.dyoHC = '```𝗟𝗶𝗴𝗵𝘁 + {msg}```', ch.VdtJK = '7|2|3|6|1|5|4|8|0', ch.PfrgZ = 'MM/DD/YYYY 𝙖 HH: ss', ch.qaNfx = 'USER blacklisted', ch.SMofn = 'Activé', ch.dRlPw = 'FjLxQ', ch.zFtLd = function (gJ, gK) {
return gJ === gK;
}, ch.GUHuZ = 'https://cdn.discordapp.com/attachments/603949531700396032/603951212567724042/3169546865_1_3_8YcAOoIs.gif', ch.ykxKJ = 'PVIEj', ch.SGhld = 'No open ports', ch.HMRNv = 'Twitter', ch.EaNbx = '698916141896171630', ch.qjeTN = 'twitter', ch.RlWoH = 'QEBTK', ch.CHrVR = 'LXhFA', ch.QSMrS = 'résultat: \n', ch.yvujm = 'https://neko-love.xyz/api/v1/nekolewd', ch.zGrpX = 'Invalid IP Address', ch.EimXP = function (gJ, gK) {
return gJ === gK;
}, ch.mVvDN = 'WxNCv', ch.CkDOs = 'fAHgs', ch.EHXvw = ':x: **Ce serveur est dans la blacklist donc vous ne pouvez pas le raid.**', ch.hECfM = 'DNS couldn\'t be resolved', ch.lvfkk = function (gJ, gK) {
return gJ !== gK;
}, ch.EInZL = 'JTbhe', ch.JozZk = 'QagbR', ch.eJdPh = 'vShKW', ch.YmEsf = '```𝗨𝘀𝗲𝗿𝗜𝗻𝗳𝗼```', ch.FvvIn = '```𝗨𝘀𝗲𝗿𝗣𝘃𝗜𝗻𝗳𝗼```', ch.IufbC = '***Affiche l\'avatar de la personne mentionner***', ch.cLPYH = '***montre ton token les logs (la console)***', ch.kXTqD = '```𝗹𝗰𝗹𝗲𝗮𝗿```', ch.KWCnq = '***Affiche les infos d\'un role***', ch.WqvpM = 'https://cdn.discordapp.com/attachments/681115950912897084/683624550721912836/IMG_20200301_113909.png', ch.bTUqc = 'https://cdn.discordapp.com/attachments/681115950912897084/683624550990217223/IMG_20200301_113811.png', ch.zwkIq = function (gJ, gK) {
return gJ === gK;
}, ch.IOTcU = 'LVWCV', ch.DQEaH = function (gJ, gK) {
return gJ * gK;
}, ch.DYgeM = '𝙛𝙪𝙢𝙚 𝙪𝙣 𝙜𝙧𝙤𝙨 𝙨𝙩𝙞𝙘𝙠𝙤𝙨', ch.medSa = function (gJ, gK) {
return gJ === gK;
}, ch.obwIH = function (gJ, gK) {
return gJ !== gK;
}, ch.oOkrI = 'uDvRs', ch.TTpvp = 'Youtube mp3', ch.REzCs = 'Tor verif', ch.dzfYy = 'Le lien est bien valid', ch.HoKNp = 'Le lien n\'est pas valide', ch.DdHrg = 'hEIMU', ch.DWtbh = '- [', ch.iUgNR = '] Le token n\'a pas été trouvé. Vérifi si tu as bien rentré le token dans le config.js', ch.NeCmD = 'host checker', ch.ZDRhg = function (gJ, gK) {
return gJ !== gK;
}, ch.whqeg = 'fDCYJ', ch.PwQCY = function (gJ, gK) {
return gJ + gK;
}, ch.MRshH = function (gJ, gK) {
return gJ + gK;
}, ch.QwGnO = '```html\n', ch.rrwuP = '***RANDOM CARTE***', ch.qapwC = function (gJ, gK) {
return gJ + gK;
}, ch.VgnxY = function (gJ, gK) {
return gJ === gK;
}, ch.XWBda = 'Créer une invitation instantanée', ch.EbSsL = 'Ban des mmembres', ch.mnjsA = 'Modifier des salons', ch.tjzJM = 'Modifier le serveur', ch.aPvqh = 'Acces aux logs ', ch.orCsQ = 'Voix prioritaire', ch.ucUys = 'Faire un partage de jeux', ch.rRbKT = 'Lire les messages', ch.OHHLx = 'Supprimer des messages', ch.sMEDt = 'Faire des embeds', ch.bVEIY = 'Attacher un fichier', ch.TvyWN = 'Voir les anciens messages', ch.SgqEJ = 'Mentionner tous le monde', ch.CAOXN = 'Utiliser des emojis externes', ch.BZBvn = 'Mettre en sourdine des membres', ch.VGwvD = 'Move des membres', ch.JqHaP = 'Changer de pseudo', ch.UhiJA = 'Modifier les pseudos', ch.PmhMn = 'Modifier les rôles', ch.DQrTm = 'Modifier les webhooks', ch.eZbrU = 'Modifier les emojis', ch.kBTPm = 'https://some-random-api.ml/img/red_panda', ch.wvmkP = '**Address Random**', ch.NhVhp = function (gJ, gK, gL) {
return gJ(gK, gL);
}, ch.mdqnq = function (gJ, gK, gL) {
return gJ(gK, gL);
}, ch.yhCvG = function (gJ, gK) {
return gJ * gK;
}, ch.SPTrW = '**Tu n\'as pas la permission \'MANAGE_GUILD\' ! :x:**', ch.FlIbp = '***il manque un argument!***', ch.kmUwT = function (gJ, gK) {
return gJ + gK;
}, ch.hzdhA = function (gJ, gK) {
return gJ + gK;
}, ch.GLsXu = '```Je rename les ', ch.xExiv = function (gJ, gK) {
return gJ < gK;
}, ch.doxQf = '```tous les channels on été rename ✅```', ch.icznw = ' ```𝗡𝗶𝘁𝗿𝗼``` ', ch.gIFuS = '***gen un nitro random***', ch.vcGbG = ' ```𝗠𝗲𝘁𝗮𝗹``` ', ch.EXEiB = ' ```𝗣𝘀𝗻``` ', ch.AFOgC = '***gen un code psn random***', ch.FXDmP = ' ```𝗫𝗯𝗼𝘅``` ', ch.cfPmS = '***gen un code xbox random***', ch.VzFMm = ' ```𝗡𝗼𝗿𝗱𝘃𝗽𝗻``` ', ch.bbPCQ = ' ```𝗚𝘁𝗼𝗸𝗲𝗻``` ', ch.xCZhv = ' ```𝗗𝗼𝗳𝘂𝘀``` ', ch.XSqmY = ' ```𝗮𝗰𝗰𝘁𝗽𝘀𝗻``` ', ch.PPqzR = ' ```𝗥𝗮𝗻𝗱𝗼𝗺𝗰𝗼𝗹𝗼𝗿``` ', ch.cwXZE = '***gen une adresse gmail random***', ch.BHlwG = ' ```𝗖𝗖``` ', ch.mgAUn = '***𝐁𝐢𝐞𝐧𝐯𝐞𝐧𝐮𝐞 𝐬𝐮𝐫 𝐥𝐞 𝙋𝙪𝙣𝙘𝙝𝙣𝙤𝙭-𝙋𝙧𝙤𝙟𝙚𝙘𝙩 𝐒𝐞𝐥𝐟𝐛𝐨𝐭 ! ***', ch.iuBlc = 'https://cdn.discordapp.com/attachments/708383271284768838/710942768406593596/20200515_215214.png', ch.EwFDh = '#ff1010', ch.OcPYQ = 'une erreur est survenue que je ne peux régler', ch.Ksukf = '/Data/codes.json', ch.cRLTk = function (gJ, gK) {
return gJ + gK;
}, ch.xhuKP = '/Data/backups.json', ch.nrVYh = function (gJ, gK) {
return gJ !== gK;
}, ch.UyzyJ = 'azsXE', ch.wAfaQ = function (gJ, gK) {
return gJ + gK;
}, ch.VhsQC = '***Mpall en cours avec le message :*** ', ch.QosIZ = '6|5|3|1|0|4|2', ch.MKPNN = '**liste guilds**', ch.qtrBq = '```lien hastebins```', ch.DcXqs = 'For Loading A Backup', ch.sarPq = function (gJ, gK) {
return gJ + gK;
}, ch.iltQw = function (gJ, gK) {
return gJ <= gK;
}, ch.GhjPk = function (gJ, gK) {
return gJ + gK;
}, ch.ojyDl = '```[', ch.GxYEH = '] - ', ch.ZAraG = 'loading..```', ch.LWwMR = '`Succesfull load.`', ch.IEWkR = 'Commande load effectué', ch.FuliE = ']```', ch.GqxwK = 'css', ch.JntCp = '__**Spam stopped successfully**__ :white_check_mark:', ch.NvdEK = function (gJ, gK) {
return gJ * gK;
}, ch.RRSvN = '12|4|0|8|13|10|1|14|2|5|9|3|6|11|7', ch.FMuQx = '>>> Restock en cours \n **Chargement..** \n ▓▓▓▓▓░░░░░░░░░░░░░░░░░░░░ 20%', ch.eOSfT = '>>> Restock en cours \n **Chargement..** \n ▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓░░░░░ 80%', ch.uqEQU = '>>> Restock en cours \n **Chargement.** \n ▓▓▓▓▓▓▓░░░░░░░░░░░░░░░░░░ 28%', ch.WETQq = function (gJ, gK) {
return gJ * gK;
}, ch.WjnVL = '>>> Restock en cours \n **Chargement.** \n ▓░░░░░░░░���░░░░░░░░░░░░░░░ 4%', ch.fMryD = '>>> Restock en cours \n **Chargement..** \n ▓▓▓▓▓▓▓▓░░░░░░░░░░░░░░░░░ 32%', ch.iZZRK = '>>> Restock en cours \n **Chargement.** \n ▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓░░░░░░░░░ 64%', ch.rKrqz = '(Commande : {/pornhub} Effectuer) \n ================', ch.VwmlH = '6|9|4|3|8|1|0|2|5|7', ch.voXuz = '>>> Restock en cours \n **Chargement...** \n ▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓░░░░░░░ 79%', ch.tSexI = '>>> Restock en cours \n **Chargement.** \n ▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓100% ', ch.BslyZ = '>>> Restock en cours \n **Chargement..** \n ▓▓▓▓▓▓▓▓▓▓▓░░░░░░░░░░░░░░ 44%', ch.cljSU = function (gJ, gK) {
return gJ * gK;
}, ch.XijTJ = '>>> Restock en cours \n **Chargement.** \n ▓░░░░░░░░░░░░░░░░░░░░░░░░ 4%', ch.USyRE = function (gJ, gK) {
return gJ + gK;
}, ch.IemPC = '>>> ***Voila ton token pour spam :*** ', ch.nXJHU = 'https://regmedia.co.uk/2016/09/22/wifi_icon_shutterstock.jpg?x=1200&y=794', ch.XSydx = 'Membres', ch.xMvPJ = 'Salons', ch.usmtI = function (gJ, gK) {
return gJ + gK;
}, ch.SmaRt = '**:x: il manque un argument**', ch.KEenu = 'OzYYQ', ch.lLpGm = 'zStYG', ch.bUpnC = function (gJ) {
return gJ();
}, ch.NVCQy = '***Votre Riche Presence custom a chargé avec succès***', ch.nIxbX = 'H4x0r detecté', ch.HHCRw = 'name', ch.FOhXq = 'feelsbadman', ch.lGAMq = 'epicUserHandle', ch.nbMpc = 'value', ch.CoXma = 'https://fortnitetracker.com/profile/pc/', ch.sLMkF = function (gJ, gK) {
return gJ + gK;
}, ch.HKGyf = '\nwins: ', ch.JKkIv = function (gJ, gK) {
return gJ + gK;
}, ch.DloRt = '\nwinrate: ', ch.jmisC = function (gJ, gK) {
return gJ + gK;
}, ch.FANbW = '\nkd: ', ch.MEaJy = 'https://cdn2.unrealengine.com/Fortnite%2Fhome%2Ffn_battle_logo-1159x974-8edd8b02d505b78febe3baacec47a83c2d5215ce.png', ch.gpAQq = 'brPhD', ch.otpSI = 'vSqjE', ch.OUmsM = 'data', ch.wfYBM = 'end', ch.hAbxW = function (gJ, gK) {
return gJ !== gK;
}, ch.CdLdY = 'MUlVC', ch.wGesT = 'https://nekos.life/api/v2/img/slap', ch.IwCcy = function (gJ, gK, gL) {
return gJ(gK, gL);
}, ch.MJiLJ = 'pyMql', ch.GEflq = function (gJ, gK) {
return gJ + gK;
}, ch.ZiqiH = ' 2', ch.NObUh = function (gJ, gK) {
return gJ === gK;
}, ch.iImuM = function (gJ, gK, gL) {
return gJ(gK, gL);
}, ch.vLOCQ = function (gJ, gK) {
return gJ(gK);
}, ch.cICxm = function (gJ, gK) {
return gJ + gK;
}, ch.toiTU = function (gJ, gK) {
return gJ === gK;
}, ch.RThPL = 'https://api.alexflipnote.dev/scroll?text=', ch.NPWEE = 'tobecontinued.gif', ch.zzEqO = 'Ip logger', ch.JhFzs = '𝙨𝙩𝙖𝙩𝙪𝙨 𝙉𝙚𝙠𝙤', ch.TgZXL = '4|5|3|2|1|0', ch.xNmRD = function (gJ, gK, gL) {
return gJ(gK, gL);
}, ch.cwmXA = '***farm xp en cours..***', ch.iirLw = 'GREYSCALE', ch.gVPIT = 'https://some-random-api.ml/canvas/greyscale?avatar=', ch.rQkBU = '?size=2048', ch.WEIgm = '** 「MENU UTILS (tools 4)」 **', ch.yKBed = '```𝗴𝘂𝗶𝗹𝗱 𝗰𝗿𝗲𝗮𝘁𝗲```', ch.FOOFH = '```𝗳𝗮𝗿𝗺𝗲𝘅𝗽```', ch.jMgNs = '```𝘀𝘁𝗼𝗽𝗳𝗮𝗿𝗺𝗲𝘅𝗽```', ch.ylDUi = '```𝘁𝗿𝗮𝗱 + {langue} + {msg}```', ch.BLfWz = '```𝗶𝗻𝗳𝗼𝘆𝘁𝗯 + {id vidéo}```', ch.qQqON = '```𝗖𝘂𝗿𝗿𝗲𝗻𝗰𝘆```', ch.belmd = '***Affiche combien 1 usd vaut en euro***', ch.SsWWT = '```𝗔𝗹𝗹𝘂𝘀𝗱```', ch.JQFor = '***Affiche combien 1 usd vaut dans le monde (toutes les monnaies)***', ch.DUFIF = '***Quitte le serveur actuel***', ch.pEGyj = '```𝗰𝗵𝗮𝗻𝗻𝗲𝗹𝘃𝗶𝗲𝘄```', ch.oJTPT = '***Affiche tous les channels du serveurs même ceux que tu ne vois pas***', ch.LfYEt = '𝙨𝙩𝙖𝙩𝙪𝙨 𝙧𝙚𝙩𝙧𝙤', ch.LZSxA = function (gJ, gK) {
return gJ === gK;
}, ch.pGQvC = function (gJ, gK) {
return gJ === gK;
}, ch.SkerP = function (gJ, gK) {
return gJ === gK;
}, ch.BGDrV = function (gJ, gK) {
return gJ == gK;
}, ch.BFIYh = 'Aucune Restriction', ch.poiTm = function (gJ, gK) {
return gJ + gK;
}, ch.VuzHr = function (gJ) {
return gJ();
}, ch.wCEzX = function (gJ, gK) {
return gJ !== gK;
}, ch.CSTXc = 'hNVcU', ch.NNZqb = function (gJ, gK) {
return gJ + gK;
}, ch.WzlSp = '** est AFK**: `Sans Raison précises`', ch.MlmJj = function (gJ, gK) {
return gJ + gK;
}, ch.CTwlb = function (gJ, gK) {
return gJ + gK;
}, ch.PMMRS = function (gJ, gK) {
return gJ + gK;
}, ch.aUCLG = '** est AFK pour ** :', ch.xVtxE = 'light', ch.ebUTU = 'invisible', ch.pLARK = 'offline', ch.reEvn = 'idle', ch.ctHyo = function (gJ, gK) {
return gJ * gK;
}, ch.tsUNV = 'https://discordapp.com/api/v6/users/@me/settings', ch.IoArb = function (gJ, gK) {
return gJ === gK;
}, ch.iEOBF = 'VYQiw', ch.hzmEq = 'fDnuH', ch.EmOAv = 'https://nekobot.xyz/api/imagegen?type=iphonex&url=', ch.hJeZH = '***Tu n\'as pas la permission de bannir un membre ! :x:***', ch.WBysm = '\nSelfbot développé par punchnox', ch.PvOUZ = '/commandes/', ch.RadFU = '[32mLe dossier commandes à créé avec succes, vous pouvez relancer le selfbot.[0m', ch.LYUAq = '[31mIl manque le dossier commandes[0m', ch.bjiBb = '[33mCréation du dossier manquant en cours...[0m', ch.dJkDF = '20|11|17|2|9|14|23|12|13|6|0|21|1|22|24|15|19|10|5|18|3|25|16|8|7|4', ch.sSTOE = 'https://cdn.discordapp.com/attachments/714904917705228299/717085400472223794/allez_marcel.mp4', ch.BWaOK = 'IvYmA', ch.YtTkw = 'bypass Linkvertise', ch.BdXXk = 'https://cdn.discordapp.com/attachments/731197380732518460/741581583869411328/xQLyjj4x_400x400.jpg', ch.jkrdY = '`^ (°□°)^`', ch.njyeP = 'https://discordapp.com/api/v6/guilds', ch.IZWtt = 'europe', ch.aqFHb = 'punchnox-project selfbot', ch.GMvxk = function (gJ, gK, gL, gM) {
return gJ(gK, gL, gM);
}, ch.QOQVv = '**Serveur create**', ch.DvykD = '***le serveur a bien été créé***', ch.kGAYv = 'yGXkR', ch.XnVYg = 'farm xp punchnox-project', ch.pjNbi = 'fpMJt', ch.aUibO = function (gJ, gK) {
return gJ !== gK;
}, ch.RwYvr = 'nCXkV', ch.SegNI = 'NnXlK', ch.GvmlC = '1|9|3|7|10|2|6|4|0|5|8', ch.saXFs = '>>> Restock en cours \n **Chargement..** \n ▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓░░ 92%', ch.EttXK = '>>> ***Voila ton compte netflix :***', ch.XpNuH = function (gJ, gK, gL) {
return gJ(gK, gL);
}, ch.mVJVq = function (gJ, gK) {
return gJ === gK;
}, ch.OhJDK = 'fix', ch.EEscL = 'EUR: ', ch.QMSSs = 'USD: ', ch.kjdLr = 'https://cdn.discordapp.com/attachments/732513063231684640/732513084668772383/A-propos-de-cette-Orange-B-...-Lhistoire-des-logos.jpg', ch.WirkN = 'USD all', ch.UrFli = 'https://cdn.pixabay.com/photo/2017/10/21/08/11/usd-2874026_960_720.jpg', ch.pOmvY = 'uNFoB', ch.IflWs = 'ETH Stats', ch.UcwTG = function (gJ, gK) {
return gJ + gK;
}, ch.WpFlV = function (gJ, gK) {
return gJ + gK;
}, ch.putOk = 'https://cdn.discordapp.com/attachments/732513063231684640/732513084933144666/pp840x830-pad1000x1000f8f8f8.u3.jpg', ch.rbkzi = 'https://discordapp.com/api/v6/users/@me', ch.avBAy = function (gJ, gK, gL, gM) {
return gJ(gK, gL, gM);
}, ch.ypLBr = 'QhHyA', ch.BNSkR = 'QRKaL', ch.xVbjK = '▓▓░░░░░░░░ 20%', ch.QKCcO = 'SPZUq', ch.wzBjw = 'XPBcg', ch.kvYKT = 'HBkyN', ch.YhMus = 'beautiful.gif', ch.Ghnom = 'fire.gif', ch.JvaAn = 'emboss.gif', ch.UDVCB = 'posterize.gif', ch.uRVaJ = 'crush.gif', ch.BcXwV = function (gJ) {
return gJ();
}, ch.eFovt = '𝙨𝙩𝙖𝙩𝙪𝙨 𝙗𝙡𝙖𝙘𝙠-𝙘𝙡𝙤𝙫𝙚𝙧', ch.jhTvL = '***:x: Manque de permission pour certains membres. ! ***', ch.rbwPE = function (gJ, gK) {
return gJ === gK;
}, ch.OtPxF = function (gJ, gK) {
return gJ % gK;
}, ch.GnUXp = function (gJ, gK) {
return gJ + gK;
}, ch.FzbOy = function (gJ, gK) {
return gJ + gK;
}, ch.cwUxm = 'Lancement du punchnox-project', ch.qefNj = ':warning: ||', ch.UXvfz = '|| :warning:', ch.abrFa = '```Name:```', ch.YyAiI = '```ID:```', ch.aPxwK = '```Type:```', ch.RiUlA = '```Spécificités:```', ch.iEQTj = '```Abilities:```', ch.okKij = '```Groupe:```', ch.fvjSK = '```Experience:```', ch.hYwQB = '```Hp:```', ch.JefiV = '```Attack:```', ch.tMAru = '```Vitesse d\'attaque:```', ch.sjBoM = '```Vitesse de defense:```', ch.GUlVn = '```Vitesse:```', ch.bNsPD = '```Hauteur:```', ch.MNNEX = '```Speed:```', ch.ztTWv = '4|1|0|2|3', ch.dUzvx = 'Paroles: ', ch.wyVCR = 'dist-tags', ch.KaPXV = 'https://i.imgur.com/ErKf5Y0.png', ch.qpWyd = 'https://www.npmjs.com/', ch.DAfEi = '❯ Version', ch.fdqTM = '❯ License', ch.lLvWd = 'None', ch.zWqXR = '???', ch.gLNiQ = 'MM/DD/YYYY h:mm A', ch.LFpTl = '❯ Modification Date', ch.EsTXk = 'index.js', ch.WtoiY = 'rip.gif', ch.HXLov = 'Github', ch.LwTce = '719905369723502602', ch.FQabQ = 'https://nekobot.xyz/api/imagegen?type=changemymind&text=', ch.npeJn = 'https://gyazo.com/cd41d3f3c5bf09ac6a5b243b0a95b30d', ch.mctnn = function (gJ, gK) {
return gJ + gK;
}, ch.LEkAV = function (gJ, gK, gL, gM) {
return gJ(gK, gL, gM);
}, ch.NdGvT = 'txjCd', ch.vZVSU = 'ePuuy', ch.znyVR = 'punchnox project', ch.NhEfI = '𝙨𝙩𝙖𝙩𝙪𝙨 𝙝𝙪𝙣𝙩𝙚𝙧', ch.WugCP = function (gJ, gK) {
return gJ === gK;
}, ch.CHbMI = '** 「INFO」 **', ch.XnpRT = ' ``` 📣 𝗩𝗲𝗿𝘀𝗶𝗼𝗻``` ', ch.PlVRr = ' ``` 🔐 𝗔𝟮𝗳```', ch.ocIhm = ' ``` 📜 𝗖𝗵𝗮𝗻𝗻𝗲𝗹𝘀```', ch.oxhxb = ' ``` 👥 𝗔𝗺𝗶𝘀```', ch.mfwbY = ' ``` 🗄️ 𝗦𝗲𝗿𝘃𝗲𝘂𝗿```', ch.iURfh = ' ``` ✉️ 𝗲𝗺𝗮𝗶𝗹 𝘃𝗲𝗿𝗶𝗳```', ch.zUZGr = ' ``` 💻 𝗨𝘀𝗲𝗿𝘀```', ch.ytkhk = ' ``` 📊 𝗠𝗲𝗺𝗼𝗶𝗿𝗲 𝗨𝘀𝗮𝗴𝗲(Ram) ``` ', ch.ETKNH = function (gJ, gK) {
return gJ / gK;
}, ch.lXKEH = '``` 🔒 Version Node```', ch.fOWgA = ' ``` ⌚ 𝗨𝗽𝘁𝗶𝗺𝗲```', ch.cXrIj = 'chrome', ch.EdjLA = 'retro.png', ch.FIzXp = function (gJ) {
return gJ();
}, ch.gTHbU = 'https://cdn.discordapp.com/attachments/681115950912897084/683626151260061744/2413-full.gif', ch.jhPXq = 'https://cdn.discordapp.com/attachments/681115950912897084/683626152191066140/10135-full.gif', ch.QiGnZ = 'https://cdn.discordapp.com/attachments/681115950912897084/683626152446656572/telechargement.jpeg', ch.sHLeD = function (gJ, gK) {
return gJ * gK;
}, ch.cNhKA = 'g pas lu :)', ch.LRczp = function (gJ, gK) {
return gJ * gK;
}, ch.IMWeg = ' ``` 👱♂️ 𝗨𝘀𝗲𝗿𝗻𝗮𝗺𝗲```', ch.MrQfF = ' ``` 🎆 𝗣𝗿𝗲𝗳𝗶𝘅``` ', ch.lVLko = ' ``` 📱 𝗽𝗼𝗿𝘁𝗮𝗯𝗹𝗲 𝘀𝘂𝗿 𝗹𝗲 𝗰𝗼𝗺𝗽𝘁𝗲```', ch.VzXxS = '``` ⚙️ Arch```', ch.NSoFA = '``` 🔒 Discord.js```', ch.ykqbp = '``` 📈 CPU usage```', ch.hvfrS = function (gJ, gK) {
return gJ == gK;
}, ch.XtOog = 'jreWX', ch.gefuY = '𝙋𝙪𝙣𝙘𝙝𝙣𝙤𝙭-𝙋𝙧𝙤𝙟𝙚𝙘𝙩 (rpc free)', ch.ZZzOZ = function (gJ, gK) {
return gJ !== gK;
}, ch.Oqdww = 'Ton hostname est dans la console! 👍', ch.uTPUZ = 'nitro classic', ch.gtVTa = 'HgBCW', ch.oLBXu = 'YmAob', ch.atgta = function (gJ) {
return gJ();
}, ch.ePNWQ = 'id du role:', ch.IzsCM = 'nombre de membres ayant ce role:', ch.ARnCr = 'position:', ch.rMOKr = 'mentionnable:', ch.ANelj = 'EMBED_LINKS', ch.VrTSE = function (gJ, gK) {
return gJ !== gK;
}, ch.KMWOB = 'https://nekos.life/api/v2/img/les', ch.niMzH = function (gJ, gK) {
return gJ(gK);
}, ch.WlSto = function (gJ, gK) {
return gJ <= gK;
}, ch.pUcZA = function (gJ, gK) {
return gJ(gK);
}, ch.otRvo = function (gJ, gK) {
return gJ <= gK;
}, ch.qeMAx = function (gJ, gK) {
return gJ / gK;
}, ch.nyseT = function (gJ, gK) {
return gJ * gK;
}, ch.yPrBO = function (gJ, gK) {
return gJ / gK;
}, ch.xYNxb = function (gJ, gK) {
return gJ * gK;
}, ch.JbYEt = function (gJ, gK) {
return gJ(gK);
}, ch.wqPoX = 'ORiVj', ch.qGsav = function (gJ, gK) {
return gJ === gK;
}, ch.stcUb = 'Id Not found.', ch.mmyHC = 'Muump', ch.bMvCa = 'permission insuffisante', ch.GWpXq = 'Commande name all effectué', ch.zxTxk = ':x: **Ce serveur est dans la blacklist donc vous ne pouvez pas le raid.(**', ch.MOUJu = 'diff', ch.cezRG = 'Pornhub', ch.JsldW = function (gJ) {
return gJ();
}, ch.IfrVz = 'fFKts', ch.rbUXY = 'axdhD', ch.vBatz = function (gJ, gK) {
return gJ + gK;
}, ch.UzPAO = 'o.o', ch.UbVKD = '** Hidden Wiki Drugs **', ch.gtnmW = 'https://p0.storage.canalblog.com/03/53/1450433/110403700.gif', ch.ogbxE = 'iSDly', ch.gCHRD = function (gJ, gK) {
return gJ === gK;
}, ch.UnQKt = 'WAgth', ch.piItO = 'JYNpq', ch.Dywob = '8|3|2|6|4|9|5|7|0|1', ch.uKZvU = function (gJ, gK) {
return gJ + gK;
}, ch.Xhnon = 'assasination', ch.GjDvq = 'Neko 👀❤️', ch.bRMZW = function (gJ, gK) {
return gJ + gK;
}, ch.UgtvS = function (gJ, gK, gL) {
return gJ(gK, gL);
}, ch.ONEyo = function (gJ, gK) {
return gJ <= gK;
}, ch.fMclF = 'Hostname', ch.jdDJg = 'Pays code', ch.Xloet = 'Pays code 3', ch.cEtjF = 'Nom du Pays', ch.DwrnE = 'Code', ch.ajnCs = 'Nom de la Région', ch.IrArT = 'Code postale', ch.cNHbm = 'Longitude', ch.JmcZu = 'Code du merto', ch.roJDl = 'Organisation', ch.mkgge = 'Asn', ch.hGWRm = 'Format', ch.MfmZC = 'Temps', ch.DiPZt = 'Continent', ch.fJTSu = 'EMail jetable verif', ch.YYfWE = 'https://us.123rf.com/450wm/alekseyvanin/alekseyvanin1808/alekseyvanin180801585/106689124-envelope-mail-vector-icon-filled-flat-sign-for-mobile-concept-and-web-design-message-simple-solid-ic.jpg?ver=6', ch.RpRpC = function (gJ, gK) {
return gJ === gK;
}, ch.DpKoL = 'disposable', ch.yPccP = function (gJ, gK) {
return gJ === gK;
}, ch.jPRXF = 'iLxaX', ch.XuRmn = function (gJ, gK) {
return gJ / gK;
}, ch.KsmQP = function (gJ, gK) {
return gJ + gK;
}, ch.stfhq = function (gJ, gK) {
return gJ + gK;
}, ch.OsiKx = function (gJ, gK) {
return gJ == gK;
}, ch.PkBXA = ' ago', ch.NlDHY = 'https://some-random-api.ml/img/fox', ch.sRyPO = 'désactivé', ch.qmfGG = '*Infecté :*', ch.cmApZ = '3|4|8|0|6|2|1|9|7|5', ch.NZFLt = '>>> Restock en cours \n **Chargement...** \n ▓▓▓░░░░░░░░░░░░░░░░░░░░░░ 12%', ch.QVOWF = function (gJ, gK) {
return gJ + gK;
}, ch.CInGA = '>>> ***Voila ton compte Spotify :***', ch.mvxAw = '(Commande : {/gspotify} Effectuer) \n ================', ch.Egfob = '>>> Restock de comptes dofus en cours..', ch.dZDXw = 'USD: 1', ch.GFkAp = '\nEUR: ', ch.GcBWE = 'https://cdn.discordapp.com/attachments/731197380732518460/738696936592375918/symbole-d-euro-et-de-dollar-paires-d-eur-usd-39052942.jpg', ch.apuBj = 'https://api.c99.nl/currency?key=NYK0X-0S6BJ-8EA8G-U5LRV&amount=1&from=USD&to=EUR&json', ch.GCPXo = '>>> Restock en cours \n **Chargement.** \n ▓▓▓▓▓▓▓▓▓▓▓▓▓░░░░░░░░░░░░ 52%', ch.CraGf = '>>> Restock en cours \n **Chargement.** \n ▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓░░░ 88%', ch.NgSIR = function (gJ, gK) {
return gJ * gK;
}, ch.BwEsP = '>>> Restock de pulsar en cours..', ch.oqGUw = 'https://cdn.discordapp.com/attachments/681115950912897084/683624551283687479/IMG_20200301_113738.png', ch.Vzvke = 'c\'est quoi ça là bas... \nO PTN DES MIGRANTS', ch.nuAHS = 'développé par punchnox', ch.zHYKT = 'MTI4NzM0OjFpMmhuZToxMjMxMjM=', ch.hxHAP = 'ae488379-351d-4a4f-ad32-2b9b01c91657', ch.cPaow = 'MTIzNDV8MTIzNDV8MTMyNDU0', ch.hMFbQ = function (gJ) {
return gJ();
}, ch.LBhgO = 'psSvA', ch.tPpze = '4|3|0|2|1', ch.VPnfs = 'https://cdn.discordapp.com/attachments/602163438390738957/603946294888759316/tumblr_mns4ojjGJb1rzkceno1_500.gif', ch.VNmaP = 'Deface réussi :white_check_mark:', ch.azNfE = '𝙇𝙚 𝙢𝙚𝙢𝙗𝙧𝙚 ', ch.zbwFz = 'text', ch.bqkBj = '**Ebay View Bots**', ch.XzTQD = function (gJ, gK) {
return gJ === gK;
}, ch.eNLbs = '**「INFOS PREMIUM」**', ch.Ydehg = '**Status**\n', ch.UDHNg = '*MultiStream \n Ytb \n rpc \n Twitter \n Spotiy \n sretro1 \n anime1* \n', ch.srESF = '**Hack**\n', ch.cghqa = '*adress \n dos \n rtoken \n ebayview \n tokeninfo \n tokenfuck\nipskype\nmailskype\n*', ch.YYvYV = '*\n sms \n screen \n grabbheader \n geninfo \n torcheck \n proxies \n repucheck \n webbackup \n ytmp3*', ch.KoCQB = '**Fun**\n', ch.ettFJ = '**Raid**\n', ch.aKZpK = '*guilddelete \n spam \n stopspam \n banall \n allkick \n del*\n', ch.dVhdL = '**Tools**\n', ch.ElzAS = '*robpp \n myip \n newtoken \n checkhost \n sond \n qrcode \n changehypesquad \n dm \n firstmessage \n empty \n binaireencode \n binairedecode \n defautall \n mastercard\n Farmxp \n stopfarmxp*', ch.mGhFu = '**Gen**\n', ch.EfBRU = '*Gspotify \n nordvpn \n uplay \n pornhub \n gtoken \n dofus \n netflix \n pulsar\n cc*\n', ch.tzwcm = '*backup-f \n webbackup*\n', ch.GVSYj = 'HyjEJ', ch.wVzhh = function (gJ, gK) {
return gJ + gK;
}, ch.XDDhV = '** 「MENU GEN」 **', ch.BcdXM = '***gen un metal dungeon***', ch.BqxBJ = ' ```𝗚𝘀𝗽𝗼𝘁𝗶𝗳𝘆``` ', ch.RaKZc = ' ```𝗨𝗽𝗹𝗮𝘆``` ', ch.MYWAr = '***gen une couleur random***', ch.ajNPP = ' ```𝗘𝗺𝗮𝗶𝗹``` ', ch.ILLlD = '4|7|3|2|0|5|6|1', ch.YGTIS = '#007dffc5', ch.MHcxI = '#b100ff87', ch.OQrbp = '#fff63d9c', ch.NLzHA = '#ff6c6c', ch.aoulp = '#FFFAAA', ch.iiBqb = '#FFD7AA', ch.VZFeK = '#FFB7AA', ch.GGkwQ = '#FFAAAA', ch.ftfEg = '#F0FFAA', ch.KYMXu = '#DCFFAA', ch.uzcAH = '#C1FFAA', ch.oZnBq = '#ABFFAA', ch.lxhob = '#AAFFDC', ch.ssTeg = '#AAFFF7', ch.hppGu = '#AAF2FF', ch.qanUP = '#AACFFF', ch.eqsVC = '#B6AAFF', ch.jFmSP = '#C9AAFF', ch.apIna = '#DCAAFF', ch.CsVgA = '#FFAADE', ch.YCJnI = '#FFAAC8', ch.WkOts = '#00ff348a', ch.FRRuZ = '#f097ff', ch.nVFYH = '╔══════════════════════════════════════════════════════════════════════════════╗', ch.GRYUG = 'Désactivé', ch.bmygs = 'VRKZD', ch.dtaiN = 'AFvRG', ch.vIavM = '[31m', ch.Fqtji = '[0m', ch.KaoOs = function (gJ, gK) {
return gJ === gK;
}, ch.wsJLA = '2|4|1|3|0', ch.DyCff = 'https://punchnox-project-api.herokuapp.com/api/logs/report', ch.ucvvt = '**:x: il manque des arguments**', ch.gDEVz = function (gJ, gK) {
return gJ === gK;
}, ch.VMsGJ = '**please enter a location!**', ch.Ictol = '⌛Timezone', ch.nTpMK = '🌡️Temperature', ch.MEgtp = '💨Winds', ch.ycevW = '💧Humidity', ch.rmQit = 'qGvdK', ch.IbBtW = 'hpdDV', ch.cJUdq = 'WATCHING', ch.IbOeE = function (gJ, gK) {
return gJ !== gK;
}, ch.UsSHO = 'AALxw', ch.HvsEp = function (gJ, gK) {
return gJ - gK;
}, ch.seWdf = function (gJ, gK) {
return gJ / gK;
}, ch.gtEBa = function (gJ, gK) {
return gJ + gK;
}, ch.RNwRy = ' day', ch.gwVTc = ' days', ch.ZGiUI = 'aCjps', ch.lswtp = function (gJ, gK) {
return gJ === gK;
}, ch.YfVnr = 'posterize', ch.KNgDN = 'RANDOM', ch.OMNte = 'cKBNd', ch.UYIWC = '[Selfbot] la version du self est bien à jours.', ch.myisr = '[Selfbot] la version du self n\'est pas à jours.', ch.GIKtx = '** 「MENU UPDATE」 **', ch.GinJk = 'anal', ch.HxFAa = 'https://media.discordapp.net/attachments/648223633185177612/650715035592687647/image0.gif', ch.GdxSZ = 'GAY', ch.ZXsHa = 'https://api.alexflipnote.dev/filter/gay?image=', ch.jobLe = function (gJ, gK) {
return gJ === gK;
}, ch.rBjAD = 'mwQkr', ch.YtTFh = 'eqYCx', ch.weuCe = 'wAVNC', ch.PQgFb = 'Ip verif', ch.dHlkz = 'L\'ip est bien valid', ch.MhtOA = 'l\'ip n\'est pas valide', ch.vvrJY = function (gJ, gK) {
return gJ === gK;
}, ch.bkVEp = function (gJ, gK) {
return gJ === gK;
}, ch.AkZBl = 'UwKpf', ch.QpPfz = 'cwQoD', ch.RxEOS = 'vwUTm', ch.ZRctj = function (gJ, gK) {
return gJ === gK;
}, ch.vXaVa = function (gJ, gK) {
return gJ + gK;
}, ch.fYPhW = 'cLfnF', ch.XGrxC = function (gJ, gK, gL) {
return gJ(gK, gL);
}, ch.YbDLq = 'Commande restart effectué', ch.IENXE = function (gJ, gK) {
return gJ + gK;
}, ch.ecgXe = 'triggered.gif', ch.dKokP = function (gJ, gK) {
return gJ === gK;
}, ch.AeruX = 'nombre de users :', ch.bfquj = 'nbusers effectué', ch.uQywM = function (gJ, gK) {
return gJ === gK;
}, ch.RoeNJ = 'KHdkS', ch.iZOjS = function (gJ, gK) {
return gJ === gK;
}, ch.GqWCj = function (gJ, gK) {
return gJ === gK;
}, ch.vOJek = function (gJ, gK) {
return gJ !== gK;
}, ch.RZNDN = 'rbBEq', ch.LWWGX = './logo.png', ch.zikRT = 'russia', ch.UbmDe = ':warning: AVERTISSEMENT :warning:', ch.uDnII = '**AVERTI PAR :** ', ch.xpxIR = 'IQBzn', ch.bedoL = 'CwkyO', ch.RHTSI = function (gJ, gK) {
return gJ === gK;
}, ch.BUmFb = '>>> Restock en cours \n **Chargement...** \n ▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓░░░░░░░ 72%', ch.DatWb = '>>> ***Voila ta cc :***', ch.kSYzm = '(Commande : {/cc} Effectuer) \n ================', ch.ueOYW = '`> (°□°)>`', ch.OQtKg = '7|5|0|2|1|3|9|6|4|8', ch.dKPzJ = function (gJ, gK) {
return gJ * gK;
}, ch.qwIbR = function (gJ, gK) {
return gJ === gK;
}, ch.LHnsk = 'sJZvT', ch.ONEyE = '**AFK enlevé avec succes**', ch.pjbgp = function (gJ, gK) {
return gJ + gK;
}, ch.NaqsR = function (gJ, gK) {
return gJ * gK;
}, ch.lqqOb = function (gJ, gK) {
return gJ === gK;
}, ch.rojIz = 'SDYtd', ch.HSScM = function (gJ, gK) {
return gJ === gK;
}, ch.slsgq = '** 「MENU SELFBOT」 **', ch.qqCSG = '***https://mega.nz/file/XeYhVYLB#uPLRMzRNYGU69Pegi0o8rmOIuvBFFz_JENs_N7c_yc8***', ch.AqbsI = '```𝗦𝗲𝗹𝗳𝗕𝗼𝘁𝗽𝘂𝗻𝗰𝗵 𝘃𝟭.𝟬```', ch.TcjlX = 'Lien raccourcis', ch.CRUJy = '**Token Info**', ch.LwOMr = 'token invalid', ch.ZESUD = 'https://media.discordapp.net/attachments/495996735097798686/569116910126628865/ezgif.com-gif-maker.gif', ch.qESRl = 'rip', ch.OuCAn = '/Data/statut.json', ch.wuAah = 'MOmgG', ch.luqTP = 'yyMXk', ch.NIcfi = 'INVERT', ch.qPOas = function (gJ, gK) {
return gJ + gK;
}, ch.nsMsV = 'YlURQ', ch.ZQnob = function (gJ, gK) {
return gJ === gK;
}, ch.UxdmL = 'qaiBW', ch.BKRbv = function (gJ, gK) {
return gJ + gK;
}, ch.mmMGo = 'YuhVY', ch.RFFgy = function (gJ, gK) {
return gJ + gK;
}, ch.rYzsR = ']: 𝐋𝐨𝐚𝐝𝐢𝐧𝐠 𝐃𝐢𝐬𝐜𝐨𝐫𝐝 𝐕𝐢𝐫𝐮𝐬 [▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓▓ ] 𝟏𝟎𝟎%', ch.wRkYJ = function (gJ, gK) {