-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathapp.js
2677 lines (2156 loc) · 105 KB
/
app.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
// aggiunge un metodo globale per poter richiedere i moduli dalla root
addRequireFromRoot();
// configurazione di sviluppo
const dotenv = require('dotenv').config();
// corelib per le api di telegram
const { Telegraf, Markup } = require('telegraf');
// estensione per poter leggere eventuali parametri ai comanti
const commandParts = require('telegraf-command-parts');
// modulo per gestire i file
const fs = require('fs');
// modulo per crittografare stringhe
const Cryptr = require('cryptr');
// modulo per gestire i numeri
const BigNumber = require('bignumber.js');
// modulo per gestire le traduzioni delle label
const Lexicon = require('./modules/lexicon');
// modulo per gestire le operazioni di salvataggio e caricamento dati dal DB
const storage = require('./modules/storage');
// modulo con vari metodi di utilità
const utils = require('./modules/utils');
// modulo per gestire i markup per i messaggi con bottoni
const markup = require('./modules/markup');
// modulo per gestire il drop degli oggetti
const items = require('./modules/items');
// modulo per schedulare eventi nel tempo
const scheduler = require('./modules/scheduler');
// modulo per gestire l'evento del mostro
const monsters = require('./modules/monsters');
// modulo per gestire l'evento del dungeon
const dungeons = require('./modules/dungeon');
// modulo per gestire l'evento dei riddles
const riddles = require('./modules/riddles');
// modulo per gestire i messaggi
//const messages = require('./modules/messages');
// modulo per gestire la parte web site
const site = require('./modules/site');
// istanza del bot
var bot = null;
// timestamp dell'avvio del bot
var startupDate = 0;
// istanza per crittografare
const cryptr = new Cryptr(process.env['cryptrkey']);
/**
* Connessione alle API telegram per gestire il bot
*/
function connectTelegramAPI(){
return new Promise(ok => {
bot = new Telegraf(process.env["accessToken"]);
console.log("> Telegram connected");
setBotMiddlewares();
setBotCommands();
setBotActions();
setBotEvents();
ok();
});
}
/**
* Connessione al mongodb
*/
function connectMongoDB(){
return new Promise(ok => {
storage.connectMongoDB(process.env['mongodb']).then(ok);
});
}
/**
* Assegnazione ed inizializzazione routing pagine web del bot
*/
function startSite(){
return new Promise(ok => {
site.on('dungeon', {
get: function(params, route){
console.log('site::dungeon');
return {
chatId: params.chatId,
userId: params.userId,
dungeonEnabled: true
};
}
});
site.on('leaderboard', {
get: function(params, route){
console.log('site::leaderboard');
return {
chatId: params.chatId
};
}
});
site.on('mystats', {
get: function(params, route){
var chatId = cryptr.decrypt(params.chatId);
var userId = cryptr.decrypt(params.userId);
var user = storage.getUser(userId);
var chat = storage.getChat(chatId);
var userStats = user.chats[chatId];
var lexicon = Lexicon.lang('en');
var ctx = { state: { lexicon: lexicon, mexData: { chatId: chatId } } };
if (!user) return false;
if (!userStats) return false;
var templateData = {
username: user.username,
chatId: params.chatId,
userId: params.userId,
penalityLevel: userStats.penality.level // ['🟢','🟡','🟠','🔴','❌']
};
var getStatsData = function(){
var data = {
hasExp: BigNumber(userStats.exp).isGreaterThan(0),
hasLevel: BigNumber(userStats.level).isGreaterThan(0),
hasPrestige: BigNumber(userStats.prestige).isGreaterThan(0),
exp: utils.formatNumber(userStats.exp, 6),
level: utils.formatNumber(utils.toFloor(userStats.level), 0),
prestige: utils.formatNumber(userStats.prestige, 0),
prestigeAvailable: userStats.prestigeAvailable,
expPerMessage: utils.formatNumber(calcUserExpGain(ctx, user, 1, true)),
prestigeBonus: utils.formatNumber(utils.calcExpGain(userStats.prestige).minus(1).multipliedBy(100), 0),
itemsBuff: []
};
// non è stata ancora raccolto alcuna statistica ed interrompe il comando
if (BigNumber(userStats.exp).isEqualTo(0)
&& BigNumber(userStats.level).isEqualTo(0)
&& BigNumber(userStats.prestige).isEqualTo(0)) {}
else {
data.hasStats = true;
}
// aggiunge il bonus degli oggetti raccattati
if (Object.keys(userStats.items).length){
var itemsBuff = items.getItemsBuff(userStats.items);
utils.each(itemsBuff, function(target, value){
var buff = value - 1;
if (buff === 0) return;
data.itemsBuff.push({
target: lexicon.get('ITEMS_LIST_TARGET_' + target.toUpperCase()),
value: (buff >= 0 ? '+' : '') + (buff * 100).toFixed(2) + '%'
});
});
}
// aggiunge il conteggio del numero di challenges vinte e perse
if (userStats.challengeWonTotal || userStats.challengeLostTotal) {
data.hasChallenges = true;
data.challengesWon = userStats.challengeWonTotal;
data.challengesLost = userStats.challengeLostTotal;
data.challengesRateo = (Number(userStats.challengeWonTotal) / (Number(userStats.challengeLostTotal) || 1)).toFixed(2);
}
// aggiunge la chance di drop
var chatItemsBuff = items.getItemsBuff(chat.items);
var dropCooldownTime = (60 * 60 * 8) * chatItemsBuff.drop_cd;
data.drop = {
cooldownTime: userStats.lastItemDate + dropCooldownTime - (Date.now() / 1000),
cooldownActive: userStats.lastItemDate + dropCooldownTime >= (Date.now() / 1000),
chance: ((0.015 + userStats.itemsDropGrow) * chatItemsBuff.drop_chance).toFixed(4)
};
// aggiunge il livello massimo raggiunto
if (BigNumber(userStats.levelReached).isGreaterThan(0)) {
data.maxLevelReached = utils.formatNumber(utils.toFloor(userStats.levelReached), 0);
}
var levelDiff = BigNumber(userStats.level).minus(utils.toFloor(userStats.level));
levelDiff = Number(levelDiff.valueOf());
var prestigeDiff = BigNumber(userStats.exp).dividedBy(utils.calcNextPrestigeLevel(userStats.prestige));
prestigeDiff = Number(prestigeDiff.valueOf());
data.progress = {
levelVisible: BigNumber(userStats.level).isGreaterThan(0),
levelPercent: (levelDiff * 100).toFixed(0),
levelExpRequired: utils.calcExpFromLevel(BigNumber(utils.toFloor(userStats.level)).plus(1)).minus(userStats.exp).toFixed(2),
prestigeVisible: BigNumber(userStats.prestige).isGreaterThan(0),
prestigePercent: (prestigeDiff * 100).toFixed(0),
prestigeExpRequired: utils.calcNextPrestigeLevel(userStats.prestige).minus(userStats.exp).toFixed(2)
};
return data;
};
var getItemsData = function(){
var data = {
hasItems: !!Object.keys(userStats.items).length,
group: {}
};
if (data.hasItems){
var itemsBuff = items.getItemsBuff(userStats.items);
utils.each(userStats.items, function(key, value){
var item = items.get(key);
var buff = itemsBuff[item.target] - 1;
if (!data.group[item.target]){
data.group[item.target] = {
label: lexicon.get('ITEMS_LIST_TARGETLONG_' + item.target.toUpperCase()),
buff: (buff >= 0 ? '+' : '') + (buff * 100).toFixed(2) + '%',
list: []
};
}
data.group[item.target].list.push({
rarityicon: items.getItemRarityIcon(key),
title: lexicon.get('ITEMS_TITLE_' + key),
// description: lexicon.get('ITEMS_DESCRIPTION_' + key),
buff: items.getItemBuffText(item),
quantity: item.timeout ? null : value,
timeout: item.timeout ? (value + ( 60 * 60 * item.timeout) - (Date.now() / 1000)) : null,
});
});
} else {
// aggiunge il titolo
//text = lexicon.get('ITEMS_LIST_NOITEMS', { username: user.username })
}
return data;
};
templateData.stats = getStatsData();
templateData.items = getItemsData();
return templateData;
}
});
site.on('chatstats', {
get: function(params, route){
var chatId = cryptr.decrypt(params.chatId);
var chat = storage.getChat(chatId);
var lexicon = Lexicon.lang('en');
var ctx = { state: { lexicon: lexicon, mexData: { chatId: chatId } } };
var templateData = {
title: chat.title
};
var getInfoData = function(){
var data = {
settings: [
{ value: chat.settings.notifyPenality, target: lexicon.get('SETTINGS_NOTIFY_PENALITY', { icon: '' }) },
{ value: chat.settings.notifyUserLevelup, target: lexicon.get('SETTINGS_NOTIFY_LEVELUP', { icon: '' }) },
{ value: chat.settings.notifyUserPrestige, target: lexicon.get('SETTINGS_NOTIFY_PRESTIGE_AVAILABLE', { icon: '' }) },
{ value: chat.settings.notifyUserPickupItem, target: lexicon.get('SETTINGS_NOTIFY_ITEM_PICKUP', { icon: '' }) },
{ value: chat.settings.monsterEvent, target: lexicon.get('SETTINGS_EVENT_MONSTER', { icon: '' }) },
{ value: chat.settings.dungeonEvent, target: lexicon.get('SETTINGS_EVENT_DUNGEON', { icon: '' }) },
{ value: chat.settings.riddlesEvent, target: lexicon.get('SETTINGS_EVENT_RIDDLES', { icon: '' }) }
],
items: [],
};
// dati del mostro
var monster = monsters.getMonster(chatId);
if (monster) {
var healthDiff = BigNumber(monster.health).dividedBy(monster.healthMax);
healthDiff = Number(healthDiff.valueOf());
data.monsterActive = true;
data.monsterData = {
timeLimit: monster.timeLimit - (Date.now() / 1000),
icon: monster.icon,
level: monster.level + 1,
health: utils.formatNumber(monster.health),
healthmax: utils.formatNumber(monster.healthMax),
healthPercentage: (healthDiff * 100).toFixed(0),
}
}
data.hasMonsterHistory = (chat.monsterDefeated + chat.monsterEscaped) > 0;
data.monsterDefeated = chat.monsterDefeated;
data.monsterEscaped = chat.monsterEscaped;
// aggiunge l'elenco degli items/effetti attivi della chat
data.hasItems = Object.keys(chat.items).length > 0;
if (data.hasItems){
utils.each(chat.items, function(key, value){
var item = items.get(key);
data.items.push({
//rarityicon: items.getItemRarityIcon(key),
target: lexicon.get('ITEMS_LIST_TARGETLONG_' + item.target.toUpperCase()),
title: lexicon.get('ITEMS_TITLE_' + key),
// description: lexicon.get('ITEMS_DESCRIPTION_' + key),
buff: items.getItemBuffText(item),
//quantity: item.timeout ? null : value,
timeout: item.timeout ? (value + ( 60 * 60 * item.timeout) - (Date.now() / 1000)) : null,
});
});
}
return data;
};
var getUsersData = function(){
var data = {
list : []
};
storage.eachUsers(function(user){
if (user.chats[chatId]) {
let userStats = user.chats[chatId];
data.list.push({
chatId: cryptr.encrypt(chatId),
id: cryptr.encrypt(user.id),
username: user.username,
//hasExp: BigNumber(userStats.exp).isGreaterThan(0),
hasLevel: BigNumber(userStats.level).isGreaterThan(0),
hasPrestige: BigNumber(userStats.prestige).isGreaterThan(0),
//exp: utils.formatNumber(userStats.exp, 0),
level: utils.formatNumber(utils.toFloor(userStats.level), 0),
prestige: utils.formatNumber(userStats.prestige, 0),
prestigeAvailable: userStats.prestigeAvailable,
});
}
});
return data;
};
templateData.info = getInfoData();
templateData.users = getUsersData();
return templateData;
},
post: function(){
}
});
site.init(process.env['siteport'])
.then(() => {
console.log("> WEB Site started");
ok();
});
});
}
/**
* Assegnazione degli eventi dello scheduler
*/
function initSchedulerEvents(){
return new Promise(ok => {
scheduler.on('checkchatvitality', function(){
storage.checkChatsVitality(function(chat, type){
switch (type) {
case 'INACTIVE':
utils.log('CHATVITALITY INACTIVE:', chat.id, chat.title);
bot.telegram.sendMessage(chat.id, Lexicon.get('WARNING_CHAT_TOBEREMOVED'), { parse_mode: 'markdown' });
break;
case 'TOBEREMOVED':
utils.log('CHATVITALITY TOBEREMOVED:', chat.id, chat.title);
break;
}
});
});
scheduler.on('backup', function(){
storage.saveBackup();
});
scheduler.on('dbsync', function(){
storage.syncDatabase();
});
scheduler.on('monster', function(){
var lexicon = Lexicon.lang('en');
var onFirstAttack = function(data){
// messaggio per notificare chi è stato ad attaccare per primo
bot.telegram.sendMessage(data.chat.id, lexicon.get('MONSTER_START', { username: data.user.username }), { parse_mode: 'markdown' }).catch(()=>{});
// pinna il messaggio del mostro per avvertire che è iniziato l'attacco
bot.telegram.pinChatMessage(data.chat.id, data.monster.extra.messageId).catch(()=>{});
};
var onAttackCooldown = function(data){
// invia un messaggio per notificare quanto manca prima di poter nuovamente attaccare
bot.telegram.answerCbQuery(data.ctx.update.callback_query.id, lexicon.get('MONSTER_ATTACK_COOLDOWN', {
time: utils.secondsToHms(data.timeDiff / 1000, true)
}), true).catch(()=>{});
};
var onAutoAttackEnabled = function(data){
// invia un messaggio per notificare l'attivazione dell'attacco automatico
bot.telegram.answerCbQuery(data.ctx.update.callback_query.id, lexicon.get('MONSTER_AUTOATTACK_ENABLED'), true).catch(()=>{});
};
var onAutoAttackAlreadyEnabled = function(data){
// invia un messaggio per notificare l'attivazione dell'attacco automatico
bot.telegram.answerCbQuery(data.ctx.update.callback_query.id, lexicon.get('MONSTER_AUTOATTACK_ALREADYENABLED'), true).catch(()=>{});
};
var onUpdate = function(data){
var attUsersLabels = [];
// genera la lista delle ricompense per ogni utente
utils.each(data.monster.attackers, function(attUserId, attUser){
attUsersLabels.push(lexicon.get('MONSTER_MESSAGE_ATTACKER', {
icon: attUser.autoAttack ? '🤖': '⚔️',
username: attUser.username,
count: attUser.count,
damage: utils.formatNumber(attUser.damage)
}));
});
// calcola la barra della vita
var maxBarsLength = 10;
var healthBar = '';
var healthDiff = BigNumber(data.monster.health).dividedBy(data.monster.healthMax);
healthDiff = Number(healthDiff.valueOf());
for(var ind = 0; ind < maxBarsLength; ind++){
healthBar += (ind / maxBarsLength < healthDiff) ? '❤️' : (ind == 0 ? '❤️' : '🤍');
}
// crea il testo del lexicon da mostrare
var messageText = lexicon.get('MONSTER_MESSAGE', {
icon: data.monster.icon,
level: data.monster.level + 1,
health: utils.formatNumber(data.monster.health),
healthmax: utils.formatNumber(data.monster.healthMax),
healthPercentage: (healthDiff * 100).toFixed(2),
healthbar: healthBar,
attackers: attUsersLabels.join('\n')
});
// bottone per attaccare
var button = Markup.inlineKeyboard(
[
[
Markup.callbackButton(
lexicon.get('MONSTER_ATTACK_LABEL'),
'monster_attack'
)
],
[
Markup.callbackButton(
lexicon.get('MONSTER_AUTOATTACK_LABEL'),
'monster_autoattack'
)
]
]
).extra({ parse_mode: 'markdown' });
// invia il messaggio aggiornato del mostro
bot.telegram.editMessageText(
data.chat.id,
data.monster.extra.messageId,
null,
messageText,
button
)
.catch(()=>{});
};
var onDefeated = function(data){
var attUsersLabels = [];
// genera la lista delle ricompense per ogni utente
utils.each(data.monster.attackers, function(attUserId, attUser){
// calcola il guadagno in base a quanti attacchi sono stati fatti
var messagesMult = attUser.count * 5 * (1 + data.monster.level / 5);
// riduce il guadagno se era stato attivato l'attacco automatico
if (attUser.autoAttack) {
messagesMult = messagesMult / 2;
}
var expReward = calcUserExpGain(data.ctx, storage.getUser(attUserId), messagesMult);
attUsersLabels.push(lexicon.get('MONSTER_DEFEATED_ATTACKER', {
icon: attUser.autoAttack ? '🤖': '⚔️',
username: attUser.username,
reward: utils.formatNumber(expReward)
}));
});
// testo messaggio
var messageText = lexicon.get('MONSTER_DEFEATED', { usersrewards: attUsersLabels.join('\n') });
// rimuove il vecchio messaggio
bot.telegram.deleteMessage(
data.chat.id,
data.monster.extra.messageId
)
.catch(()=>{});
// invia il messaggio di notifica del mostro sconfitto
bot.telegram.sendMessage(
data.chat.id,
messageText,
{ parse_mode: 'markdown' }
)
.catch(()=>{});
// rimuove il pin dal messaggio del mostro
bot.telegram.unpinChatMessage(data.chat.id, data.monster.extra.messageId).catch(()=>{});
};
var onEscaped = function(data){
// droppa un item casuale di debuff
var monsterItem = items.pickMonster();
var valueText = '';
if (monsterItem.target === 'exp') {
valueText = utils.formatNumber((monsterItem.power - 1) * 100, 0) + '% ' + lexicon.get('LABEL_EXPGAIN');
} else if (monsterItem.target === 'drop_chance') {
valueText = utils.formatNumber((monsterItem.power - 1) * 100, 0) + '% ' + lexicon.get('LABEL_DROPCHANCE');
}
// rimuove il vecchio messaggio
bot.telegram.deleteMessage(
data.chat.id,
data.monster.extra.messageId
)
.catch(()=>{});
// invio messaggio per notificare che il mostro è scappato e l'attacco è fallito
bot.telegram.sendMessage(
data.chat.id,
lexicon.get('MONSTER_ESCAPED', {
itemname: lexicon.get('ITEMS_TITLE_' + monsterItem.name),
value: valueText,
timeout: monsterItem.timeout
}),
{ parse_mode: 'markdown' }
)
.catch(()=>{});
// rimuove il pin dal messaggio del mostro
bot.telegram.unpinChatMessage(data.chat.id, data.monster.extra.messageId).catch(()=>{});
// aggiunge l'item droppato alla chat
items.insertItemTo(data.chat.items, monsterItem);
};
var onExpire = function(data){
// interrompe se il mostro è attivo o se non ha piu vita
if (data.monster.active || BigNumber(data.monster.health).isEqualTo(0)) return;
// elimina il messaggio per iniziare l'attacco
bot.telegram.editMessageText(
data.chat.id,
data.monster.extra.messageId,
null,
lexicon.get('MONSTER_OLD_MESSAGE'),
{ parse_mode: 'markdown' }
).catch(()=>{});
};
var onSpawn = function(data){
// bottone per attaccare
var button = Markup.inlineKeyboard(
[
Markup.callbackButton(
lexicon.get('MONSTER_STARTFIGHT_LABEL'),
'monster_attack'
)
]
).extra({ parse_mode: 'markdown' });
// crea il messaggio di spawn del mostro e salva l'id
return bot.telegram.sendMessage(
data.chat.id,
lexicon.get('MONSTER_SPAWN'),
button
)
.then(ctxSpawn => {
data.monster.extra.messageId = ctxSpawn.message_id;
})
};
// ciclo di tutte le chat per spawnare il messaggio iniziale del mostro ed iniziare l'attacco
utils.eachTimeout(storage.getChats(), (chatId, chat) => {
// interrompe in base alle preferenze impostate nella chat
if (chat.settings.monsterEvent == false) return;
monsters.spawn(chat, {
onSpawn: onSpawn,
onExpire: onExpire,
onFirstAttack: onFirstAttack,
onAttackCooldown: onAttackCooldown,
onAutoAttackEnabled: onAutoAttackEnabled,
onAutoAttackAlreadyEnabled: onAutoAttackAlreadyEnabled,
onUpdate: onUpdate,
onDefeated: onDefeated,
onEscaped: onEscaped
});
});
});
scheduler.on('dungeon', function(){
var lexicon = Lexicon.lang('en');
var button = Markup.inlineKeyboard(
[
Markup.callbackButton(
lexicon.get('DUNGEON_EXPLORE_LABEL'),
'dungeon_explore'
)
]
).extra({ parse_mode: 'markdown' });
var onSpawn = function(data){
// crea il messaggio di spawn del mostro e salva l'id
bot.telegram.sendMessage(
data.chat.id,
lexicon.get('DUNGEON_SPAWN'),
button
)
.then(ctxSpawn => {
data.dungeon.extra.messageId = ctxSpawn.message_id;
// pinna il messaggio del dungeon per avvertire che è iniziato l'attacco
bot.telegram.pinChatMessage(data.chat.id, data.dungeon.extra.messageId).catch(()=>{});
})
.catch(err => {
utils.errorlog('DUNGEON_SPAWN:', JSON.stringify(err));
});
};
var onExpire = function(data){
// elimina il messaggio per iniziare l'attacco
bot.telegram.editMessageText(
data.chat.id,
data.dungeon.extra.messageId,
null,
lexicon.get('DUNGEON_EXPIRED'),
{ parse_mode: 'markdown' }
).catch(()=>{});
// rimuove il pin dal messaggio del dungeon
bot.telegram.unpinChatMessage(data.chat.id, data.dungeon.extra.messageId).catch(()=>{});
};
var onExplore = function(data){
var text = '';
var lexicon = data.ctx.state.lexicon;
if (Math.random() < 0.05) {
text += lexicon.get('DUNGEON_EXPLORE_FAIL_TITLE', { username: data.user.username });
} else {
// oggetto droppato dal dungeon
var item = items.pickDungeon();
// ottiene il riferimento alle stats dell'utente per la chat corrente
var userStats = data.user.chats[data.chat.id];
// inserisce l'oggetto nella lista dell'utente
items.insertItemTo(userStats.items, item);
text += lexicon.get('DUNGEON_EXPLORE_SUCCESS_TITLE', {
username: data.user.username,
itemcard: getItemCardText(item, 'en', false, data)
});
}
// crea il messaggio di spawn del mostro e salva l'id
bot.telegram.sendMessage(data.chat.id, text, { parse_mode: 'markdown' }).catch(()=>{});
};
var onAlreadyExplored = function(data){
// invia un messaggio per notificare quanto manca prima di poter nuovamente attaccare
bot.telegram.answerCbQuery(data.ctx.update.callback_query.id, lexicon.get('DUNGEON_CANNOT_EXPLORE'), true).catch(()=>{});
};
// ciclo di tutte le chat per spawnare il messaggio iniziale del mostro ed iniziare l'attacco
utils.eachTimeout(storage.getChats(), (chatId, chat) => {
// interrompe in base alle preferenze impostate nella chat
if (chat.settings.dungeonEvent == false) return;
dungeons.spawn(chat, {
onSpawn: onSpawn,
onExpire: onExpire,
onExplore: onExplore,
onAlreadyExplored: onAlreadyExplored
});
});
});
scheduler.on('riddles', function(){
var lexicon = Lexicon.lang('en');
var onSpawn = function(data){
// crea il messaggio di spawn del riddle e salva l'id
bot.telegram.sendMessage(
data.chat.id,
lexicon.get('RIDDLES_SPAWN', {
question: lexicon.get('RIDDLES_TYPE_' + data.riddle.type, data.riddle.data)
}),
{ parse_mode: 'markdown' }
)
.then(ctxSpawn => {
data.riddle.extra.messageId = ctxSpawn.message_id;
})
.catch(err => {
utils.errorlog('RIDDLES_SPAWN:', JSON.stringify(err));
});
};
var onExpire = function(data){
bot.telegram.editMessageText(
data.chat.id,
data.riddle.extra.messageId,
null,
lexicon.get('RIDDLES_EXPIRED'),
{ parse_mode: 'markdown' }
).catch(()=>{});
};
var onGuess = function(data){
// calcola il guadagno
var expReward = calcUserExpGain(data.ctx, data.user, 5);
// testo del messaggio
var text = lexicon.get('RIDDLES_GUESS', {
username: data.user.username,
reward: utils.formatNumber(expReward)
});
// crea il messaggio di spawn del mostro e salva l'id
bot.telegram.sendMessage(data.chat.id, text, {
parse_mode: 'markdown',
reply_to_message_id: data.ctx.state.mexData.messageId
}).catch(()=>{});
};
// ciclo di tutte le chat per spawnare il messaggio iniziale del mostro ed iniziare l'attacco
utils.eachTimeout(storage.getChats(), (chatId, chat) => {
// interrompe in base alle preferenze impostate nella chat
if (chat.settings.riddlesEvent == false) return;
// probabilità di spawn del riddle
if (Math.random() > 0.20) return;
setTimeout(() => {
riddles.spawn(chat, {
onSpawn: onSpawn,
onExpire: onExpire,
onGuess: onGuess
});
}, Math.random() * 1000 * 60 * 60 * 3);
});
});
scheduler.on('xmas', function(){
var item1 = items.get('XMAS_1');
var item2 = items.get('XMAS_2');
var item3 = items.get('XMAS_3');
var buffText = [
Lexicon.get('SPECIAL_ITEM_BONUS', { value: items.getItemBuffText(item1), target: Lexicon.get('ITEMS_LIST_TARGET_' + item1.target.toUpperCase())}),
Lexicon.get('SPECIAL_ITEM_BONUS', { value: items.getItemBuffText(item2), target: Lexicon.get('ITEMS_LIST_TARGET_' + item2.target.toUpperCase())}),
Lexicon.get('SPECIAL_ITEM_BONUS', { value: items.getItemBuffText(item3), target: Lexicon.get('ITEMS_LIST_TARGET_' + item3.target.toUpperCase())})
].join('\n');
// ciclo di tutte le chat per spawnare il messaggio iniziale del mostro ed iniziare l'attacco
utils.eachTimeout(storage.getChats(), (chatId, chat) => {
items.insertItemTo(chat.items, item1);
items.insertItemTo(chat.items, item2);
items.insertItemTo(chat.items, item3);
bot.telegram.sendMessage(chat.id, Lexicon.get('SPECIAL_XMAS', { buff: buffText }), { parse_mode: 'markdown' });
});
});
scheduler.on('halloween', function(){
var item1 = items.get('HALLOWEEN_1');
var item2 = items.get('HALLOWEEN_2');
var buffText = [
Lexicon.get('SPECIAL_ITEM_BONUS', { value: items.getItemBuffText(item1), target: Lexicon.get('ITEMS_LIST_TARGET_' + item1.target.toUpperCase())}),
Lexicon.get('SPECIAL_ITEM_BONUS', { value: items.getItemBuffText(item2), target: Lexicon.get('ITEMS_LIST_TARGET_' + item2.target.toUpperCase())})
].join('\n');
// ciclo di tutte le chat per spawnare il messaggio iniziale del mostro ed iniziare l'attacco
utils.eachTimeout(storage.getChats(), (chatId, chat) => {
items.insertItemTo(chat.items, item1);
items.insertItemTo(chat.items, item2);
bot.telegram.sendMessage(chat.id, Lexicon.get('SPECIAL_HALLOWEEN', { buff: buffText }), { parse_mode: 'markdown' });
});
});
scheduler.on('aprilfool', function(){
// ciclo di tutte le chat per spawnare il messaggio iniziale del mostro ed iniziare l'attacco
utils.eachTimeout(storage.getChats(), (chatId, chat) => {
bot.telegram.sendMessage(chat.id, Lexicon.get('SPECIAL_APRILFOOL'));
});
});
scheduler.on('randomevent', function(){
// probabilità del 50%
if (Math.random() < .5) return;
// droppa un item casuale di debuff
var randomItem = items.pickRandomEvent();
var bonusText = '';
if (randomItem.target === 'exp') {
bonusText = '+' + utils.formatNumber((randomItem.power - 1) * 100, 0) + '% ' + Lexicon.get('LABEL_EXPGAIN');
} else if (randomItem.target === 'drop_chance') {
bonusText = '+' + utils.formatNumber((randomItem.power - 1) * 100, 0) + '% ' + Lexicon.get('LABEL_DROPCHANCE');
} else if (randomItem.target === 'drop_cd') {
bonusText = utils.formatNumber((randomItem.power - 1) * 100, 0) + '% ' + Lexicon.get('LABEL_DROPCOOLDOWN');
}
// ciclo di tutte le chat per spawnare il messaggio iniziale del mostro ed iniziare l'attacco
utils.eachTimeout(storage.getChats(), (chatId, chat) => {
items.insertItemTo(chat.items, randomItem);
bot.telegram.sendMessage(
chat.id,
Lexicon.get('SPECIAL_RANDOMEVENT', {
itemname: Lexicon.get('ITEMS_TITLE_' + randomItem.name),
itemdescription: Lexicon.get('ITEMS_DESCRIPTION_' + randomItem.name),
itembonus: bonusText,
timeout: randomItem.timeout
}),
{ parse_mode: 'markdown' }
)
.catch(()=>{});
});
});
console.log("> Cron events initialized");
ok();
});
}
/**
* Controlla se è stato aggiornato il bot dall'ultimo avvio
* ed in caso invia una notifica globale a tutte le chat
*/
function checkIfUpdated(){
var currentVersion = require('./package.json').version;
var lastVersion = storage.getVersion();
var lexicon = Lexicon.lang('en');
if (currentVersion !== lastVersion){
storage.setVersion(currentVersion);
var button = Markup.inlineKeyboard([
Markup.urlButton(
lexicon.get('UPDATED_BUTTON'),
'https://raw.githubusercontent.com/Lor-Saba/the_lvlup_bot/master/CHANGELOG.md'
)
]).extra({ parse_mode: 'markdown' });
utils.eachTimeout(storage.getChats(), function(chatId) {
bot.telegram.sendMessage(
chatId,
lexicon.get('UPDATED_LABEL', { version: currentVersion }),
button
).catch(()=>{})
});
}
}
/**
*
*/
function setBotMiddlewares(){
// parsa i comandi
bot.use(commandParts());
// middleware principoale
bot.use(function(ctx, next) {
if (ctx.updateType == 'edited_message') return false;
if (ctx.updateType == 'message' && ctx.updateSubTypes.includes('photo')) return false;
// crea un oggetto contenente le informazioni generiche del messaggio ricevuto
var mexData = utils.getMessageData(ctx);
var lexicon = Lexicon.lang(mexData.lang);
var isSpam = null;
var user = null;
var userStats = null;
var chat = null;
var oldPenalityLevel = 0;
// metodo che salva lo stato delle variabili
var saveState = function(){
ctx.state.mexData = mexData;
ctx.state.lexicon = lexicon;
ctx.state.user = user;
ctx.state.userStats = userStats;
ctx.state.chat = chat;
};
// interrompe se non è stato possibile generare l'oggetto mexData
if (!mexData) {
utils.errorlog('middleware', JSON.stringify({ type: ctx.updateType, user: ctx.from, chat: ctx.chat }));
return false;
}
// blocca l'esecuzione se si stanno ricevendo eventi precedenti all'avvio del bot
if (mexData.date < startupDate) return false;
// se è un messaggio che arriva da un bot
if (mexData.isBot) return false;
// bypassa il middleware se si tratta del comando /su
if (ctx.state.command && ctx.state.command.command == 'su') {
saveState();
return next();
}
// interrompe il middleware e continua se è la selezione di un markup
if (mexData.isMarkup) {
saveState();
return next();
}
// blocca l'esecuzione se ci troviamo in una chat privata tra il bot e l'utente
if (mexData.isPrivate) return false;
// crea l'oggetto dell'utente se non esiste
user = storage.getUser(mexData.userId);
if (!user) {
user = storage.setUser(mexData.userId, { id: mexData.userId });
utils.log('New USER:', '"' + mexData.username + '"', mexData.userId);
}
// crea l'oggetto delle statistiche dell'utente nella chat corrente se non esiste
userStats = user.chats[mexData.chatId];
if (!userStats){
userStats = storage.setUserChat(mexData.userId, mexData.chatId, {});
utils.log('New CHAT','"' + mexData.chatTitle + '"', mexData.chatId, 'for USER:', '"' + mexData.username + '"', mexData.userId);
}
// crea l'oggetto della chat se non esiste
chat = storage.getChat(mexData.chatId);
if (!chat) {
chat = storage.setChat(mexData.chatId, { id: mexData.chatId });
utils.log('New CHAT:', '"' + mexData.chatTitle + '"', mexData.chatId);
}
// gestione della penalità in caso di spam messaggi
oldPenalityLevel = userStats.penality.level;
isSpam = utils.calcPenality(userStats, mexData.date, 1.1);