-
Notifications
You must be signed in to change notification settings - Fork 0
/
func.js
1722 lines (1499 loc) · 66.3 KB
/
func.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 Discord = require('discord.js'); //Discord.js
const global = require('./localdata/config.json'); //Variables globales
const images = require('./localdata/images.json'); //Imágenes globales
const { p_pure } = require('./localdata/customization/prefixes.js'); //Imágenes globales
const Canvas = require('canvas'); //Node Canvas
const chalk = require('chalk'); //Consola con formato bonito
const { colorsRow } = require('./localdata/houraiProps');
const { ButtonStyle, ChannelType } = require('discord.js');
const { fetchUserCache } = require('./usercache');
const Hourai = require('./localdata/models/hourai');
const { makeButtonRowBuilder, makeStringSelectMenuRowBuilder } = require('./tsCasts');
const concol = {
orange: chalk.rgb(255, 140, 70),
purple: chalk.rgb(158, 114,214),
};
module.exports = {
//#region Lista
/**
* @template T
* @param {Array<T> | Discord.Collection<Discord.Snowflake, T>} array
* @param {Number?} pagemax
* @returns {Array<Array<T>> | Array<Array<[Discord.Snowflake, T]>>}
*/
paginateRaw: function(array, pagemax = 10) {
if(!Array.isArray(array))
// @ts-ignore
array = [...array.entries()];
return array
// @ts-ignore
.map((_, i) => (i % pagemax === 0) ? array.slice(i, i + pagemax) : null)
.filter(item => item);
},
/**
* @typedef {Object} PaginateOptions
* @property {Number} [pagemax]
* @property {Function} [format]
*/
/**
* @param {Array | Discord.Collection} array
* @param {PaginateOptions} itemsOptions
* @returns {Array<Array<*>>}
*/
paginate: function(array, itemsOptions = { pagemax: 10, format: item => `\`${item.name.padEnd(24)}\`${item}` }) {
const { pagemax, format } = itemsOptions;
const paginated = module.exports.paginateRaw(array, pagemax);
return paginated.map(page => page.map(format).join('\n'));
},
//#endregion
//#region Temporizadores
/**
* Crea una promesa que dura la cantidad de milisegundos ingresados
* @param {Number} ms
* @returns {Promise<void>}
*/
sleep: function(ms) {
if(typeof ms !== 'number') throw 'Se esperaba un número de milisegundos durante el cuál esperar';
return new Promise(resolve => setTimeout(resolve, ms));
},
/**
* @param {Discord.GuildMember} miembro
* @param {Discord.TextChannel} canal
* @param {Number} rep
*/
askForRole: async function(miembro, canal, rep) {
const reps = 4;
console.log(chalk.cyan('Comprobando miembro nuevo en Saki Scans para petición de rol de color...'));
if(!canal.guild.members.cache.has(miembro.id)) {
console.log(chalk.red(`El miembro se fue del servidor. Abortando.`));
return canal.send({ content: `Se murió el wn de <@${miembro.user.id}> po <:mayuwu:1107843515385389128>` });
}
console.log(concol.orange('El miembro sigue en el servidor'));
const hasColor = module.exports.hasColorRole(miembro);
//Comprobación constante para ver si el miembro ya tiene roles de colores
if(hasColor) {
console.log(chalk.green(`El miembro ha recibido sus roles básicos.`));
canal.send({ content: `Weno **${miembro.user.username}**, ya teni tu rol, q esti bien po <:junky:1107847993484386304>` });
//Finalizar
return setTimeout(module.exports.finalizarHourai, 1000, miembro, canal);
}
if(rep > 0)
return setTimeout(module.exports.askForRole, 1000 * 60 / reps, miembro, canal, rep - 1);
if(!miembro.roles.cache.has('1107831054791876691')) {
console.log(chalk.magenta('El miembro está retenido.'));
global.hourai.warn++;
if(global.hourai.warn <= 6) {
if(global.hourai.warn <= 3)
canal.send({ content: `Oigan cabros, creo que a este qliao (<@${miembro.user.id}>) lo mató Hourai <:mayuwu:1107843515385389128> (${global.hourai.warn}/3 llamados)` });
setTimeout(module.exports.askForRole, 1000, miembro , canal, reps);
console.log(chalk.cyan(`Volviendo a esperar confirmación de miembro (${global.hourai.warn}/6)...`));
}
return;
}
console.log(chalk.yellow('El miembro no ha recibido roles básicos.'));
await canal.send({
content: `Oe <@${miembro.user.id}> conchetumare vai a elegir un rol o te empalo altoke? <:mayuwu:1107843515385389128>`,
files: [global.hourai.images.colors],
// @ts-ignore
components: [colorsRow],
});
setTimeout(module.exports.forceRole, 1000, miembro, canal, 2 * reps);
console.log(chalk.magentaBright(`Esperando comprobación final de miembro en unos minutos...`));
},
/**
*
* @param {Discord.GuildMember} miembro
* @param {Discord.TextChannel} canal
* @param {Number} rep
* @returns
*/
forceRole: function(miembro, canal, rep) {
const reps = 4;
console.log(chalk.cyan('Comprobando miembro nuevo en Saki Scans para forzado de rol de color'));
if(!canal.guild.members.cache.get(miembro.id))
return canal.send({ content: `Se fue cagando el <@${miembro?.user.id ?? 'nose'}> csm <:mayuwu:1107843515385389128>` }).catch(() => {});
console.log(concol.orange('El miembro sigue en el servidor'));
const hasColor = module.exports.hasColorRole(miembro);
if(hasColor) {
console.log(chalk.green('El miembro ya tiene los roles básicos.'));
canal.send({ content: `Al fin qliao ya teni tu rol. Q esti bien **${miembro.user.username}**, po <:uwu:681935702308552730>` }).catch(() => {});
//Finalizar
return setTimeout(module.exports.finalizarHourai, 1000, miembro, canal);
}
if(rep > 0) {
setTimeout(module.exports.forceRole, 1000 * 60 / reps, miembro, canal, rep - 1);
return;
}
try {
console.log(chalk.magentaBright('El miembro requiere roles básicos. Forzando roles...'));
const colores = global.hourai.colorsList.map(c => c.roleId);
canal.send({
content:
`**${miembro.user.username}**, cagaste altiro watón fome <:tenshiSmug:1108791369897607219>\n` +
`Toma un rol random po <:mayuwu:1107843515385389128> <:hr:797294230463840267>`,
files: [global.hourai.images.forcecolors]
});
miembro.roles.add(colores[Math.floor(Math.random() * 7)]);
console.log(chalk.greenBright('Roles forzados.'));
//Finalizar
setTimeout(module.exports.finalizarHourai, 1000, miembro, canal);
} catch(e) {
console.log(chalk.red('El miembro ya no tiene ningún rol básico.'));
console.error(e);
canal.send({ content: `Espérate qué weá pasó con **${miembro.user.username}** <:reibu:1107876018171162705>\nOh bueno, ya me aburrí... chao.` }).catch(() => {});
}
},
//#endregion
//#region Comprobadores
/**
* @param {Discord.GuildMember} member
*/
isNotModerator: (member) => !(member.permissions.has('ManageRoles') || member.permissions.has('ManageMessages')),
/**
* @param {Discord.User | Discord.GuildMember} user
*/
isUsageBanned: async function(user) {
const userCache = await fetchUserCache(user.id);
return userCache.banned;
},
/**@param {Discord.GuildMember} member*/
hasColorRole: function(member) {
return member?.roles?.cache?.hasAny(...global.hourai.colorsList.map(c => c.roleId));
},
/**@param {Discord.GuildMember} member*/
isBoosting: function(member) {
return member.roles.premiumSubscriberRole ? true : false;
},
/**
*
* @param {Discord.GuildBasedChannel} channel
* @returns {channel is Discord.AnyThreadChannel}
*/
isThread: function(channel) {
return [ ChannelType.PublicThread, ChannelType.PrivateThread, ChannelType.AnnouncementThread ].includes(channel.type);
},
/**@param {import('discord.js').GuildTextBasedChannel} channel*/
channelIsBlocked: function(channel) {
const member = channel?.guild?.members.me;
if(!member?.permissionsIn(channel)?.any?.([ 'SendMessages', 'SendMessagesInThreads' ], true)) return true;
if(global.maintenance.length === 0) return false;
return (global.maintenance.startsWith('!'))
? channel.id === global.maintenance.slice(1)
: channel.id !== global.maintenance;
},
//#endregion
//#region Anuncios
/**
*
* @param {Discord.GuildMember} miembro
* @param {Discord.TextChannel} canal
*/
finalizarHourai: function(miembro, canal) {
//Mensaje de fin de bienvenida
try {
canal.send({
content: [
//`Una última cosita ${miembro}, recuerda revisar el canal <#671817759268536320> en algún momento <:Junkoborga:751938096550903850>`,
//`También, si te interesa, puedes revisar los mensajes pinneados de este canal <:tenshipeacheems:854408293258493962>`,
`Okay, ya \'tamos ${miembro}, recuerda convivir adecuadamente con el resto <:comodowo:1107847983065747476>`,
'Si te interesa, puedes revisar los mensajes pinneados de este canal <:tenshiJuguito:1107843487891734588>',
'Y estate tranqui, que ya no vas a recibir tantos pings <:dormidowo:1108318689624866846>',
`Dicho esto, ¡disfruta el server po\'! Si quieres más roles, puedes usar \`${p_pure(global.serverid.saki).raw}roles\``,
].join('\n')
});
//Sugerir p!suicidio con 41% de probabilidad
if(Math.random() < 0.3)
setTimeout(() => {
canal.send({
content: `Por cierto, tenemos una tradición un poco más oscura. ¿Te atrevei a usar \`${p_pure(global.serverid.saki).raw}suicidio\`?`
});
}, 1000 * 5);
//Otorgar rol con 50% de probabilidad
const gr = canal.guild.roles.cache;
const role50 = gr.find(r => r.name.includes('Rol con 50% de probabilidades de tenerlo'));
if(role50 && Math.random() < 0.5)
miembro.roles.add(role50);
} catch(e) {
console.error(e);
}
},
/**
*
* @param {Discord.Guild} guild
*/
calculateRealMemberCount: async function(guild) {
const members = await guild.members.fetch().catch(_ => guild.members.cache);
return members.filter(member => !member.user.bot).size;
},
/**
* @typedef {Object} CanvasTextDrawAreaOptions
* @property {Canvas.CanvasTextAlign} [halign] Alineado horizontal del área de texto
* @property {Canvas.CanvasTextBaseline} [valign] Alineado vertical del área de texto
* @property {Number} [maxSize] Regula el tamaño de fuente para que el texto no se pase de la tamaño horizontal máximo indicado en pixeles
*/
/**
* @typedef {Object} CanvasTextDrawFillOptions
* @property {Boolean} [enabled] Habilita (`true`) o deshabilita (`false`) el relleno
* @property {Boolean} [onTop] Dibuja el relleno por encima (`true`) o por debajo (`false`) del contorno
* @property {String} [color] Color del relleno (hexadecimal con #)
*/
/**
* @typedef {Object} CanvasTextDrawStrokeOptions
* @property {Boolean} [widthAsFactor] Indica si tratar el valor de width como un factor del tamaño de fuente (`true`) o tratarlo como pixeles absolutos (`falso`)
* @property {Number} [width] Ancho de contorno. Se escribe en pixeles si `widthAsFactor` es `false`; de lo contrario, se escribe como un factor del tamaño de fuente
* @property {String} [color] Color del contorno (hexadecimal con #)
*/
/**
* @typedef {Object} CanvasTextDrawFontOptions
* @property {'headline'} [family] Tipografía
* @property {Number} [size] Tamaño de fuente
* @property {Array<'regular'|'bold'|'italic'|'underline'>} [styles] Estilos de fuente
*/
/**
* @typedef {Object} CanvasTextDrawOptions
* @property {CanvasTextDrawAreaOptions} [area] Por defecto: `halign: 'center'` `valign: 'middle'`
* @property {CanvasTextDrawFillOptions} [fill] Por defecto: `enabled: true` `onTop: true` `color: '#ffffff'`
* @property {CanvasTextDrawStrokeOptions} [stroke] Por defecto: `widthAsFactor: false` `width: 0px` `color: '#000000'`
* @property {CanvasTextDrawFontOptions} [font] Por defecto: `family: 'headline'` `size: 12px` `styles: [ 'regular' ]`
*/
/**
* Dibuja un avatar circular con Node Canvas
* @param {import('canvas').CanvasRenderingContext2D} ctx El Canvas context2D utilizado
* @param {Number} x La posición X del origen del texto
* @param {Number} y La posición Y del origen del texto
* @param {String} text El usuario del cual dibujar la foto de perfil
* @param {CanvasTextDrawOptions} options Opciones de renderizado de texto
* @returns {void}
*/
drawText: function(ctx, x, y, text, options = {}) {
//#region Parámetros opcionales
options.area ??= {};
options.area.halign ??= 'left';
options.area.valign ??= 'top';
options.area.maxSize ??= ctx.canvas.width;
options.fill ??= {};
options.fill.enabled ??= true;
options.fill.onTop ??= true;
options.fill.color ??= '#ffffff';
options.stroke ??= {};
options.stroke.widthAsFactor ??= false;
options.stroke.width ??= 0;
options.stroke.color ??= '#000000';
options.font ??= {};
options.font.family ??= 'headline';
options.font.size ??= 12;
options.font.styles ??= [ 'regular' ];
//#endregion
const { halign, valign, maxSize } = options.area;
const { enabled: fillEnabled, onTop: fillOnTop, color: fillColor } = options.fill;
const { color: strokeColor, width: strokeWidth, widthAsFactor: strokeWidthAsFactor } = options.stroke;
const { family: fontFamily, size: fontSize, styles: fontStyles } = options.font;
ctx.textAlign = halign;
ctx.textBaseline = valign;
const dynamicStepSize = 2;
let dynamicFontSize = fontSize + dynamicStepSize;
do ctx.font = `${fontStyles.join(' ')} ${dynamicFontSize -= dynamicStepSize}px "${fontFamily}"`;
while(ctx.measureText(text).width > maxSize);
const fill = () => {
ctx.fillStyle = fillColor;
ctx.fillText(text, x, y);
};
const stroke = () => {
ctx.lineWidth = Math.ceil(strokeWidthAsFactor ? Math.ceil(fontSize * strokeWidth) : strokeWidth);
ctx.strokeStyle = strokeColor;
ctx.strokeText(text, x, y);
};
if(fillEnabled && !fillOnTop)
fill();
if(strokeWidth > 0)
stroke();
if(fillEnabled && fillOnTop)
fill();
},
/**
* @typedef {Object} CanvasAvatarDrawOptions
* @property {String} [circleStrokeColor]
* @property {Number} [circleStrokeFactor]
*/
/**
* Dibuja un avatar circular con Node Canvas
* @param {import('canvas').CanvasRenderingContext2D} ctx El Canvas context2D utilizado
* @param {Discord.User} user El usuario del cual dibujar la foto de perfil
* @param {Number} xcenter La posición X del centro del círculo
* @param {Number} ycenter La posición Y del centro del círculo
* @param {Number} radius El radio del círculo
* @param {CanvasAvatarDrawOptions} options
* @returns {Promise<void>}
*/
drawCircularImage: async function(ctx, user, xcenter, ycenter, radius, options = {}) {
options.circleStrokeColor ??= '#000000';
options.circleStrokeFactor ??= 0.02;
//Fondo
ctx.fillStyle = '#36393f';
ctx.arc(xcenter, ycenter, radius, 0, Math.PI * 2, true);
ctx.fill();
//Foto de perfil
ctx.strokeStyle = options.circleStrokeColor;
ctx.lineWidth = radius * 0.33 * options.circleStrokeFactor;
ctx.arc(xcenter, ycenter, radius + ctx.lineWidth, 0, Math.PI * 2, true);
ctx.stroke();
ctx.save();
ctx.beginPath();
ctx.arc(xcenter, ycenter, radius, 0, Math.PI * 2, true);
ctx.closePath();
ctx.clip();
const avatar = await Canvas.loadImage(user.displayAvatarURL({ extension: 'png', size: 1024 }));
ctx.drawImage(avatar, xcenter - radius, ycenter - radius, radius * 2, radius * 2);
ctx.restore();
},
/**
*
* @param {Discord.GuildMember} member
* @param {Boolean} forceSaki
*/
dibujarBienvenida: async function(member, forceSaki = false) {
//Dar bienvenida a un miembro nuevo de un servidor
const guild = member.guild; //Servidor
const channel = guild.systemChannel; //Canal de mensajes de sistema
//#region Comprobación de miembro y servidor
if(guild.systemChannel == null) {
console.log(chalk.blue('El servidor no tiene canal de mensajes de sistema.'));
guild.fetchOwner().then(ow => ow.user.send({
content:
'¡Hola, soy Bot de Puré!\n' +
`¡Un nuevo miembro, **${member} (${member.user.username} / ${member.id})**, ha entrado a tu servidor **${guild.name}**!\n\n` +
'*Si deseas que envíe una bienvenida a los miembros nuevos en lugar de enviarte un mensaje privado, selecciona un canal de mensajes de sistema en tu servidor.*\n' +
'-# Nota: Bot de Puré no opera con mensajes privados.'
}));
return;
}
if(!guild.members.me.permissionsIn(channel).has([ 'SendMessages', 'ViewChannel' ]))
return;
console.log(concol.purple`Un usuario ha entrado a ${guild.name}...`);
//#endregion
await channel.sendTyping();
if(forceSaki || guild.id === global.serverid.saki)
module.exports.drawWelcomeSaki(member, { force: forceSaki });
else
module.exports.drawWelcomeStandard(member);
},
/**
*
* @param {Discord.GuildMember} member
*/
drawWelcomeStandard: async function(member) {
const { guild, user, displayName } = member;
const channel = guild.systemChannel;
try {
//Creación de imagen
const canvas = Canvas.createCanvas(1275, 825);
const ctx = canvas.getContext('2d');
const fondo = await Canvas.loadImage(images.announcements.welcome);
ctx.drawImage(fondo, 0, 0, canvas.width, canvas.height);
//#region Texto
//#region Propiedades Básicas de texto
const strokeFactor = 0.09;
const maxSize = canvas.width * 0.9;
const vmargin = 15;
/**@type {CanvasTextDrawStrokeOptions}*/
const defaultStroke = {
widthAsFactor: true,
width: strokeFactor,
color: '#000000',
};
/**@type {CanvasTextDrawFontOptions}*/
const defaultFont = {
family: 'headline',
size: 100,
styles: [ 'bold' ],
};
//#endregion
//Nombre del miembro
module.exports.drawText(ctx, canvas.width / 2, vmargin, `${displayName}`, {
area: { halign: 'center', valign: 'top', maxSize },
stroke: defaultStroke,
font: defaultFont,
});
//Complemento encima del Nombre de Servidor
module.exports.drawText(ctx, canvas.width / 2, canvas.height - 105 - vmargin, '¡Bienvenid@ a', {
area: { halign: 'center', valign: 'bottom', maxSize },
stroke: { ...defaultStroke, width: 56 * strokeFactor },
font: { ...defaultFont, size: 56 },
});
//Nombre de Servidor
module.exports.drawText(ctx, canvas.width / 2, canvas.height - vmargin, `${guild.name}!`, {
area: { halign: 'center', valign: 'bottom', maxSize },
stroke: defaultStroke,
font: defaultFont,
});
//#endregion
//Foto de perfil
await module.exports.drawCircularImage(ctx, user, canvas.width / 2, (canvas.height - 56) / 2, 200, { circleStrokeFactor: strokeFactor });
const imagen = new Discord.AttachmentBuilder(canvas.toBuffer(), { name: 'bienvenida.png' });
const [ peoplecnt ] = await Promise.all([
this.calculateRealMemberCount(guild),
channel.send({ files: [imagen] }),
]);
return channel.send({
content:
`¡Bienvenido al servidor **${displayName}**!\n` +
`-# Ahora hay **${peoplecnt}** usuarios en el server.`
});
} catch(err) {
console.log(chalk.redBright.bold('Error de bienvenida genérica'));
console.error(err);
}
},
/**
* @typedef {Object} SakiWelcomeDrawOptions
* @property {Boolean} [force]
*/
/**
*
* @param {Discord.GuildMember} member
* @param {SakiWelcomeDrawOptions} [options]
*/
drawWelcomeSaki: async function(member, options = {}) {
options.force ??= false;
const saki = (await Hourai.findOne()) || new Hourai();
//@ts-expect-error
if(!options.force && saki.configs?.bienvenida == false)
return;
const { guild, user, displayName } = member;
const channel = guild.systemChannel;
try {
//Creación de imagen
const canvas = Canvas.createCanvas(1366, 768);
const ctx = canvas.getContext('2d');
const fondo = await Canvas.loadImage(global.hourai.images.welcome);
ctx.drawImage(fondo, 0, 0, canvas.width, canvas.height);
//#region Texto
//#region Propiedades Básicas de texto
const strokeFactor = 0.09;
const maxSize = canvas.width * 0.6;
const vmargin = 15;
/**@type {CanvasTextDrawStrokeOptions}*/
const defaultStroke = {
widthAsFactor: true,
width: strokeFactor,
color: '#000000',
};
/**@type {CanvasTextDrawFontOptions}*/
const defaultFont = {
family: 'headline',
size: 100,
styles: [ 'bold' ],
};
//#endregion
//Nombre del miembro
module.exports.drawText(ctx, canvas.width * 0.5, vmargin, `${displayName}`, {
area: { halign: 'center', valign: 'top', maxSize },
stroke: defaultStroke,
font: defaultFont,
});
const xcenterGuild = canvas.width * 0.5;
//Complemento encima del Nombre de Servidor
module.exports.drawText(ctx, xcenterGuild, canvas.height - 105 - vmargin, '¡Bienvenid@ a', {
area: { halign: 'center', valign: 'bottom', maxSize },
stroke: defaultStroke,
font: { ...defaultFont, size: 56 },
});
//Nombre de Servidor
module.exports.drawText(ctx, xcenterGuild, canvas.height - vmargin, `${guild.name}!`, {
area: { halign: 'center', valign: 'bottom', maxSize },
stroke: defaultStroke,
font: defaultFont,
});
//#endregion
//Foto de perfil
await module.exports.drawCircularImage(ctx, user, canvas.width * 0.5, (canvas.height - 56) * 0.5, 200, { circleStrokeFactor: strokeFactor * 0.75 });
const imagen = new Discord.AttachmentBuilder(canvas.toBuffer(), { name: 'bienvenida.png' });
const [ peoplecnt ] = await Promise.all([
this.calculateRealMemberCount(guild),
channel.send({ files: [imagen] }),
]);
const toSend = [
`Wena po <@${user.id}> conchetumare, como estai.`,
'Como tradición, elige un color con el menú de abajo <:mayuwu:1107843515385389128>',
'-# Nota: si no lo haces, lo haré por ti, por aweonao <:junkNo:1107847991580164106>',
];
//@ts-expect-error
if(saki.configs?.pingBienvenida)
toSend.push('<@&1107831054791876694>, vengan a saludar po maricones <:hl:797294230359375912><:miyoi:1107848008005062727><:hr:797294230463840267>');
toSend.push(`*Por cierto, ahora hay **${peoplecnt}** wnes en el server* <:meguSmile:1107880958981587004>`);
toSend.push(global.hourai.images.colors);
saki.save().catch(_ => undefined);
return channel.send({
content: toSend.join('\n'),
components: [colorsRow],
}).then(sent => {
setTimeout(module.exports.askForRole, 1000, member, channel, 3 * 4);
console.log('Esperando evento personalizado de Saki Scans en unos minutos...');
return sent;
});
} catch(err) {
console.log(chalk.redBright.bold('Error de bienvenida de Saki Scans'));
console.error(err);
}
},
/**
*
* @param {Discord.GuildMember} miembro
* @returns
*/
dibujarDespedida: async function(miembro) {
//Dar despedida a ex-miembros de un servidor
const servidor = miembro.guild;
const canal = servidor.systemChannel;
//#region Comprobación de miembro y servidor
if(!canal) {
console.log('El servidor no tiene canal de mensajes de sistema.');
return;
}
console.log(`Un usuario ha salido de ${servidor.name}...`);
if(!servidor.members.me.permissionsIn(canal).has(['SendMessages', 'ViewChannel'])) {
console.log('No se puede enviar un mensaje de despedida en este canal.');
return;
}
canal.sendTyping();
//#endregion
try {
//#region Creación de imagen
const canvas = Canvas.createCanvas(1500, 900);
const ctx = canvas.getContext('2d');
const fondo = await Canvas.loadImage(images.announcements.farewell);
ctx.drawImage(fondo, 0, 0, canvas.width, canvas.height);
//#endregion
//#region Texto
//#region Propiedades de Texto
const strokeFactor = 0.09;
ctx.fillStyle = '#ffffff';
ctx.strokeStyle = '#000000';
//#endregion
//#region Nombre del usuario
ctx.textBaseline = 'bottom';
ctx.textAlign = 'center';
const xcenter = canvas.width / 2;
let Texto = `Adiós, ${miembro.displayName}`;
let fontSize = 90;
ctx.font = `bold ${fontSize}px "headline"`;
ctx.lineWidth = Math.ceil(fontSize * strokeFactor);
ctx.strokeText(Texto, xcenter, canvas.height - 40);
ctx.fillText(Texto, xcenter, canvas.height - 40);
//#endregion
//#endregion
await module.exports.drawCircularImage(ctx, miembro.user, canvas.width / 2, 80 + 200, 200, { circleStrokeFactor: strokeFactor });
//#region Imagen y Mensaje extra
const imagen = new Discord.AttachmentBuilder(canvas.toBuffer(), { name: 'despedida.png' });
const members = await servidor.members.fetch().catch(_ => servidor.members.cache);
const peoplecnt = members.filter(member => !member.user.bot).size;
if(servidor.id === global.serverid.saki) {
const hourai = await Hourai.findOne() || new Hourai();
//@ts-expect-error
if(hourai.configs?.despedida == false)
return;
await canal.send({ files: [imagen] });
await canal.send({
content:
'Nooooo po csm, perdimo otro weón <:meguDerp:1107848004775465032>\n' +
`*Ahora quedan **${peoplecnt}** aweonaos en el server.*`
});
hourai.save().catch(_ => undefined);
} else { //Otros servidores
await canal.send({ files: [imagen] });
await canal.send({ content: `*Ahora hay **${peoplecnt}** usuarios en el server.*`});
}
//#endregion
console.log('Despedida finalizada.');
} catch(err) {
console.log(chalk.redBright.bold('Error de despedida'));
console.error(err);
}
},
//#endregion
//#region Fetch
/**
* Extrae una ID de usuario de una mención
* @param {String} data
* @returns {String}
*/
extractUserID(data) {
if(data.startsWith('<@') && data.endsWith('>')) {
data = data.slice(2, -1);
if(data.startsWith('!')) data = data.slice(1);
}
return data;
},
/**
* @typedef {Object} FetchUserContext
* @property {Discord.Guild} [guild] La guild de la que se quiere obtener un mensaje
* @property {Discord.Client} [client] El canal del que se quiere obtener un mensaje
*/
/**
* Busca un usuario basado en la data ingresada.
* Devuelve el usuario que más coincide con el término de búsqueda y contexto actual (si se encuentra alguno). Si no se encuentra ningún usuario, se devuelve undefined.
* @param {Discord.User | String} data
* @param {FetchUserContext} context
* @returns { Discord.User }
*/
fetchUser: function(data, context) {
if(!data || !context) return;
let { guild, client } = context;
if(!guild || !client) throw 'Se requiere la guild actual y el cliente en búsqueda de usuario';
if(typeof data !== 'string')
return data.username ? data : undefined;
const uc = client.users.cache;
//Descifrar posible mención
data = module.exports.extractUserID(data);
//Prioridad 1: Intentar encontrar por ID
if(!isNaN(+data)) return uc.find(u => u.id === data);
//Prioridad 2: Intentar encontrar por tag
data = data.toLowerCase();
const taggeduser = uc.find(u => u.tag.toLowerCase() === data);
if(taggeduser) return taggeduser;
//Prioridad 3: Intentar encontrar por nombre de usuario en guild actual
const cmpnames = (a, b) => (a.toLowerCase().indexOf(data) <= b.toLowerCase().indexOf(data) && a.length <= b.length);
/**@type {*}*/
let people = guild.members.cache.map(m => m.user).filter(u => u.username.toLowerCase().indexOf(data) !== -1);
if(people.length)
return people
.sort()
.reduce((a, b) => cmpnames(a.username, b.username)?a:b);
//Prioridad 4: Intentar encontrar por apodo en guild actual
people = guild.members.cache.filter(m => m.nickname && m.nickname.toLowerCase().indexOf(data) !== -1);
if(people.size)
return people
.sort()
.reduce((a, b) => cmpnames(a.nickname, b.nickname) ? a : b)
.user;
//Prioridad 5: Intentar encontrar por nombre de usuario en cualquier guild
people = uc.filter(u => u.username.toLowerCase().indexOf(data) !== -1);
if(people.size)
return people
.sort()
.reduce((a, b) => cmpnames(a.username, b.username) ? a : b);
//Búsqueda sin resultados
return undefined;
},
/**
* Busca un usuario basado en la data ingresada.
* Devuelve el usuario que más coincide con el término de búsqueda y contexto actual (si se encuentra alguno). Si no se encuentra ningún usuario, se devuelve undefined.
* @param {Discord.GuildMember | String} data
* @param {FetchUserContext} context
* @returns { Discord.GuildMember }
*/
fetchMember: function(data, context) {
if(!data || !context) return;
let { guild: thisGuild, client } = context;
if(!thisGuild || !client) throw 'Se requiere la guild actual y el cliente en búsqueda de miembro';
if(typeof data !== 'string')
return data.user?.username ? data : undefined;
// console.time('Buscar miembro');
const otherGuilds = client.guilds.cache.filter(g => g.id !== thisGuild.id);
data = module.exports.extractUserID(data);
//Prioridad 1: Intentar encontrar por ID o tag
let searchFn = (m) => m.id === data
if(isNaN(+data)) {
data = data.toLowerCase();
searchFn = (m) => m.tag.toLowerCase();
}
let member = thisGuild.members.cache.find(m => m.id === data);
if(member) return member;
member = otherGuilds.map(guild => guild.members.cache.find(m => m.id === data)).find(m => m);
if(member) return member;
//Prioridad 3: Intentar encontrar por nombre de usuario en guild actual
const compareNames = (a, b) => (a.toLowerCase().indexOf(data) <= b.toLowerCase().indexOf(data) && a.length <= b.length);
{
const people = thisGuild.members.cache.filter(m => m.user.username.toLowerCase().indexOf(data) !== -1);
if(people.size)
return people
.sort()
.reduce((a, b) => compareNames(a.user.username, b.user.username) ? a : b);
}
//Prioridad 4: Intentar encontrar por apodo en guild actual
{
const people = thisGuild.members.cache.filter(m => m.nickname && m.nickname.toLowerCase().indexOf(data) !== -1);
if(people.size)
return people
.sort()
.reduce((a, b) => compareNames(a.nickname, b.nickname) ? a : b);
}
//Prioridad 5: Intentar encontrar por nombre de usuario en cualquier guild
{
const people = otherGuilds.map(guild => guild.members.cache.find(m => m.user.username.toLowerCase().indexOf(data) !== -1)).filter(m => m);
if(people.length)
return people
.sort()
.reduce((a, b) => compareNames(a.user.username, b.user.username) ? a : b);
}
// console.timeEnd('Buscar miembro');
//Búsqueda sin resultados
return undefined;
},
/**
* Busca un usuario basado en la data ingresada.
* Devuelve la ID del usuario que más coincide con el término de búsqueda y contexto actual (si se encuentra alguno). Si no se encuentra ningún usuario, se devuelve undefined.
* @param {String} data
* @param {FetchUserContext} context
* @returns {String}
*/
fetchUserID: function(data, context) {
const user = module.exports.fetchUser(data, context);
return (user === undefined) ? undefined : user.id;
},
/**
* Busca un canal basado en la data ingresada.
* Devuelve el canal que coincide con el término de búsqueda y contexto actual (si se encuentra alguno). Si no se encuentra ningún canal, se devuelve undefined.
* @param {String} data
* @param {Discord.Guild} guild
* @returns {Discord.GuildBasedChannel}
*/
fetchChannel: function(data, guild) {
if(typeof data !== 'string' || !data.length) return;
const ccache = guild.channels.cache;
if(data.startsWith('<#') && data.endsWith('>'))
data = data.slice(2, -1);
const channel = ccache.get(data) || ccache.filter(c => [ ChannelType.GuildText, ChannelType.GuildVoice ].includes(c.type)).find(c => c.name.toLowerCase().includes(data));
if(!channel)
return;
if(![ ChannelType.GuildText, ChannelType.GuildVoice ].includes(channel.type))
return;
return channel;
},
/**
* @typedef {Object} FetchMessageContext
* @property {Discord.Guild} [guild] La guild de la que se quiere obtener un mensaje
* @property {Discord.GuildTextBasedChannel} [channel] El canal del que se quiere obtener un mensaje
*/
/**
* Busca un mensaje basado en la data ingresada.
* Devuelve el mensaje que coincide con el término de búsqueda y contexto actual (si se encuentra alguno). Si no se encuentra ningún canal, se devuelve undefined.
* @param {String} data
* @param {FetchMessageContext} context
* @returns {Promise<Discord.Message>}
*/
fetchMessage: async function(data, context = {}) {
if(typeof data !== 'string' || !data.length) return;
const acceptedChannelTypes = [
ChannelType.GuildText,
ChannelType.GuildVoice,
ChannelType.PublicThread,
ChannelType.PrivateThread,
ChannelType.AnnouncementThread,
];
if(!acceptedChannelTypes.includes(context.channel?.type))
return;
const messages = context.channel?.messages;
const matchedUrl = data.match(/https:\/\/discord.com\/channels\/\d+\/\d+\/(\d+)/);
const messageId = matchedUrl ? matchedUrl[1] : data;
let message = messages.cache.get(messageId) || await messages.fetch(messageId).catch(_ => _);
if(!message?.channel) return;
if(!acceptedChannelTypes.includes(message.channel.type)) return;
return message;
},
/**
* Busca un canal basado en la data ingresada.
* Devuelve el canal que coincide con el término de búsqueda y contexto actual (si se encuentra alguno). Si no se encuentra ningún canal, se devuelve undefined.
* @param {String} data
* @param {Discord.Guild} guild
* @returns {Discord.Role}
*/
fetchRole: function(data, guild) {
if(typeof data !== 'string' || !data.length) return;
const rcache = guild.roles.cache;
if(data.startsWith('<@&') && data.endsWith('>'))
data = data.slice(3, -1);
const role = rcache.get(data) || rcache.filter(r => r.name !== '@everyone').find(r => r.name.toLowerCase().includes(data));
if(!role) return;
return role;
},
/**
* @deprecated
* @param {Discord.Collection<Discord.Snowflake, Discord.Emoji>} emojiscache
* @returns {[ Discord.Emoji, Discord.Emoji ]}
*/
fetchArrows: (emojiscache) => [emojiscache.get('681963688361590897'), emojiscache.get('681963688411922460')],
/**
* @deprecated
* @param {Array<String>} args
* @param {{
* property: Boolean
* short: Array<String>
* long: Array<String>
* callback: *
* fallback: *
* }} flag
*/
fetchFlag: function(args, flag = { property: undefined, short: [], long: [], callback: undefined, fallback: undefined }) {
//Ahorrarse procesamiento en vano si no se ingresa nada
if(!args.length) return typeof flag.fallback === 'function' ? flag.fallback() : flag.fallback;
let target; //Retorno. Devuelve callback si se ingresa la flag buscada de forma válida, o fallback si no
const isFunc = (typeof flag.callback === 'function');
if(!isFunc) {
if(flag.property)
throw TypeError('Las flags de propiedad deben llamar una función.');
const temp = flag.callback;
flag.callback = () => { return temp; }
}
//Recorrer parámetros e intentar procesar flags
args.forEach((arg, i) => {
if(flag.property && i === (args.length - 1))
return;
arg = arg.toLowerCase();
if(flag.long?.length && arg.startsWith('--')) {
if(flag.long.includes(arg.slice(2))) {
target = flag.property
? flag.callback(args, i + 1)
: flag.callback();
args.splice(i, flag.property?2:1);
}
return;
}
if(!flag.short?.length || !arg.startsWith('-'))
return;
for(const c of arg.slice(1)) {
if(!flag.short.includes(c))
continue;
target = flag.property
? flag.callback(args, i + 1)
: flag.callback();
if(arg.length <= 2) {
args.splice(i, flag.property ? 2 : 1);
continue;
}
const charactersToRemove = new RegExp(c, 'g')
let temp = args.splice(i, flag.property ? 2 : 1);
args.push(temp[0].replace(charactersToRemove, ''));