-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathdetectivepikachubot.py
executable file
·2452 lines (2212 loc) · 149 KB
/
detectivepikachubot.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
#
# Detective Yellowcopyrightedrat - A Telegram bot to organize Pokémon GO raids
# Copyright (C) 2017 Jorge Suárez de Lis <[email protected]>
#
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU Affero General Public License as
# published by the Free Software Foundation, either version 3 of the
# License, or (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU Affero General Public License for more details.
#
# You should have received a copy of the GNU Affero General Public License
# along with this program. If not, see <https://www.gnu.org/licenses/>.
#
#
# Command list for @botfather
# help - Muestra la ayuda
# register - Inicia el proceso de registro (en privado)
# raid - Crea una incursión nueva (en grupo)
# alerts - Configura alertas de incursiones (en privado)
# raids - Muestra incursiones activas (en privado)
# profile - Muestra info de tu perfil (en privado)
# stats - Muestra tus estadísticas semanales (en privado)
#
from telegram.ext import Updater, CommandHandler, MessageHandler, CallbackQueryHandler, Filters
from telegram import ChatAction, InlineKeyboardButton, InlineKeyboardMarkup
from telegram.ext.dispatcher import run_async
import re
import time
import logging
import requests
from io import StringIO
import csv
import signal
import os, sys
import telegram
from threading import Thread
from unidecode import unidecode
from datetime import datetime, timedelta, date
from pytz import timezone
import tempfile
import urllib.request
import random
from Levenshtein import distance
import html
import gettext
from config import config
from storagemethods import saveGroup, savePlaces, savePlace, getGroup, getPlaces, saveUser, saveWholeUser, getUser, isBanned, refreshUsername, saveRaid, getRaid, raidVoy, raidPlus1, raidEstoy, raidNovoy, raidLlegotarde, getCreadorRaid, getRaidbyMessage, getPlace, deleteRaid, getRaidPeople, closeRaid, cancelRaid, uncancelRaid, getLastRaids, raidLotengo, raidEscapou, searchTimezone, getActiveRaidsforUser, getGrupoRaid, getCurrentValidation, saveValidation, getUserByTrainername, getActiveRaidsforGroup, getGroupsByUser, getGroupUserStats, getRanking, getRemovedAlerts, getCurrentGyms, getCachedRanking, saveCachedRanking, resetCachedRanking
from supportmethods import is_admin, extract_update_info, delete_message_timed, send_message_timed, pokemonlist, egglist, iconthemes, update_message, update_raids_status, send_alerts, send_alerts_delayed, error_callback, ensure_escaped, warn_people, get_settings_keyboard, update_settings_message, update_settings_message_timed, get_keyboard, format_message, edit_check_private, edit_check_private_or_reply, delete_message, parse_time, parse_pokemon, extract_time, extract_day, format_text_day, format_text_pokemon, parse_profile_image, validation_pokemons, validation_names, update_validations_status, already_sent_location, auto_refloat, format_gym_emojis, fetch_gym_address, get_pokemons_keyboard, get_gyms_keyboard, get_zones_keyboard, get_times_keyboard, get_endtimes_keyboard, get_days_keyboard, format_text_creating, remove_incomplete_raids, send_edit_instructions, ranking_time_periods, auto_ranking, ranking_text, set_language, available_languages
from alerts import alertscmd, addalertcmd, clearalertscmd, delalertcmd, processLocation
def cleanup(signum, frame):
logging.info("Closing bot!")
exit(0)
signal.signal(signal.SIGINT, cleanup)
# Logging
logdir = sys.path[0] + "/logs"
if not os.path.exists(logdir):
os.makedirs(logdir)
logging.basicConfig(filename=logdir+'/debug.log', format='%(asctime)s %(message)s', level=logging.DEBUG)
logging.info("--------------------- Starting bot! -----------------------")
# Set default language
available_languages["es_ES"]["gettext"].install()
updater = Updater(token=config["telegram"]["token"], workers=10)
dispatcher = updater.dispatcher
dispatcher.add_error_handler(error_callback)
@run_async
def startcmd(bot, update):
logging.debug("detectivepikachubot:startcmd: %s %s" % (bot, update))
(chat_id, chat_type, user_id, text, message) = extract_update_info(update)
if chat_type != "private":
group = getGroup(chat_id)
_ = set_language(group["language"])
deletion_text = "\n\n" + _("<i>(Este mensaje se borrará en 60 segundos)</i>")
try:
bot.deleteMessage(chat_id=chat_id,message_id=message.message_id)
except:
pass
else:
user = getUser(chat_id)
if user is not None:
_ = set_language(user["language"])
else:
message_text = "Hi! Before getting started, please choose your language."
languages_keyboard = []
for language in available_languages.keys():
languages_keyboard.append([InlineKeyboardButton(available_languages[language]["name"], callback_data="language_%s" % language)])
languages_markup = InlineKeyboardMarkup(languages_keyboard)
Thread(target=send_message_timed, args=(chat_id, message_text, 1, bot, languages_markup)).start()
return
deletion_text = ""
sent_message = bot.sendMessage(chat_id=update.message.chat_id, text=_("📖 ¡Echa un vistazo a <a href='{0}'>la ayuda</a> para enterarte de todas las funciones!\n\n🆕 <b>Crear incursión</b>\n<code>/raid Suicune 12:00 Alameda</code>\n\n❄️🔥⚡️ <b>Registrar nivel/equipo</b>\nEscríbeme por privado en @{1} el comando <code>/register</code>. En vez de eso, puedes preguntar <code>quién soy?</code> a @profesoroak_bot y reenviarme su respuesta.\n\n🔔 <b>Configurar alertas</b>\nEscríbeme por privado en @{2} el comando <code>/alerts</code>.{3}").format(config["telegram"]["bothelp"],config["telegram"]["botalias"],config["telegram"]["botalias"], deletion_text), parse_mode=telegram.ParseMode.HTML, disable_web_page_preview=True)
if chat_type != "private":
Thread(target=delete_message_timed, args=(chat_id, sent_message.message_id, 40, bot)).start()
@run_async
def pikapingcmd(bot, update):
logging.debug("detectivepikachubot:pikapingcmd: %s %s" % (bot, update))
(chat_id, chat_type, user_id, text, message) = extract_update_info(update)
sent_dt = message.date
now_dt = datetime.now()
timediff = now_dt - sent_dt
if chat_type != "private":
try:
bot.deleteMessage(chat_id=chat_id,message_id=message.message_id)
except:
pass
if isBanned(user_id):
return
sent_message = bot.sendMessage(chat_id=update.message.chat_id, text="Pikapong! %ds" % (timediff.seconds), parse_mode=telegram.ParseMode.HTML, disable_web_page_preview=True)
if chat_type != "private":
Thread(target=delete_message_timed, args=(chat_id, sent_message.message_id, 10, bot)).start()
@run_async
def registercmd(bot, update):
logging.debug("detectivepikachubot:registercmd: %s %s" % (bot, update))
(chat_id, chat_type, user_id, text, message) = extract_update_info(update)
user_username = message.from_user.username
if not edit_check_private(chat_id, chat_type, user_username, "register", bot):
delete_message(chat_id, message.message_id, bot)
return
user = getUser(user_id)
if user is not None:
_ = set_language(user["language"])
else:
_ = set_language("es_ES")
validation = getCurrentValidation(user_id)
logging.debug(validation)
if validation is not None:
bot.sendMessage(chat_id=chat_id, text=_("❌ Ya has iniciado un proceso de validación. Debes completarlo antes de intentar comenzar de nuevo, o esperar 6 horas a que caduque."), parse_mode=telegram.ParseMode.MARKDOWN)
return
user = getUser(user_id)
if user is not None and user["validation"] != "none":
bot.sendMessage(chat_id=chat_id, text=_("⚠ Ya te has validado anteriormente. *No es necesario* que vuelvas a validarte, a no ser que quieras cambiar tu nombre de entrenador, equipo o bajar de nivel. Si solo has subido de nivel, basta con que envíes una captura de pantalla de tu nuevo nivel, sin necesidad de hacer el proceso completo.\n\nSi aún así quieres, puedes continuar con el proceso, o sino *espera 6 horas* a que caduque."), parse_mode=telegram.ParseMode.MARKDOWN)
else:
user = {"id": user_id, "username": user_username}
saveUser(user)
pokemons = random.sample(validation_pokemons,2 )
name = random.choice(validation_names)
validation = { "usuario_id": chat_id, "step": "waitingtrainername", "pokemon": pokemons[0], "pokemon2": pokemons[1], "pokemonname": name }
saveValidation(validation)
bot.sendMessage(chat_id=chat_id, text=_("¿Cómo es el nombre de entrenador que aparece en tu perfil del juego?\n\n_Acabas de iniciar el proceso de validación. Debes completarlo antes de 6 horas, o caducará. Si te equivocas y deseas volver a empezar, debes esperar esas 6 horas._"), parse_mode=telegram.ParseMode.MARKDOWN)
@run_async
def timezonecmd(bot, update, args=None):
logging.debug("detectivepikachubot:timezonecmd: %s %s %s" % (bot, update, args))
(chat_id, chat_type, user_id, text, message) = extract_update_info(update)
chat_title = message.chat.title
group_alias = None
if hasattr(message.chat, 'username') and message.chat.username is not None:
group_alias = message.chat.username
if chat_type != "channel" and (not is_admin(chat_id, user_id, bot) or isBanned(user_id)):
return
if chat_type == "private":
user = getUser(user_id)
_ = set_language(user["language"])
bot.sendMessage(chat_id=chat_id, text=_("❌ Este comando solo funciona en canales y grupos"))
return
try:
bot.deleteMessage(chat_id=chat_id,message_id=message.message_id)
except:
pass
group = getGroup(chat_id)
_ = set_language(group["language"])
if args is None or len(args)!=1 or len(args[0])<3 or len(args[0])>60:
now = datetime.now(timezone(group["timezone"])).strftime("%H:%M")
bot.sendMessage(chat_id=chat_id, text=_("🕒 Zona horaria actual: *{0}*\nHora: *{1}*").format(group["timezone"], now), parse_mode=telegram.ParseMode.MARKDOWN)
return
tz = searchTimezone(args[0])
if tz is not None:
group["timezone"] = tz["name"]
group["title"] = chat_title
group["alias"] = group_alias
saveGroup(group)
now = datetime.now(timezone(group["timezone"])).strftime("%H:%M")
bot.sendMessage(chat_id=chat_id, text=_("👌 Establecida zona horaria *{0}*.\n🕒 Comprueba que la hora sea correcta: *{1}*").format(group["timezone"], now), parse_mode=telegram.ParseMode.MARKDOWN)
else:
bot.sendMessage(chat_id=chat_id, text=_("❌ No se ha encontrado ninguna zona horaria válida con ese nombre."), parse_mode=telegram.ParseMode.MARKDOWN)
@run_async
def talkgroupcmd(bot, update, args=None):
logging.debug("detectivepikachubot:talkgroupcmd: %s %s %s" % (bot, update, args))
(chat_id, chat_type, user_id, text, message) = extract_update_info(update)
chat_title = message.chat.title
group_alias = None
if hasattr(message.chat, 'username') and message.chat.username is not None:
group_alias = message.chat.username
if not is_admin(chat_id, user_id, bot) or isBanned(user_id):
return
if chat_type == "private":
user = getUser(user_id)
_ = set_language(user["language"])
bot.sendMessage(chat_id=chat_id, text=_("❌ Este comando solo funciona en canales y grupos"))
return
try:
bot.deleteMessage(chat_id=chat_id,message_id=message.message_id)
except:
pass
group = getGroup(chat_id)
_ = set_language(group["language"])
if args is None or len(args)!=1 or (args[0] != "-" and (len(args[0])<3 or len(args[0])>60 or re.match("@?[a-zA-Z]([a-zA-Z0-9_]+)$|https://t\.me/joinchat/[a-zA-Z0-9_]+$",args[0]) is None) ):
bot.sendMessage(chat_id=chat_id, text=_("❌ Debes pasarme por parámetro un alias de grupo o un enlace de `t.me` de un grupo privado, por ejemplo `@pokemongoteruel` o `https://t.me/joinchat/XXXXERK2ZfB3ntXXSiWUx`."), parse_mode=telegram.ParseMode.MARKDOWN)
return
group["alias"] = group_alias
if args[0] != "-":
group["title"] = chat_title
group["talkgroup"] = args[0].replace("@","")
saveGroup(group)
if re.match("@?[a-zA-Z]([a-zA-Z0-9_]+)$",args[0]) is not None:
bot.sendMessage(chat_id=chat_id, text=_("👌 Establecido grupo de charla a @{0}.").format(ensure_escaped(group["talkgroup"])), parse_mode=telegram.ParseMode.MARKDOWN)
else:
bot.sendMessage(chat_id=chat_id, text=_("👌 Establecido grupo de charla a {0}.").format(ensure_escaped(group["talkgroup"])), parse_mode=telegram.ParseMode.MARKDOWN)
else:
group["talkgroup"] = None
saveGroup(group)
bot.sendMessage(chat_id=chat_id, text=_("👌 Eliminada la referencia al grupo de charla."), parse_mode=telegram.ParseMode.MARKDOWN)
@run_async
def spreadsheetcmd(bot, update, args=None):
logging.debug("detectivepikachubot:spreadsheetcmd: %s %s %s" % (bot, update, args))
(chat_id, chat_type, user_id, text, message) = extract_update_info(update)
chat_title = message.chat.title
group_alias = None
if hasattr(message.chat, 'username') and message.chat.username is not None:
group_alias = message.chat.username
if chat_type == "private":
user = getUser(user_id)
_ = set_language(user["language"])
bot.sendMessage(chat_id=chat_id, text=_("❌ Este comando solo funciona en canales y grupos."))
return
if chat_type != "channel" and (not is_admin(chat_id, user_id, bot) or isBanned(user_id)):
return
try:
bot.deleteMessage(chat_id=chat_id,message_id=message.message_id)
except:
pass
group = getGroup(chat_id)
if group is None:
if chat_type == "channel":
bot.sendMessage(chat_id=chat_id, text=_("No tengo información de este canal. Consulta los errores frecuentes en {0}").format(config["telegram"]["bothelp"]), parse_mode=telegram.ParseMode.MARKDOWN)
else:
bot.sendMessage(chat_id=chat_id, text=_("No tengo información de este grupo. Consulta los errores frecuentes en {0}").format(config["telegram"]["bothelp"]), parse_mode=telegram.ParseMode.MARKDOWN)
return
else:
group = getGroup(chat_id)
_ = set_language(group["language"])
if args is None or len(args)!=1:
bot.sendMessage(chat_id=chat_id, text=_("❌ Debes pasarme la URL de la Google Spreadsheet como un único parámetro. Por ejemplo: `/spreadsheet https://docs.google.com/spreadsheets/d/XXXxxx`"))
return
m = re.search('docs.google.com/.*spreadsheets/d/([a-zA-Z0-9_-]+)', args[0], flags=re.IGNORECASE)
if m is None:
bot.sendMessage(chat_id=chat_id, text=_("❌ No he reconocido esa URL de Google Docs... `{0}`").format(args[0]))
else:
spreadsheet_id = m.group(1)
group["title"] = chat_title
group["spreadsheet"] = spreadsheet_id
group["alias"] = group_alias
saveGroup(group)
bot.sendMessage(chat_id=chat_id, text=_("👌 Establecido hoja de cálculo con identificador `{0}`.\n\nDebes usar `/refresh` ahora para hacer la carga inicial de los gimnasios y cada vez que modifiques el documento para recargarlos.").format(ensure_escaped(spreadsheet_id)), parse_mode=telegram.ParseMode.MARKDOWN)
@run_async
def refreshcmd(bot, update, args=None):
logging.debug("detectivepikachubot:refreshcmd: %s %s %s" % (bot, update, args))
(chat_id, chat_type, user_id, text, message) = extract_update_info(update)
chat_title = message.chat.title
group_alias = None
if hasattr(message.chat, 'username') and message.chat.username is not None:
group_alias = message.chat.username
if chat_type == "private":
user = getUser(user_id)
_ = set_language(user["language"])
bot.sendMessage(chat_id=chat_id, text=_("❌ Este comando solo funciona en canales y grupos."))
return
if chat_type != "channel" and (not is_admin(chat_id, user_id, bot) or isBanned(user_id)):
return
try:
bot.deleteMessage(chat_id=chat_id,message_id=message.message_id)
except:
pass
grupo = getGroup(chat_id)
_ = set_language(grupo["language"])
if grupo is None or grupo["spreadsheet"] is None:
bot.sendMessage(chat_id=chat_id, text=_("❌ Debes configurar primero la hoja de cálculo de las ubicaciones con el comando `/spreadsheet`"), parse_mode=telegram.ParseMode.MARKDOWN)
return
sent_message = bot.sendMessage(chat_id=chat_id, text=_("🌎 Refrescando lista de gimnasios...\n\n_Si no recibes una confirmación tras unos segundos, algo ha ido mal. Este mensaje se borrará en unos segundos._"), parse_mode=telegram.ParseMode.MARKDOWN)
Thread(target=delete_message_timed, args=(chat_id, sent_message.message_id, 10, bot)).start()
response = requests.get("https://docs.google.com/spreadsheet/ccc?key=%s&output=csv" % grupo["spreadsheet"] )
if response.status_code == 200:
places = []
f = StringIO(response.content.decode('utf-8'))
csvreader = csv.reader(f, delimiter=',', quotechar='"')
counter = 0
incomplete_rows = []
for row in csvreader:
if counter > 3000:
bot.sendMessage(chat_id=chat_id, text=_("❌ ¡No se permiten más de 3000 gimnasios por grupo!"))
return
if counter == 0 and len(row) == 0:
bot.sendMessage(chat_id=chat_id, text=_("❌ ¡No se han encontrado datos! ¿La hoja de cálculo es pública?"))
elif len(row) < 4:
rownumber = counter + 1
bot.sendMessage(chat_id=chat_id, text=_("❌ ¡No se han podido cargar los gimnasios! La fila {0} no tiene las 4 columnas requeridas.").format(rownumber))
return
names = row[3].split(",")
latitude = str(row[1]).replace(",",".")
longitude = str(row[2]).replace(",",".")
m = re.search('^-?[0-9]+.[0-9]+$', latitude, flags=re.IGNORECASE)
m2 = re.search('^-?[0-9]+.[0-9]+$', longitude, flags=re.IGNORECASE)
if m is None or m2 is None:
rownumber = counter + 1
bot.sendMessage(chat_id=chat_id, text=_("❌ ¡No se han podido cargar los gimnasios! El formato de las coordenadas en la fila {0} es incorrecto. Recuerda que deben tener un único separador decimal. Si tienes problemas, elimina el formato de las celdas numéricas.").format((rownumber)))
return
for i,r in enumerate(names):
names[i] = names[i].strip()
if len(names[i]) < 2:
del names[i]
if len(names)==0:
incomplete_rows.append(counter)
if len(row) > 4:
tags = row[4].split(",")
for i,r in enumerate(tags):
tags[i] = tags[i].strip()
else:
tags = []
if len(row) > 5 and row[5].strip()!="":
zones = row[5].split(",")
for i,r in enumerate(zones):
zones[i] = zones[i].strip()
else:
zones = []
places.append({"desc":row[0],"latitude":latitude,"longitude":longitude,"names":names, "tags":tags, "zones":zones});
counter = counter + 1
if counter > 1:
grupo["title"] = chat_title
grupo["alias"] = group_alias
saveGroup(grupo)
removedalerts = getRemovedAlerts(chat_id, places)
if savePlaces(chat_id, places):
places = getPlaces(grupo["id"])
if len(incomplete_rows) > 0:
bot.sendMessage(chat_id=chat_id, text=_("👌 ¡Cargados {0} gimnasios correctamente!\n⚠️ {1} gimnasios no tienen palabras clave. Recuerda que son obligatorias para que puedan ser encontrados.").format(len(places), len(incomplete_rows)))
else:
bot.sendMessage(chat_id=chat_id, text=_("👌 ¡Cargados {0} gimnasios correctamente!").format(len(places)))
# Warn users with removed alerts due to deleted/replaced gyms
if removedalerts is not None and len(removedalerts)>0:
for ra in removedalerts:
try:
bot.sendMessage(chat_id=ra["usuario_id"], text=_("🚫 Se ha borrado una alerta que tenías programada para el gimnasio <b>{0}</b> del grupo <b>{1}</b> porque un administrador lo ha borrado o reemplazado por otro con un nombre diferente.").format(ra["gimnasio_name"], ra["grupo_title"]), parse_mode=telegram.ParseMode.HTML)
except:
logging.debug("detectivepikachubot:refresh: Can't alert user %s about deleted alert on %s" % (ra["usuario_id"],ra["gimnasio_name"]))
pass
else:
bot.sendMessage(chat_id=chat_id, text=_("❌ ¡No se han podido refrescar los gimnasios! Comprueba que no haya dos gimnasios con el mismo nombre."))
else:
bot.sendMessage(chat_id=chat_id, text=_("❌ ¡No se han podido cargar los gimnasios! ¿Seguro que está en el formato correcto? Ten en cuenta que para que funcione, debe haber al menos 2 gimnasios en el documento."))
else:
bot.sendMessage(chat_id=chat_id, text=_("❌ Error cargando la hoja de cálculo. ¿Seguro que es pública?"))
@run_async
def registerOak(bot, update):
logging.debug("detectivepikachubot:registerOak: %s %s" % (bot, update))
(chat_id, chat_type, user_id, text, message) = extract_update_info(update)
this_date = message.date
user_username = message.from_user.username
try:
forward_date = message.forward_date
forward_id = message.forward_from.id
except:
forward_id = None
forward_date = None
if isBanned(user_id):
return
user = getUser(user_id)
m = re.search("@?([a-zA-Z0-9]+), eres (Rojo|Azul|Amarillo) L([0-9]{1,2})[ .]",text, flags=re.IGNORECASE)
if m is not None:
if forward_id == 201760961:
if (this_date - forward_date).total_seconds() < 120:
m2 = re.search("✅",text, flags=re.IGNORECASE)
if m2 is not None:
fuser = getUserByTrainername(text)
if fuser is None or fuser["trainername"] == m.group(1):
thisuser = {}
thisuser["id"] = user_id
thisuser["team"] = m.group(2)
thisuser["level"] = m.group(3)
thisuser["username"] = user_username
thisuser["trainername"] = m.group(1)
if user is not None:
thisuser["language"] = user["language"]
else:
thisuser["language"] = "es_ES"
if user is not None and user["validation"] == "internal":
thisuser["validation"] = "internal"
else:
thisuser["validation"] = "oak"
bot.sendMessage(chat_id=chat_id, text=_("👌 ¡De acuerdo! He reconocido que tu nombre de entrenador es *{0}*, eres del equipo *{1}* y de *nivel {2}*.\n\nA partir de ahora aparecerá tu equipo y nivel en las incursiones en las que participes. Si subes de nivel o te cambias el nombre de entrenador, repite esta operación para que pueda reflejarlo bien en las incursiones.").format(ensure_escaped(thisuser["trainername"]), thisuser["team"], thisuser["level"]), parse_mode=telegram.ParseMode.MARKDOWN)
saveWholeUser(thisuser)
else:
bot.sendMessage(chat_id=chat_id, text=_("❌ Ese nombre de entrenador ya está asociado a otra cuenta de Telegram. Envía un correo a `{0}` indicando tu alias en telegram y tu nombre de entrenador en el juego para que revisemos el caso manualmente.").format(config["telegram"]["validationsmail"]), parse_mode=telegram.ParseMode.MARKDOWN)
return
else:
bot.sendMessage(chat_id=chat_id, text=_("❌ Parece que tu cuenta aún no está completamente validada con @profesoroak\_bot. No puedo aceptar tu nivel y equipo hasta que te valides."), parse_mode=telegram.ParseMode.MARKDOWN)
else:
bot.sendMessage(chat_id=chat_id, text=_("❌ Ese mensaje es demasiado antiguo. ¡Debes reenviarme un mensaje más reciente!"), parse_mode=telegram.ParseMode.MARKDOWN)
else:
bot.sendMessage(chat_id=chat_id, text=_("❌ ¿Has copiado y pegado el mensaje del @profesoroak\_bot? Tienes que usar la opción de *reenviar*, no sirve copiando y pegando."), parse_mode=telegram.ParseMode.MARKDOWN)
else:
if forward_id == 201760961:
bot.sendMessage(chat_id=chat_id, text=_("❌ No he reconocido ese mensaje de @profesoroak\_bot. ¿Seguro que le has preguntado `Quién soy?` y no otra cosa?"), parse_mode=telegram.ParseMode.MARKDOWN)
@run_async
def joinedChat(bot, update):
logging.debug("detectivepikachubot:joinedChat: %s %s" % (bot, update))
(chat_id, chat_type, user_id, text, message) = extract_update_info(update)
try:
if len(message.new_chat_members)>0:
new_chat_member = message.new_chat_members[0]
if new_chat_member.username == config["telegram"]["botalias"] and chat_type != "private":
chat_title = message.chat.title
logging.debug("detectivepikachubot:joinedChat: Oh, I'm new at %s" % chat_title);
group = getGroup(chat_id)
if group is None:
saveGroup({"id":chat_id, "title":message.chat.title})
message_text = "Hi! Before getting started, please choose your language."
languages_keyboard = []
for language in available_languages.keys():
languages_keyboard.append([InlineKeyboardButton(available_languages[language]["name"], callback_data="language_%s" % language)])
languages_markup = InlineKeyboardMarkup(languages_keyboard)
Thread(target=send_message_timed, args=(chat_id, message_text, 3, bot, languages_markup)).start()
else:
message_text = _("¡Hola a todos los miembros de *{0}*!\n\nAntes de poder utilizarme, un administrador tiene que configurar algunas cosas. Comenzad viendo la ayuda con el comando `/help` para enteraros de todas las funciones. Aseguraos de ver la *ayuda para administradores*, donde se explica en detalle todos los pasos que se deben seguir.").format(ensure_escaped(chat_title))
Thread(target=send_message_timed, args=(chat_id, message_text, 3, bot)).start()
except Exception as e:
logging.debug("detectivepikachubot:joinedChat: Exception entering in %s: %s" % (chat_title,str(e)));
pass
return
@run_async
def processMessage(bot, update):
(chat_id, chat_type, user_id, text, message) = extract_update_info(update)
if chat_type == "channel":
return
if chat_type == "group" or chat_type == "supergroup":
group = getGroup(chat_id)
if group is None or group["babysitter"] == 0:
logging.debug("detectivepikachubot:processMessage ignoring message")
return
user_username = message.from_user.username
if isBanned(user_id) or isBanned(chat_id):
return
user = getUser(user_id)
if chat_type == "private":
if user is not None:
_ = set_language(user["language"])
else:
_ = set_language("es_ES")
# Are we in a validation process?
validation = getCurrentValidation(user_id)
if validation is not None:
# Expecting username
if validation["step"] == "waitingtrainername" and text is not None:
m = re.match(r'[a-zA-Z0-9]{4,15}$', text)
if m is not None:
fuser = getUserByTrainername(text)
if fuser is None or fuser["id"] == user["id"]:
validation["trainername"] = text
validation["step"] = "waitingscreenshot"
saveValidation(validation)
bot.sendMessage(chat_id=chat_id, text=_("Así que tu nombre de entrenador es *{0}*.\n\nPara completar el registro, debes enviarme una captura de pantalla de tu perfil del juego, con un *{1}* o un *{2}* como compañero y que tengan de nombre *{3}*. Si no tienes ninguno de esos pokémon, o no te apetece cambiar ahora de compañero, puedes volver a comenzar el registro en cualquier otro momento después de que caduque.").format(validation["trainername"], validation["pokemon"].capitalize(), validation["pokemon2"].capitalize(),validation["pokemonname"]), parse_mode=telegram.ParseMode.MARKDOWN)
else:
bot.sendMessage(chat_id=chat_id, text=_("❌ Ese nombre de entrenador ya está asociado a otra cuenta de Telegram. Si realmente es tuyo, envía un correo a `{0}` indicando tu alias de Telegram y tu nombre de entrenador para que revisemos el caso manualmente.\n\nSi lo has escrito mal y realmente no era ese el nombre, dime entonces, ¿cómo es el nombre de entrenador que aparece en tu perfil del juego?").format(config["telegram"]["validationsmail"]), parse_mode=telegram.ParseMode.MARKDOWN)
return
else:
bot.sendMessage(chat_id=chat_id, text=_("❌ No te entiendo. Pon únicamente el nombre de entrenador que aparece en tu perfil del juego. No puede tener espacios y debe tener entre 4 y 15 caracteres de longitud."), parse_mode=telegram.ParseMode.MARKDOWN)
return
# Expecting screenshot
elif validation["step"] == "waitingscreenshot" and hasattr(message, 'photo') and message.photo is not None and len(message.photo) > 0:
photo = bot.get_file(update.message.photo[-1]["file_id"])
logging.debug("Downloading file %s" % photo)
filename = sys.path[0] + "/photos/profile-%s-%s-%s.jpg" % (user_id, validation["id"], int(time.time()))
urllib.request.urlretrieve(photo["file_path"], filename)
try:
(trainer_name, level, chosen_color, chosen_pokemon, pokemon_name, chosen_profile) = parse_profile_image(filename, validation["pokemon"], validation["pokemon2"])
#output = "Información reconocida:\n - Nombre de entrenador: %s\n - Nivel: %s\n - Equipo: %s\n - Pokémon: %s\n - Nombre del Pokémon: %s" % (trainer_name, level, chosen_color, chosen_pokemon, pokemon_name)
#bot.sendMessage(chat_id=chat_id, text=text,parse_mode=telegram.ParseMode.MARKDOWN)
output = None
except Exception as e:
logging.debug("Exception validating: %s" % str(e))
output = _("❌ Ha ocurrido un error procesando la imagen. Asegúrate de enviar una captura de pantalla completa del juego en un teléfono móvil. No son válidas las capturas en tablets ni otros dispositivos ni capturas recortadas o alteradas. Si no consigues que la reconozca, pide ayuda en @detectivepikachuayuda.")
bot.sendMessage(chat_id=chat_id, text=output, parse_mode=telegram.ParseMode.MARKDOWN)
return
if chosen_profile is None:
output = _("❌ La captura de pantalla no parece válida. Asegúrate de enviar una captura de pantalla completa del juego en un teléfono móvil. No son válidas las capturas en tablets ni otros dispositivos ni capturas recortadas o alteradas. Puedes volver a intentarlo enviando otra captura. Si no consigues que la reconozca, envía un correo a `{0}` indicando tu alias de Telegram y tu nombre de entrenador para que revisemos el caso manualmente.").format(config["telegram"]["validationsmail"])
elif trainer_name.lower() != validation["trainername"].lower() and distance(trainer_name.lower(),validation["trainername"].lower())>2 and \
trainer_name.replace("I","l").replace("0","o").lower() != validation["trainername"].replace("I","l").replace("0","o").lower():
output = _("❌ No he reconocido correctamente el *nombre del entrenador*. ¿Seguro que lo has escrito bien? Puedes volver a enviar otra captura. Si te has equivocado, espera 6 horas a que caduque la validación y vuelve a comenzar de nuevo. Si lo has escrito bien y no consigues que lo reconozca, envía un correo a `{0}` indicando tu alias de Telegram y tu nombre de entrenador para que revisemos el caso manualmente.").format(config["telegram"]["validationsmail"])
elif level is None:
output = _("❌ No he reconocido correctamente el *nivel*. Puedes volver a intentar completar la validación enviando otra captura. Si no consigues que la reconozca, envía un correo a `{0}` indicando tu alias de Telegram y tu nombre de entrenador para que revisemos el caso manualmente.").format(config["telegram"]["validationsmail"])
elif chosen_color is None:
output = _("❌ No he reconocido correctamente el *equipo*. Puedes volver a intentar completar la validación enviando otra captura. Si no consigues que la reconozca, envía un correo a `{0}` indicando tu alias de Telegram y tu nombre de entrenador para que revisemos el caso manualmente.").format(config["telegram"]["validationsmail"])
elif pokemon_name.lower() != validation["pokemonname"].lower() and distance(pokemon_name.lower(),validation["pokemonname"].lower())>3:
output = _("❌ No he reconocido correctamente el *nombre del Pokémon*. ¿Le has cambiado el nombre a *{0}* como te dije? Puedes volver a intentar completar la validación enviando otra captura. Si no consigues que la reconozca, envía un correo a `{1}` indicando tu alias de Telegram y tu nombre de entrenador para que revisemos el caso manualmente.").format(validation["pokemonname"], config["telegram"]["validationsmail"])
elif (chosen_pokemon != validation["pokemon"] and chosen_pokemon != validation["pokemon2"]) or chosen_pokemon is None:
output = _("❌ No he reconocido correctamente el *Pokémon*. ¿Has puesto de compañero a *{0}* o a *{1}* como te dije? Puedes volver a intentarlo enviando otra captura. Si no consigues que la reconozca, envía un correo a `{2}` indicando tu alias de Telegram y tu nombre de entrenador para que revisemos el caso manualmente.").format(validation["pokemon"], validation["pokemon2"], config["telegram"]["validationsmail"])
if output is not None:
validation["tries"] = validation["tries"] + 1
if validation["tries"] > 3:
validation["step"] = "failed"
saveValidation(validation)
bot.sendMessage(chat_id=chat_id, text=output, parse_mode=telegram.ParseMode.MARKDOWN)
return
# Validation ok!
user["level"] = level
user["team"] = chosen_color
user["trainername"] = validation["trainername"]
user["validation"] = "internal"
saveWholeUser(user)
validation["level"] = level
validation["team"] = chosen_color
validation["step"] = "completed"
saveValidation(validation)
output = _("👌 Has completado el proceso de validación correctamente. Se te ha asignado el equipo *{0}* y el nivel *{1}*.\n\nA partir de ahora aparecerán tu nivel y equipo reflejados en las incursiones en las que participes.\n\nSi subes de nivel en el juego y quieres que se refleje en las incursiones, puedes enviarme en cualquier momento otra captura de tu perfil del juego, no es necesario que cambies tu Pokémon acompañante.").format(validation["team"], validation["level"])
bot.sendMessage(chat_id=chat_id, text=output,parse_mode=telegram.ParseMode.MARKDOWN)
elif validation["step"] == "failed":
output = _("❌ Has excedido el número máximo de intentos para esta validación. Debes esperar a que caduque la validación actual para volver a intentarlo. También puedes enviar un correo a `{0}` indicando tu alias de Telegram y tu nombre de entrenador para que revisemos el caso manualmente.").format(config["telegram"]["validationsmail"])
bot.sendMessage(chat_id=chat_id, text=output,parse_mode=telegram.ParseMode.MARKDOWN)
# Not expecting validation, probably screenshot to update level
elif user is not None and (user["validation"] == "internal" or user["validation"] == "oak") and hasattr(message, 'photo') and message.photo is not None and len(message.photo) > 0:
photo = bot.get_file(update.message.photo[-1]["file_id"])
logging.debug("Downloading file %s" % photo)
filename = sys.path[0] + "/photos/profile-%s-updatelevel-%s.jpg" % (user_id, int(time.time()))
urllib.request.urlretrieve(photo["file_path"], filename)
try:
(trainer_name, level, chosen_color, chosen_pokemon, pokemon_name, chosen_profile) = parse_profile_image(filename, None)
#output = "Información reconocida:\n - Nombre de entrenador: %s\n - Nivel: %s\n - Equipo: %s\n - Pokémon: %s\n - Nombre del Pokémon: %s" % (trainer_name, level, chosen_color, chosen_pokemon, pokemon_name)
#bot.sendMessage(chat_id=chat_id, text=text,parse_mode=telegram.ParseMode.MARKDOWN)
output = None
except Exception as e:
bot.sendMessage(chat_id=chat_id, text=_("❌ Ha ocurrido un error procesando la imagen. Asegúrate de enviar una captura de pantalla completa del juego en un teléfono móvil. No son válidas las capturas en tablets ni otros dispositivos ni capturas recortadas o alteradas. Si no consigues que la reconozca, pide ayuda en @detectivepikachuayuda."), parse_mode=telegram.ParseMode.MARKDOWN)
return
if chosen_profile is None:
output = _("❌ La captura de pantalla no parece válida. Asegúrate de enviar una captura de pantalla completa del juego en un teléfono móvil. No son válidas las capturas en tablets ni otros dispositivos ni capturas recortadas o alteradas. Puedes volver a intentarlo enviando otra captura. Si no consigues que la reconozca, envía un correo a `{0}` indicando tu alias de Telegram y tu nombre de entrenador para que revisemos el caso manualmente.").format(config["telegram"]["validationsmail"])
elif trainer_name.lower() != user["trainername"].lower() and distance(trainer_name.lower(),user["trainername"].lower())>2 and \
trainer_name.replace("I","l").replace("0","o").replace("2","z").lower() != user["trainername"].replace("I","l").replace("0","o").replace("2","z").lower():
output = _("❌ No he reconocido correctamente el *nombre del entrenador*. Si no consigues que lo reconozca, envía un correo a `{0}` indicando tu alias de Telegram y tu nombre de entrenador para que revisemos el caso manualmente.").format(config["telegram"]["validationsmail"])
elif level is None:
output = _("❌ No he reconocido correctamente el *nivel*. Si no consigues que la reconozca, envía un correo a `{0}` indicando tu alias de Telegram y tu nombre de entrenador para que revisemos el caso manualmente.").format(config["telegram"]["validationsmail"])
elif int(user["level"]) == int(level):
output = _("❌ En la captura pone que eres *nivel {0}*, pero yo ya sabía que tenías ese nivel.").format(user["level"])
elif int(user["level"]) > int(level):
output = _("❌ En la captura pone que eres *nivel {0}*, pero ya eras *nivel {1}*. ¿Cómo has bajado de nivel?").format(level, user["level"])
elif chosen_color != user["team"]:
output = _("❌ No he reconocido correctamente el *equipo*. Si no consigues que la reconozca, envía un correo a `{0}` indicando tu alias de Telegram y tu nombre de entrenador para que revisemos el caso manualmente.").format(config["telegram"]["validationsmail"])
if output is not None:
bot.sendMessage(chat_id=chat_id, text=output, parse_mode=telegram.ParseMode.MARKDOWN)
return
# Validation ok!
user["level"] = level
saveWholeUser(user)
output = _("👌 Se ha actualizado tu nivel al *{0}*.\n\nSi vuelves a subir de nivel en el juego y quieres que se refleje en las incursiones, puedes enviarme en cualquier momento otra captura de tu perfil del juego.").format(user["level"])
bot.sendMessage(chat_id=chat_id, text=output,parse_mode=telegram.ParseMode.MARKDOWN)
# Is this a forwarded message from Oak?
if text is not None and len(text) > 0:
logging.debug(text)
registerOak(bot, update)
else:
if group is not None and group["babysitter"] == 1 and not is_admin(chat_id, user_id, bot):
_ = set_language(group["language"])
delete_message(chat_id, message.message_id, bot)
if group["talkgroup"] is not None:
if re.match("@?[a-zA-Z]([a-zA-Z0-9_]+)$", group["talkgroup"]) is not None:
text_talkgroup="\n\n" + _("Para hablar puedes utilizar el grupo @{0}.").format(ensure_escaped(group["talkgroup"]))
else:
text_talkgroup="\n\n" + _("Para hablar puedes utilizar el grupo {0}.").format(ensure_escaped(group["talkgroup"]))
else:
text_talkgroup="";
user_text = "@%s " % ensure_escaped(user_username) if user_username is not None else ""
text = _("{0}En este canal solo se pueden crear incursiones y participar en ellas, pero no se puede hablar.{1}\n\n_(Este mensaje se borrará en unos segundos)_").format(user_text, text_talkgroup)
sent_message = bot.sendMessage(chat_id=chat_id, text=text,parse_mode=telegram.ParseMode.MARKDOWN)
Thread(target=delete_message_timed, args=(chat_id, sent_message.message_id, 13, bot)).start()
return
@run_async
def channelCommands(bot, update):
logging.debug("detectivepikachubot:channelCommands: %s %s" % (bot, update))
(chat_id, chat_type, user_id, text, message) = extract_update_info(update)
try:
args = re.sub(r"^/[a-zA-Z0-9_]+", "", text).strip().split(" ")
if len(args) == 1 and args[0] == "":
args = []
except:
args = None
m = re.match("/([a-zA-Z0-9_]+)", text)
if m is not None:
command = m.group(1).lower()
logging.debug("detectivepikachubot:channelCommands: Possible command %s" % command)
if command in ["setspreadsheet","spreadsheet"]:
spreadsheetcmd(bot, update, args)
elif command in ["settimezone","timezone"]:
timezonecmd(bot, update, args)
elif command in ["setlanguage","language"]:
languagecmd(bot, update, args)
elif command == "refresh":
refreshcmd(bot, update, args)
elif command == "settings":
settingscmd(bot, update)
elif command in ["search","buscar"]:
searchcmd(bot, update, args)
elif command == "raid":
raidcmd(bot, update, args)
elif command == "list":
listcmd(bot, update)
elif command in ["borrar","delete"]:
deletecmd(bot, update, args)
elif command in ["cancelar","cancel"]:
cancelcmd(bot, update, args)
elif command in ["reflotar","refloat"]:
refloatcmd(bot, update, args)
elif command in ["reflotartodo","reflotartodas","refloatall"]:
refloatallcmd(bot, update, args)
elif command in ["reflotarhoy","refloattoday"]:
refloattodaycmd(bot, update, args)
elif command in ["reflotaractivas","reflotaractivo","refloatactive"]:
refloatactivecmd(bot, update, args)
elif command in ["cambiarhora","hora","time"]:
timecmd(bot, update, args)
elif command in ["cambiarhorafin","horafin","endtime"]:
endtimecmd(bot, update, args)
elif command in ["cambiargimnasio","gimnasio","gym"]:
gymcmd(bot, update, args)
elif command in ["cambiarpokemon","pokemon"]:
pokemoncmd(bot, update, args)
elif command in ["stats","ranking"]:
statscmd(bot, update, args)
else:
# Default to process normal message for babysitter mode
processMessage(bot,update)
@run_async
def settingscmd(bot, update):
logging.debug("detectivepikachubot:settingscmd: %s %s" % (bot, update))
(chat_id, chat_type, user_id, text, message) = extract_update_info(update)
chat_title = message.chat.title
if chat_type == "private":
user = getUser(user_id)
_ = set_language(user["language"])
bot.sendMessage(chat_id=chat_id, text=_("El comando `/settings` solo funciona en canales y grupos"))
return
if chat_type != "channel" and (not is_admin(chat_id, user_id, bot) or isBanned(user_id)):
return
try:
bot.deleteMessage(chat_id=chat_id,message_id=message.message_id)
except:
pass
group = getGroup(chat_id)
if group is None and chat_type == "channel":
saveGroup({"id":chat_id, "title":message.chat.title})
group = getGroup(chat_id)
elif group is None:
bot.sendMessage(chat_id=chat_id, text=_("No tengo información de este grupo. Consulta los errores frecuentes en {0}").format(config["telegram"]["bothelp"]), parse_mode=telegram.ParseMode.MARKDOWN)
return
_ = set_language(group["language"])
if group["settings_message"] is not None:
try:
bot.deleteMessage(chat_id=chat_id,message_id=group["settings_message"])
except:
pass
group_alias = None
if hasattr(message.chat, 'username') and message.chat.username is not None:
group_alias = message.chat.username
group["alias"] = group_alias
group["title"] = chat_title
settings_markup = get_settings_keyboard(chat_id, langfunc=_)
message = bot.sendMessage(chat_id=chat_id, text=_("Cargando preferencias del grupo. Un momento..."))
group["settings_message"] = message.message_id
saveGroup(group)
Thread(target=update_settings_message_timed, args=(chat_id, 1, bot)).start()
@run_async
def languagecmd(bot, update, args=None):
logging.debug("detectivepikachubot:languagecmd: %s %s %s" % (bot, update, args))
(chat_id, chat_type, user_id, text, message) = extract_update_info(update)
if chat_type not in ["channel","private"] and (not is_admin(chat_id, user_id, bot) or isBanned(user_id)):
return
if chat_type == "private":
user_username = message.from_user.username
user = refreshUsername(user_id, user_username)
entity = getUser(user_id)
else:
entity = getGroup(chat_id)
try:
bot.deleteMessage(chat_id=chat_id,message_id=message.message_id)
except:
pass
_ = set_language(entity["language"])
if args is None or len(args)!=1 or len(args[0])<3 or len(args[0])>60:
avlangs = ", ".join([available_languages[i]["name"] for i in available_languages.keys()])
curlang = available_languages[entity["language"]]["name"]
bot.sendMessage(chat_id=chat_id, text=_("💬 Idioma actual: *{0}*\nIdiomas disponibles: _{1}_").format(curlang, avlangs), parse_mode=telegram.ParseMode.MARKDOWN)
return
chosenlang = None
wantedlang = args[0]
for l in available_languages.keys():
if re.search("%s" % unidecode(args[0]), unidecode(available_languages[l]["name"]), flags=re.IGNORECASE) != None:
chosenlang = l
if chosenlang is not None:
entity["language"] = chosenlang
if chat_type == "private":
saveWholeUser(entity)
else:
saveGroup(entity)
curlang = available_languages[entity["language"]]["name"]
_ = set_language(entity["language"])
bot.sendMessage(chat_id=chat_id, text=_("👌 Establecido idioma *{0}*.").format(curlang), parse_mode=telegram.ParseMode.MARKDOWN)
else:
bot.sendMessage(chat_id=chat_id, text=_("❌ No se ha encontrado ningún idioma válido con ese nombre."), parse_mode=telegram.ParseMode.MARKDOWN)
@run_async
def listcmd(bot, update):
logging.debug("detectivepikachubot:listcmd: %s %s" % (bot, update))
(chat_id, chat_type, user_id, text, message) = extract_update_info(update)
if chat_type == "private":
user = getUser(user_id)
_ = set_language(user["language"])
bot.sendMessage(chat_id=chat_id, text=_("El comando `/list` solo funciona en canales y grupos"))
return
try:
bot.deleteMessage(chat_id=chat_id,message_id=message.message_id)
except:
pass
if chat_type != "channel" and (not is_admin(chat_id, user_id, bot) or isBanned(user_id) or isBanned(chat_id)):
return
group = getGroup(chat_id)
_ = set_language(group["language"])
gyms = getPlaces(chat_id)
if len(gyms)==0:
bot.sendMessage(chat_id=chat_id, text=_("No hay gimnasios configurados en este grupo/canal"))
return
output = _("Lista de gimnasios conocidos ({0}):").format(len(gyms))
bot.send_chat_action(chat_id=chat_id, action=ChatAction.TYPING)
for p in gyms:
output = output + ("\n - %s%s" % (p["desc"], format_gym_emojis(p["tags"])))
if len(output) > 4096:
output = output[:4006].rsplit('\n', 1)[0]+"...\n" + _("_(El mensaje se ha cortado porque era demasiado largo)_")
bot.sendMessage(chat_id=chat_id, text=output, parse_mode=telegram.ParseMode.MARKDOWN)
@run_async
def raidscmd(bot, update):
logging.debug("detectivepikachubot:raidscmd: %s %s" % (bot, update))
(chat_id, chat_type, user_id, text, message) = extract_update_info(update)
user_username = message.from_user.username
if isBanned(chat_id) or isBanned(user_id):
return
if not edit_check_private(chat_id, chat_type, user_username, "raids", bot):
delete_message(chat_id, message.message_id, bot)
return
user = getUser(user_id)
if user is not None:
_ = set_language(user["language"])
else:
_ = set_language("es_ES")
raids = getActiveRaidsforUser(user_id)
if len(raids) > 0:
output = _("🐲 Estas son las incursiones activas en los grupos en los que participas activamente:") + "\n"
for r in raids:
creador = getCreadorRaid(r["id"])
group = getGrupoRaid(r["id"])
gym_emoji = created_text = identifier_text = ""
if group["alias"] is not None:
incursion_text = _("<a href='https://t.me/{0}/{1}'>Incursión</a>").format(group["alias"], r["message"])
group_text = _("<a href='https://t.me/{0}'>{1}</a>").format(group["alias"], html.escape(group["title"]))
else:
incursion_text = _("Incursión")
try:
group_text = "<i>%s</i>" % (html.escape(group["title"]))
except:
group_text = _("<i>(Grupo sin nombre guardado)</i>")
if group["locations"] == 1:
if "gimnasio_id" in r.keys() and r["gimnasio_id"] is not None:
gym_emoji="🌎"
else:
gym_emoji="❓"
if r["pokemon"] is not None:
what_text = "<b>%s</b>" % r["pokemon"]
else:
what_text= r["egg"].replace("N",_("<b>Nivel") + " ").replace("EX",_("<b>EX")) + "</b>"
what_day = format_text_day(r["timeraid"], group["timezone"], "html", langfunc=_)
if creador["username"] is not None:
created_text = " por @%s" % (creador["username"])
if is_admin(r["grupo_id"], user_id, bot):
identifier_text = " (id <code>%s</code>)" % r["id"]
if r["status"] == "waiting":
raid_emoji = "🕒"
elif r["status"] == "started":
raid_emoji = "💥"
else:
continue
text = "\n" + _("{0} {1} {2}a las <b>{3}</b> en {4}<b>{5}</b>{6}{7} - {8} en {9}").format(raid_emoji, what_text, what_day, extract_time(r["timeraid"]), gym_emoji, r["gimnasio_text"], created_text, identifier_text, incursion_text, group_text)
output = output + text
else:
output = _("🐲 No hay incursiones activas en los grupos en los que has participado recientemente")
bot.sendMessage(chat_id=user_id, text=output, parse_mode=telegram.ParseMode.HTML, disable_web_page_preview=True)
@run_async
def profilecmd(bot, update):
logging.debug("detectivepikachubot:profilecmd: %s %s" % (bot, update))
(chat_id, chat_type, user_id, text, message) = extract_update_info(update)
user_username = message.from_user.username
if not edit_check_private(chat_id, chat_type, user_username, "profile", bot):
delete_message(chat_id, message.message_id, bot)
return
if not isBanned(user_id):
user = refreshUsername(user_id, user_username)
user = getUser(chat_id)
_ = set_language(user["language"])
if user is not None:
text_alias = ("*%s*" % user["username"]) if user["username"] is not None else _("_Desconocido_")
text_trainername = ("*%s*" % user["trainername"]) if user["trainername"] is not None else _("_Desconocido_")
if user["team"] is None:
text_team = _("_Desconocido_")
elif user["team"] == "Rojo":
text_team = _("*Valor*")
elif user["team"] == "Azul":
text_team = _("*Sabiduría*")
elif user["team"] == "Amarillo":
text_team = _("*Instinto*")
text_level = ("*%s*" % user["level"]) if user["level"] is not None else _("_Desconocido_")
if user["banned"] == 1:
text_validationstatus = _("*Baneada*")
elif user["validation"] == "internal" or user["validation"] == "oak":
text_validationstatus = _("*Validada*")
else:
text_validationstatus = _("*No validada*")
output = _("ID de Telegram: *{0}*\nAlias de Telegram: {1}\nNombre de entrenador: {2}\nEstado cuenta: {3}\nEquipo: {4}\nNivel: {5}").format(user["id"], text_alias, text_trainername, text_validationstatus, text_team, text_level)
else:
output = _("❌ No tengo información sobre ti.")
bot.sendMessage(chat_id=user_id, text=output, parse_mode=telegram.ParseMode.MARKDOWN)
@run_async
def statscmd(bot, update, args = None):
logging.debug("detectivepikachubot:statscmd: %s %s" % (bot, update))
(chat_id, chat_type, user_id, text, message) = extract_update_info(update)
if isBanned(chat_id):
return
if chat_type == "private":
# User stats
user_username = message.from_user.username
user = getUser(chat_id)
if user is not None:
_ = set_language(user["language"])
if user["validation"] != "none":
groups = getGroupsByUser(user["id"])
# Group count
valid_groups = 0
for g in groups:
if g["testgroup"] == 1:
continue
valid_groups = valid_groups + 1
# Raids
for g in groups:
if g["testgroup"] == 1:
continue
if g["alias"] is not None:
group_text = "<a href='https://t.me/%s'>%s</a>" % (g["alias"],html.escape(g["title"]))
else:
try:
group_text = "<i>%s</i>" % (html.escape(g["title"]))
except:
group_text = _("<i>(Grupo sin nombre guardado)</i>")
now = datetime.now(timezone(g["timezone"])) + timedelta(hours=2)
lastweek_start = now.replace(hour=0,minute=0) - timedelta(days=now.weekday(), weeks=1)
lastweek_end = lastweek_start.replace(hour=23,minute=59) + timedelta(days=6)
twoweeksago_start = now.replace(hour=0,minute=0) - timedelta(days=now.weekday(), weeks=2)
twoweeksago_end = twoweeksago_start.replace(hour=23,minute=59) + timedelta(days=6)
# Personal stats
userstats_lastweek = getGroupUserStats(g["id"], user_id, lastweek_start, lastweek_end)
userraids_lastweek = userstats_lastweek["incursiones"] if userstats_lastweek is not None else 0
userstats_twoweeksago = getGroupUserStats(g["id"], user_id, twoweeksago_start, twoweeksago_end)
userraids_twoweeksago = userstats_twoweeksago["incursiones"] if userstats_twoweeksago is not None else 0
# Group stats
groupstats_lastweek = getRanking(g["id"], lastweek_start, lastweek_end)
groupsize_lastweek = len(groupstats_lastweek)
if groupsize_lastweek == 0:
continue
groupposition_lastweek = 0
groupcounter_lastweek = 0
lastraidno = 0
userposition_lastweek = groupsize_lastweek
for gs in groupstats_lastweek:
groupcounter_lastweek = groupcounter_lastweek + 1
if gs["incursiones"] != lastraidno:
groupposition_lastweek = groupcounter_lastweek
lastraidno = gs["incursiones"]
if gs["user_id"] == user["id"]:
userposition_lastweek = groupposition_lastweek
break
relposition_lastweek = 100 - (100*userposition_lastweek/groupsize_lastweek)
if userraids_lastweek > userraids_twoweeksago:
userraids_moreorless = _("{0} más").format(userraids_lastweek - userraids_twoweeksago)
elif userraids_lastweek < userraids_twoweeksago:
userraids_moreorless = _("{0} menos").format(userraids_twoweeksago - userraids_lastweek)
else:
userraids_moreorless = _("las mismas")
daymonth_text = "%s/%s" % (lastweek_start.day, lastweek_start.month)
output = _("{0}\n - La semana del {1} has hecho <b>{2}</b> incursiones ({3} que la semana anterior).\n - Estás en <b>{4}ª</b> posición en número de incursiones realizadas.\n - Son más incursiones que el <b>{5}%</b> de entrenadores activos.").format(group_text, daymonth_text, userraids_lastweek, userraids_moreorless, userposition_lastweek, "%.2f" % relposition_lastweek)
bot.sendMessage(chat_id=user_id, text=output, parse_mode=telegram.ParseMode.HTML, disable_web_page_preview=True)
else:
output = _("❌ Para poder obtener estadísticas, es necesario estar validado y participar en incursiones.")
bot.sendMessage(chat_id=user_id, text=output, parse_mode=telegram.ParseMode.HTML, disable_web_page_preview=True)
else:
_ = set_language("es_ES")
output = _("❌ Para poder obtener estadísticas, es necesario estar validado y participar en incursiones.")
bot.sendMessage(chat_id=user_id, text=output, parse_mode=telegram.ParseMode.HTML, disable_web_page_preview=True)
else:
# Channel/group stats
try:
bot.deleteMessage(chat_id=chat_id,message_id=message.message_id)
except: