-
Notifications
You must be signed in to change notification settings - Fork 7
/
antispam_mozita.py
1168 lines (1088 loc) · 64.5 KB
/
antispam_mozita.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/python3
import os
import time
from datetime import datetime
import json
from pathlib import Path
from configparser import ConfigParser
import telepot
from telepot.loop import MessageLoop
from telepot.namedtuple import InlineKeyboardMarkup, InlineKeyboardButton
import telegram_events
if not os.path.isfile("config.ini"):
print("Il file di configurazione non è presente. Rinomina il file 'config-sample.ini' in 'config.ini' e inserisci il token.")
exit()
script_path = os.path.dirname(os.path.realpath(__file__))
config_parser = ConfigParser()
config_parser.read(os.path.join(script_path, "config.ini"))
TOKEN = config_parser.get("access", "token")
if TOKEN == "":
print("Token non presente.")
exit()
if Path("frasi.json").exists():
frasi = json.loads(open("frasi.json", encoding="utf8").read())
else:
print("File frasi non presente.")
exit()
versione = "1.6.5" # Cambiare manualmente
ultimo_aggiornamento = "20-06-2020" # Cambiare manualmentente
# Per poter sapere quale versione è in esecuzione (da terminale)
print("(Antispam) Versione: " + versione + " - Aggiornamento: " + ultimo_aggiornamento)
BLOCCO_PAROLE_VIETATE = 2 # 0 -> Attivato: Elimina messaggi e invia messaggio agli admin in privato
# 1 -> Disattivato: Non effettua alcun controllo
# 2 -> "Semi"-Attivo: NON elimina messaggi, ma invia messaggio agli admin in privato
USER_ID_BOT = "732117113"
data_salvataggio = ""
response = ""
adminlist_path = "adminlist.json"
whitelist_path = "whitelist.json"
blacklist_path = "blacklist.json"
blacklist_name_path = "blacklist_name.json"
templist_path = "templist.json"
templist_name_path = "templist_name.json"
spamlist_path = "spamlist.json"
chat_name_path = "chat_name.json"
parole_vietate_path = "parole_vietate.json"
adminlist = []
whitelist = []
blacklist = {}
blacklist_name = {}
templist = {}
templist_name = {}
spamlist = []
if Path(chat_name_path).exists():
chat_name = json.loads(open(chat_name_path).read())
else:
chat_name = {}
if Path(parole_vietate_path).exists():
parole_vietate = json.loads(open(parole_vietate_path).read())
else:
parole_vietate = []
link_regolamento = "https://github.com/MozillaItalia/mozitaantispam_bot/wiki/Regolamento"
# elimina il messaggio - Passare chat_id e message_id
def risposta_a_BIC(query_id, text = ""):
if query_id != "-":
if text == "":
bot.answerCallbackQuery(query_id,
cache_time=0)
else:
bot.answerCallbackQuery(query_id, text,
cache_time=0)
def elimina_msg(chat_id, message_id, messaggio_eliminato=False):
if not messaggio_eliminato:
bot.deleteMessage((chat_id, message_id))
return True
return False
# assegna un nome utente alternativo se l'userid non ha alcun username valido
def nousername_assegnazione(nousername, user_id, user_name):
if nousername:
return "<a href='tg://user?id=" + str(user_id) + "'>" + str(user_id) + "</a>"
else:
return "<a href='tg://user?id=" + \
str(user_id) + "'>@" + str(user_name) + "</a>" + " (<code>" + str(user_id) + "</code>)"
# determina lo status dell'utente: user_id -> intero e type_msg -> stringa
# - Restituisce {"A"|"W"|"B"|"T"|"S"|"-"}
def identifica_utente(user_id):
global adminlist
global whitelist
global blacklist
global templist
global spamlist
user_id = int(user_id)
if (user_id in adminlist and user_id in whitelist) or user_id == 240188083:
status_user = "A" # adminlist
elif user_id in spamlist:
status_user = "S" # spamlist
elif user_id in whitelist:
status_user = "W" # whitelist
elif user_id in templist.values():
status_user = "T" # templist
elif user_id in blacklist.values():
status_user = "B" # blacklist
else:
status_user = "-" # Other
return status_user
# controlla se il messaggio inviato contiene una o più parole vietate - Restituisce {True|False}
def check_parole_vietate(text, attivato):
global parole_vietate
if attivato == 0 or attivato == 2:
if any(ext in text.lower() for ext in parole_vietate):
return True
return False
'''
stampa_su_file(<cosa stampare>,<{True|False} indica se è una stampa di
ERRORE/ECCEZIONE o una stampa 'normale'>) -> se è TRUE viene anche
stampato tutto il "response", così da poter individuare l'errore
'''
def stampa_su_file(stampa, err):
global response, data_salvataggio
if err:
stampa = str(response) + "\n--------------------\n" + "!!! " + str(stampa) + " !!!"
stampa = stampa + "\n--------------------\n"
try:
if os.path.exists("./history_mozitaantispam") == False:
os.mkdir("./history_mozitaantispam")
except Exception as exception_value:
print("Excep:21 -> " + str(exception_value))
stampa_su_file("Except:21 ->" + str(exception_value), True)
try:
# apre il file in scrittura "append" per inserire orario e data -> log di
# utilizzo del bot (ANONIMO)
file = open("./history_mozitaantispam/log_" +
str(data_salvataggio) + ".txt", "a", -1, "UTF-8")
# ricordare che l'orario è in fuso orario UTC pari a 0/+1 (Greenwich, Londra)
# mentre l'Italia è a +1 (CET) o +2 (CEST - estate)
file.write(stampa)
file.close()
except Exception as exception_value:
print("Excep:03 -> " + str(exception_value))
# stampa_su_file("Except:03 ->" + str(exception_value), True)
def invia_messaggio_admin(msg):
for admin_x in adminlist:
try:
bot.sendMessage(admin_x, "📌 " + msg, parse_mode="HTML")
except Exception as exception_value:
print("Excep:25 -> " + str(exception_value))
stampa_su_file("Except:25 ->" + str(exception_value), True)
def risposte(msg):
localtime = datetime.now()
global data_salvataggio
#global templist_time
data_salvataggio = localtime.strftime("%Y_%m_%d")
localtime = localtime.strftime("%d/%m/%y %H:%M:%S")
messaggio = msg
type_msg = ""
modificato = False
risposta = False
global response
response = bot.getUpdates()
#print(response) # da mettere come commento nella stabile
global adminlist
global whitelist
global blacklist
global blacklist_name
global templist
global templist_name
global spamlist
if Path(adminlist_path).exists():
adminlist = json.loads(open(adminlist_path).read())
else:
# nel caso in cui non dovesse esistere alcun file "adminlist.json" imposta
# staticamente l'userid (240188083) di Sav22999 -> così da
# poter confermare anche altri utenti
adminlist = [240188083]
if Path(whitelist_path).exists():
whitelist = json.loads(open(whitelist_path).read())
if Path(blacklist_path).exists():
blacklist = json.loads(open(blacklist_path).read())
if Path(blacklist_name_path).exists():
blacklist_name = json.loads(open(blacklist_name_path).read())
if Path(templist_path).exists():
templist = json.loads(open(templist_path).read())
if Path(templist_name_path).exists():
templist_name = json.loads(open(templist_name_path).read())
if Path(spamlist_path).exists():
spamlist = json.loads(open(spamlist_path).read())
# caricamento degli eventi gestiti
EventiList = {}
EventiList = telegram_events.events(msg, ["[[ALL]]"], response)
text = EventiList["text"]
type_msg = EventiList["type_msg"]
modificato = EventiList["modificato"]
risposta = EventiList["risposta"]
msg_saved = msg
if "chat" not in msg and "channel_post" not in msg:
msg = msg["message"]
elif "channel_post" in msg:
msg = msg["channel_post"]
chat_id = msg['chat']['id']
# print(chat_id)
message_id = msg['message_id']
# print(message_id)
msg_saved2 = msg
msg = msg_saved
if msg_saved2['chat']['type'] == "group" or msg_saved2['chat']['type'] == "supergroup" or msg_saved2['chat']['type'] == "private":
print("Entrato")
query_id = "-"
if type_msg == "BIC" and "id" in msg:
query_id = msg["id"]
# verifica se (1) è stato AGGIUNTO (2) è stato RIMOSSO (3) si è UNITO (4) è USCITO
try:
if type_msg == "JA":
user_id = msg['new_chat_participant']['id']
nousername = False
if "username" in msg['new_chat_participant']:
user_name = msg['new_chat_participant']['username']
else:
user_name = "[*NessunUsername*]" + str(user_id)
nousername = True
elif type_msg == "LR":
user_id = msg['left_chat_participant']['id']
nousername = False
if "username" in msg['left_chat_participant']:
user_name = msg['left_chat_participant']['username']
else:
user_name = "[*NessunUsername*]" + str(user_id)
nousername = True
else:
user_id = msg['from']['id']
nousername = False
if "username" in msg['from']:
user_name = msg['from']['username']
else:
user_name = "[*NessunUsername*]" + str(user_id)
nousername = True
except Exception as exception_value:
print("Excep:22 -> " + str(exception_value))
stampa_su_file("Except:22 ->" + str(exception_value), True)
user_id = msg['from']['id']
user_name = "[*NessunUsername*]" + str(user_id)
nousername = True
# print(user_id)
# print(user_name)
username_utente_nousername = nousername_assegnazione(nousername, user_id, user_name)
msg = msg_saved2
if str(chat_id) in chat_name and (msg['chat']['type'] == "group" or msg['chat']['type'] == "supergroup"):
# BOT NEI GRUPPI ABILITATI
print("Entrato2")
messaggio_eliminato = False
# ricava dalla chat_name list il nome della chat
nome_gruppo = str(chat_name[str(chat_id)])
# inline button message -> possono verificarsi SOLO se si è nei gruppi abilitati
new = InlineKeyboardMarkup(inline_keyboard=[
[InlineKeyboardButton(text=frasi["button_mostra_regolamento"], callback_data="/leggiregolamento")],
[InlineKeyboardButton(text=frasi["button_blocca_utente"], callback_data="/bloccautente")],
])
regolamentoletto = InlineKeyboardMarkup(inline_keyboard=[
[InlineKeyboardButton(text=frasi["button_leggi_regolamento"], url=link_regolamento)],
[InlineKeyboardButton(text=frasi["button_conferma_utente"], callback_data='/confutente')],
[InlineKeyboardButton(text=frasi["button_blocca_utente"], callback_data="/bloccautente")],
])
linkregolamento = InlineKeyboardMarkup(inline_keyboard=[
[InlineKeyboardButton(text=frasi["button_leggi_regolamento"], url=link_regolamento)],
])
messaggio_benvenuto = str(
(frasi["benvenuto"]).replace(
"{{**username**}}",
str(username_utente_nousername))).replace(
"{{**nome_gruppo**}}",
str(nome_gruppo))
global BLOCCO_PAROLE_VIETATE
controllo_parole_vietate = check_parole_vietate(text, BLOCCO_PAROLE_VIETATE)
if controllo_parole_vietate:
# Parola vietata inserita
if BLOCCO_PAROLE_VIETATE == 0:
if not messaggio_eliminato:
messaggio_eliminato = elimina_msg(chat_id, message_id, messaggio_eliminato)
text = frasi["eliminato_da_bot"] + text
username_utente_nousername = nousername_assegnazione(nousername, user_id, user_name)
bot.sendMessage(chat_id, str(frasi["parola_vietata_presente"]).replace(
"{{**username**}}", str(username_utente_nousername)), parse_mode="HTML")
invia_messaggio_admin(
username_utente_nousername +
": PAROLA VIETATA -- Gruppo: <b>" +
str(nome_gruppo) +
"</b>\n\nTesto messaggio:\n<i>" +
str(text) +
"</i>")
status_user = identifica_utente(user_id)
try:
if status_user == "-" and not (type_msg == "LR"):
if not messaggio_eliminato and not type_msg == "BIC":
messaggio_eliminato = elimina_msg(chat_id, message_id, messaggio_eliminato)
text = frasi["eliminato_da_bot"] + text
elif type_msg == "BIC":
messaggio_eliminato = True
elif status_user == "S" and not (type_msg == "LR"):
if not messaggio_eliminato:
messaggio_eliminato = elimina_msg(chat_id, message_id, messaggio_eliminato)
text = frasi["eliminato_da_bot"] + text
try:
bot.kickChatMember(chat_id, user_id, until_date=None)
bot.sendMessage(
chat_id, str(
frasi["utente_cacciato"]).replace(
"{{**username**}}", str(username_utente_nousername)), parse_mode="HTML")
except Exception as exception_value:
print("Excep:24 -> " + str(exception_value))
stampa_su_file("Except:24 ->" + str(exception_value), True)
invia_messaggio_admin(
username_utente_nousername +
": UTENTE RIMOSSO -- Gruppo: <b>" +
str(nome_gruppo) +
"</b>")
elif status_user == "B" and type_msg != "BIC":
if type_msg != "J" and type_msg != "L":
if not messaggio_eliminato:
messaggio_eliminato = elimina_msg(chat_id, message_id, messaggio_eliminato)
text = frasi["eliminato_da_bot"] + text
elif status_user == "T" and type_msg != "BIC":
# Accettati solamente messaggi di TESTO, STICKER e GIF
if type_msg != "NM" and type_msg != "S" and type_msg != "G" and (
type_msg != "J" and type_msg != "L"):
if not messaggio_eliminato:
messaggio_eliminato = elimina_msg(chat_id, message_id, messaggio_eliminato)
text = frasi["eliminato_da_bot"] + text
if type_msg == "NI":
# Tipo di messaggio NonIdentificato -> viene eliminato
if not messaggio_eliminato:
messaggio_eliminato = elimina_msg(chat_id, message_id, messaggio_eliminato)
text = frasi["eliminato_da_bot"] + text
if text == frasi["eliminato_da_bot"] + "/confutente":
messaggio_eliminato = True #
global USER_ID_BOT
# 732117113 -> userid del bot
if (type_msg == "J" or type_msg == "JA") and not str(user_id) == USER_ID_BOT and not status_user == "S" and not status_user == "W" and not status_user == "A" and not (type_msg == "LR" or type_msg=="L"):
# Nuovo utente
bot.sendMessage(chat_id, messaggio_benvenuto, reply_markup=new, parse_mode="HTML")
blacklist[str(message_id)] = int(user_id)
blacklist_name[str(user_id)] = str(user_name)
try:
with open(blacklist_path, "wb") as file_with:
file_with.write(json.dumps(blacklist).encode("utf-8"))
with open(blacklist_name_path, "wb") as file_with:
file_with.write(json.dumps(blacklist_name).encode("utf-8"))
except Exception as exception_value:
print("Excep:13 -> " + str(exception_value))
stampa_su_file("Except:13 ->" + str(exception_value), True)
elif (type_msg != "J" and type_msg != "L" and not str(user_id) == USER_ID_BOT and status_user == "-") or (text == frasi["eliminato_da_bot"] + "/benvenuto" and type_msg == "LK" and not (user_id in templist.values()) and not (user_id in whitelist)):
# Utente già presente nel gruppo ma non presente in alcuna lista
bot.sendMessage(chat_id, messaggio_benvenuto, reply_markup=new, parse_mode="HTML")
blacklist[str(message_id)] = int(user_id)
blacklist_name[str(user_id)] = str(user_name)
if not messaggio_eliminato:
messaggio_eliminato = elimina_msg(chat_id, message_id, messaggio_eliminato)
text = frasi["eliminato_da_bot"] + text
try:
with open(blacklist_path, "wb") as file_with:
file_with.write(json.dumps(blacklist).encode("utf-8"))
with open(blacklist_name_path, "wb") as file_with:
file_with.write(json.dumps(blacklist_name).encode("utf-8"))
except Exception as exception_value:
print("Excep:14 -> " + str(exception_value))
stampa_su_file("Except:14 ->" + str(exception_value), True)
else:
if text == "/leggiregolamento" and type_msg == "BIC":
user_id_presente = True
try:
user_id_to_use = int(blacklist[str(int(message_id) - 1)])
except Exception as exception_value:
print("Excep:31 -> " + str(exception_value))
stampa_su_file("Except:31 ->" + str(exception_value), True)
user_id_presente = False
if user_id_presente and user_id == user_id_to_use:
try:
# cancella messaggio di benvenuto
elimina_msg(chat_id, message_id)
except Exception as exception_value:
print("Excep:27 -> " + str(exception_value))
stampa_su_file("Except:27 ->" + str(exception_value), True)
if not user_id_to_use in whitelist:
templist[str(int(message_id) - 1)] = blacklist[str(int(message_id) - 1)]
print(templist)
#templist_time = datetime.now() #salva quando l'utente entra nella templist
# print(templist[str(int(message_id)-1)]) #userid
templist_name[str(templist[str(int(message_id) - 1)])] \
= [blacklist_name[str(blacklist[str(int(message_id) - 1)])], localtime]
del blacklist[str(int(message_id) - 1)] # cancello l'utente SOLO dalla BlackList (quando viene confermato, poi, viene rimosso anche dalla BlackList_name e viene rimosso ogni voce correlata residua anche da BlackList)
'''
Spiegazione: Un utente può entrare in vari gruppi (o comunque mostrare il messaggio di benvenuto tramite /benvenuto),
quindi può essere presente più di una ricorrenza nella BlackList -> le altre ricorrenze vengono automaticamente rimosse quando l'utente viene confermato
'''
status_user = "T"
bot.sendMessage(
chat_id, str(
frasi["regolamento_letto"]).replace(
"{{**username**}}", str(username_utente_nousername)), reply_markup=regolamentoletto, parse_mode="HTML")
try:
with open(blacklist_path, "wb") as file_with:
file_with.write(json.dumps(blacklist).encode("utf-8"))
with open(templist_path, "wb") as file_with:
file_with.write(json.dumps(templist).encode("utf-8"))
with open(templist_name_path, "wb") as file_with:
file_with.write(json.dumps(templist_name).encode("utf-8"))
except Exception as exception_value:
text += "\n >> >> Esito: NO"
print("Excep:15 -> " + str(exception_value))
stampa_su_file("Except:15 ->" + str(exception_value), True)
text = "|| Lettura regolamento ||\n >> >> Esito: OK"
risposta_a_BIC(query_id)
else:
text = "|| Lettura regolamento ||\n >> >> Esito: NO"
risposta_a_BIC(query_id, "Non sei abilitato a premere questo pulsante.")
if not user_id_presente:
try:
# cancella messaggio di benvenuto
elimina_msg(chat_id, message_id)
except Exception as exception_value:
print("Excep:27 -> " + str(exception_value))
stampa_su_file("Except:27 ->" + str(exception_value), True)
elif text == "/confutente" and type_msg == "BIC":
if user_id in whitelist or user_id in adminlist:
user_name_temp = str(msg['text'].split(" ")[0])
user_id_temp = 0
# print("Username temp: "+str(user_name_temp))
# print("Messaggio:"+msg['text'])
if "@" in user_name_temp:
user_name_temp = user_name_temp.lstrip("@")
else:
user_name_temp = "[*NessunUsername*]" + str(user_name_temp)
presente_nella_templist_name = False
templist_name_temp = []
for i in range(len(templist_name)):
# print(str(list(templist_name.values())[i]))
if (user_name_temp in list(templist_name.values())[i]):
presente_nella_templist_name = True
templist_name_temp = list(templist_name.values())[i]
# print("\nLista salvata: "+str(templist_name_temp))
if presente_nella_templist_name:
username_utente_nousername = nousername_assegnazione(
nousername, user_id, user_name)
user_id_temp = int(
next(
(x for x in templist_name if templist_name[x][0] == str(user_name_temp)),
None))
localtime_temp = datetime.strptime(str(templist_name_temp[1]), "%d/%m/%y %H:%M:%S")
message_id_temp = int(
next(
(x for x in templist if templist[x] == int(user_id_temp)),
None)) + 1
username_utente_nousername_temp = nousername_assegnazione(
nousername, user_id_temp, str(templist_name_temp[0]))
#print("Utente da verificare: "+str(templist[int(message_id_temp)-1]) + "Message id: "+str(message_id_temp))
tempo_rimanente_per_la_conferma = (datetime.strptime(localtime, "%d/%m/%y %H:%M:%S") - localtime_temp).total_seconds()
if tempo_rimanente_per_la_conferma > 30:
if not user_id_temp in whitelist:
bot.sendMessage(
chat_id,
str(
(frasi["utente_confermato"]).replace(
"{{**utente_che_conferma**}}",
str(username_utente_nousername))).replace(
"{{**utente_confermato**}}",
str(username_utente_nousername_temp)),
parse_mode="HTML")
bot.sendMessage(chat_id, str(frasi["utente_confermato2"]).replace(
"{{**username**}}", str(username_utente_nousername_temp)), reply_markup=linkregolamento, parse_mode="HTML")
if not int(templist[str(int(message_id_temp) - 1)]) in whitelist:
whitelist.append(int(templist[str(int(message_id_temp) - 1)]))
user_id_to_delete = str(templist[str(int(message_id_temp) - 1)])
del blacklist_name[user_id_to_delete] # cancello l'utente anche dalla BlackList_Name
del templist_name[user_id_to_delete] # cancello l'utente dalla TempList_Name
list_black_msg_id_to_delete = []
list_temp_msg_id_to_delete = []
for x in blacklist:
if str(blacklist[x]) == user_id_to_delete:
list_black_msg_id_to_delete.append(x)
for x in templist:
if str(templist[x]) == user_id_to_delete:
list_temp_msg_id_to_delete.append(x)
for x in list_black_msg_id_to_delete:
del blacklist[x] # cancello ogni traccia rimanente (se presente) dalla BlackList
for x in list_temp_msg_id_to_delete:
del templist[x] # cancello l'utente dalla TempList
status_user = "W"
try:
with open(blacklist_path, "wb") as file_with:
file_with.write(json.dumps(blacklist).encode("utf-8"))
with open(blacklist_name_path, "wb") as file_with:
file_with.write(json.dumps(blacklist_name).encode("utf-8"))
with open(whitelist_path, "wb") as file_with:
file_with.write(json.dumps(whitelist).encode("utf-8"))
with open(templist_path, "wb") as file_with:
file_with.write(json.dumps(templist).encode("utf-8"))
with open(templist_name_path, "wb") as file_with:
file_with.write(json.dumps(templist_name).encode("utf-8"))
except Exception as exception_value:
text += "\n >> >> Esito: NO"
print("Excep:16 -> " + str(exception_value))
stampa_su_file("Except:16 ->" + str(exception_value), True)
text = "|| Conferma utente ||\n >> >> Esito: OK"
risposta_a_BIC(query_id)
try:
# cancella messaggio di 'regolamento letto'
elimina_msg(chat_id, message_id)
# print(message_id_temp_deletemessage)
except Exception as exception_value:
print("Excep:28 -> " + str(exception_value))
stampa_su_file("Except:28 ->" + str(exception_value), True)
else:
text = "|| Conferma utente ||\n >> >> Esito: NO"
risposta_a_BIC(query_id, "Mancano "+str(int(30-int(tempo_rimanente_per_la_conferma)))+" secondi prima di poter confermare questo utente")
# print("Mancano "+str(int(30-int(tempo_rimanente_per_la_conferma)))+" secondi prima di poter confermare questo utente")
else:
print("Error:E1 -> L'utente non è presente nella TempList")
text = "|| Conferma utente ||\n >> >> Esito: NO"
stampa_su_file("Error:E1 -> L'utente non è presente nella TempList", True)
else:
text = "|| Conferma utente ||\n >> >> Esito: NO"
risposta_a_BIC(query_id, "Non sei abilitato a premere questo pulsante.")
elif text == "/bloccautente" and type_msg == "BIC":
if user_id in adminlist:
user_name_temp = str(msg['text'].split(" ")[0])
if "@" in user_name_temp:
user_name_temp = user_name_temp.lstrip("@")
else:
user_name_temp = "[*NessunUsername*]" + str(user_name_temp)
user_id_temp = 0 # imposto l'user_id a "0"
presente_nella_templist_name = False
templist_name_temp = []
for i in range(len(templist_name)):
# print(str(list(templist_name.values())[i]))
if (user_name_temp in list(templist_name.values())[i]):
presente_nella_templist_name = True
templist_name_temp = list(templist_name.values())[i]
# print("\nLista salvata: "+str(templist_name_temp))
if presente_nella_templist_name:
user_id_temp = int(
next(
(x for x in templist_name if templist_name[x][0] == str(user_name_temp)),
None))
msg_id_temp = int(
next(
(x for x in templist if templist[x] == int(user_id_temp)),
None)) + 1
if (user_id_temp in blacklist.values()):
del blacklist_name[str(user_id_temp)] # cancello l'utente da BlackList_name
del templist_name[str(user_id_temp)] # cancello l'utente da TempList_name
list_black_msg_id_to_delete = []
for x in blacklist:
if str(blacklist[x]) == str(user_id_temp):
list_black_msg_id_to_delete.append(x)
for x in list_black_msg_id_to_delete:
del blacklist[x] # cancello ogni traccia dell'utente spam dalla BlackList
list_temp_msg_id_to_delete = []
for x in templist:
if str(templist[x]) == str(user_id_temp):
list_temp_msg_id_to_delete.append(x)
for x in list_temp_msg_id_to_delete:
del templist[x] # cancello ogni traccia dell'utente spam dalla TempList
# print("Utente templist eliminato\n")
elif user_name_temp in blacklist_name.values():
user_id_temp = int(
list(
blacklist_name.keys())[
list(
blacklist_name.values()).index(
str(user_name_temp))])
msg_id_temp = int(
list(
blacklist.keys())[
list(
blacklist.values()).index(
int(user_id_temp))])
del blacklist_name[str(user_id_temp)]
list_black_msg_id_to_delete = []
for x in blacklist:
if str(blacklist[x]) == str(user_id_temp):
list_black_msg_id_to_delete.append(x)
for x in list_black_msg_id_to_delete:
del blacklist[x] # cancello ogni traccia dell'utente spam dalla BlackList
# print("Utente blacklist eliminato\n")
# print(str(user_id_temp) + " " + str(user_name_temp) + " " + str(msg_id_temp))
if not(user_id_temp in adminlist) and not user_id_temp == 0:
try:
if not int(user_id_temp) in spamlist:
spamlist.append(int(user_id_temp))
bot.kickChatMember(chat_id, user_id_temp, until_date=None)
username_utente_nousername = nousername_assegnazione(
nousername, user_id_temp, user_name_temp)
# bot.sendMessage(chat_id, str(frasi["utente_cacciato"]).replace("{{**username**}}", str(username_utente_nousername)), parse_mode="HTML")
status_user = "S" # spamlist
if user_id in adminlist:
status_user = "A"
invia_messaggio_admin(
username_utente_nousername +
": BLOCCATO E CACCIATO -- Gruppo: <b>" +
str(nome_gruppo) +
"</b>")
text = "|| Un utente è stato bloccato e cacciato ||"
except Exception as exception_value:
text += "\n >> >> Esito: NO"
print("Excep:23 -> " + str(exception_value))
stampa_su_file("Except:23 ->" + str(exception_value), True)
try:
with open(spamlist_path, "wb") as file_with:
file_with.write(json.dumps(spamlist).encode("utf-8"))
with open(blacklist_path, "wb") as file_with:
file_with.write(json.dumps(blacklist).encode("utf-8"))
with open(blacklist_name_path, "wb") as file_with:
file_with.write(json.dumps(blacklist_name).encode("utf-8"))
with open(templist_path, "wb") as file_with:
file_with.write(json.dumps(templist).encode("utf-8"))
with open(templist_name_path, "wb") as file_with:
file_with.write(json.dumps(templist_name).encode("utf-8"))
except Exception as exception_value:
print("Excep:18 -> " + str(exception_value))
stampa_su_file("Except:18 ->" + str(exception_value), True)
text = "|| Blocca utente ||\n >> >> Esito: OK"
try:
# cancella messaggio
elimina_msg(chat_id, message_id)
except Exception as exception_value:
print("Excep:29 -> " + str(exception_value))
stampa_su_file("Except:29 ->" + str(exception_value), True)
risposta_a_BIC(query_id)
else:
text = "|| Blocca utente ||\n >> >> Esito: NO"
risposta_a_BIC(query_id, "Non sei abilitato a premere questo pulsante.")
except Exception as exception_value:
print("Excep:01 -> " + str(exception_value))
stampa_su_file("Except:01 ->" + str(exception_value), True)
try:
dettagli = ""
if modificato:
dettagli += "(modificato) "
if risposta:
dettagli += "(risposta) "
stampa = "Id Msg: " + str(message_id) + " -- " + str(localtime) + " -- Utente: " + str(user_name) + " (" + str(user_id) + ")[" + str(status_user) + "] -- Gruppo: " + str(
nome_gruppo) + "(" + str(chat_id) + ")\n >> >> Tipo messaggio: " + str(type_msg) + "\n >> >> Contenuto messaggio: " + str(dettagli) + str(text)
print(stampa + "\n--------------------\n")
except Exception as exception_value:
stampa = "Excep:02 -> " + str(exception_value)
print(stampa + "\n--------------------\n")
stampa_su_file(stampa, False)
elif msg['chat']['type'] == "private":
# BOT IN CHAT PRIVATA
segnalazione_da_utente_bloccato = InlineKeyboardMarkup(inline_keyboard=[
[InlineKeyboardButton(text=frasi["messaggio_chat_privata_utente_bloccato_button"], callback_data="/segnalapossibileerrore")],
])
messaggio_sviluppatore_versione_aggiornamento = "MozIta Antispam Bot è stato sviluppato, per la comunità italiana di Mozilla Italia, da Saverio Morelli (@Sav22999) con il supporto e aiuto di Damiano Gualandri (@dag7dev), Simone Massaro (@mone27) e molti altri (vedi su GitHub la lista completa).\n\n" + \
"Versione: " + versione + " - Aggiornamento: " + ultimo_aggiornamento
status_user = identifica_utente(user_id)
if status_user == "A":
err1 = False
err2 = False
esito = "NO"
# print(type_msg)
if type_msg == "NM" or type_msg == "LK" or type_msg == "T":
type_link = False
if type_msg == "LK":
type_link = True
if text.lower() == "/start" and type_link:
bot.sendMessage(
chat_id,
"Benvenuto nella chat privata del bot.\nPuoi interagire con il bot, in chat privata, perché sei un amministratore.\nDigita /help per ottenere la lista di tutte le azioni che puoi fare nel bot IN PRIVATO (i comandi NON funzionano nei gruppi abilitati).")
esito = "OK"
elif text.lower() == "/help" and type_link:
# Elenco azioni
bot.sendMessage(chat_id,
"Questo è l'elenco dei comandi che puoi eseguire:\n" +
"\n\n" +
"<b>Generali</b>:\n"
"- <code>invia messaggio |Testo del messaggio|</code> \n" +
" <i>È supportata anche la formattazione (ma NON nidificata)</i>\n" +
"\n" +
"<b>Gestione utenti</b>:\n"
"- <code>utente aggiungi |UserID|</code>\n" +
"- <code>utente blocca |UserID|</code>\n" +
"- <code>utente sblocca |UserID|</code>\n" +
"\n" +
"<b>Gestione parole vietate</b>\n" +
"- <code>parola mostra</code>\n" +
"- <code>parola aggiungi |Parola/Frase|</code>\n" +
"- <code>parola elimina |Parola/Frase|</code>\n" +
"\n" +
"<b>Gestione gruppi abilitati</b>:\n" +
"- <code>gruppo mostra</code>\n" +
"- <code>gruppo aggiungi |UserID| |Nome gruppo|</code>\n" +
" <i>Solitamente gli user_id dei (super)gruppi sono negativi</i>\n" +
"- <code>gruppo elimina |UserID|</code>\n" +
"\n" +
"<b>Gestione liste</b>:\n" +
"- <code>lista white mostra</code>\n" +
"- <code>lista spam mostra</code>\n" +
"- <code>lista black mostra</code>\n" +
"- <code>lista black elimina</code>\n" +
"- <code>lista temp mostra</code>\n" +
"- <code>lista temp elimina</code>\n" +
"\n" +
"<b>Scaricare file log di MozItaBot</b>:\n" +
"- <code>scarica |ANNO| |MESE| |GIORNO|</code>\n" +
"\n" +
"<b>Esempi:</b>\n" +
"- <code>invia messaggio Messaggio di prova</code>\n" +
"- <code>utente aggiungi 0123456789</code>\n" +
"- <code>gruppo aggiungi -0123456789 </code>1n" +
"- <code>scarica 2019 10 09</code>",
parse_mode="HTML")
bot.sendMessage(chat_id, messaggio_sviluppatore_versione_aggiornamento)
esito = "OK"
else:
err1 = True
if (("utente" in text.lower() or "parola" in text.lower() or "gruppo" in text.lower() or "lista" in text.lower() or "scarica" in text.lower()) and not type_link) or "invia messaggio" in text.lower():
err1 = False
azione = list(text.lower().split(" "))
if azione[0] == "lista" and len(azione) == 3 and not type_link:
if azione[1] == "admin":
if azione[2] == "mostra":
# mostra la adminlist
bot.sendMessage(chat_id, "adminlist:\n" + str(adminlist))
else:
err1 = True
elif azione[1] == "white":
if azione[2] == "mostra":
# mostra la whitelist
bot.sendMessage(chat_id, "whitelist:\n" + str(whitelist))
else:
err1 = True
elif azione[1] == "black":
if azione[2] == "elimina":
# elimina il contenuto delle blacklist
blacklist = {}
blacklist_name = {}
bot.sendMessage(
chat_id, "Le seguenti liste sono state azzerate:\n- blacklist\n- blacklist_name")
elif azione[2] == "mostra":
# mostra le blacklist
bot.sendMessage(
chat_id,
"blacklist:\n" +
str(blacklist) +
"\n\nblacklist_name:\n" +
str(blacklist_name))
else:
err1 = True
elif azione[1] == "temp":
if azione[2] == "elimina":
# elimina il contenuto delle templist
templist = {}
templist_name = {}
bot.sendMessage(
chat_id, "Le seguenti liste sono state azzerate:\n- templist\n- templist_name")
elif azione[2] == "mostra":
# mostra le templist
bot.sendMessage(
chat_id,
"templist:\n" +
str(templist) +
"\n\ntemplist_name:\n" +
str(templist_name))
else:
err1 = True
elif azione[1] == "spam":
if azione[2] == "mostra":
# mostra la spamlist
bot.sendMessage(chat_id, "spamlist:\n" + str(spamlist))
else:
err1 = True
else:
err1 = True
try:
with open(blacklist_path, "wb") as file_with:
file_with.write(json.dumps(blacklist).encode("utf-8"))
with open(blacklist_name_path, "wb") as file_with:
file_with.write(json.dumps(blacklist_name).encode("utf-8"))
with open(templist_path, "wb") as file_with:
file_with.write(json.dumps(templist).encode("utf-8"))
with open(templist_name_path, "wb") as file_with:
file_with.write(json.dumps(templist_name).encode("utf-8"))
esito = "OK"
except Exception as exception_value:
print("Excep:26 -> " + str(exception_value))
stampa_su_file("Except:26 ->" + str(exception_value), True)
elif azione[0] == "utente" and len(azione) == 3 and not type_link:
if azione[1] == "aggiungi":
if azione[2].isdigit():
if not int(azione[2]) in whitelist:
print("Utente aggiunto")
whitelist.append(int(azione[2]))
bot.sendMessage(
chat_id, "Userid inserito correttamente nella whitelist")
try:
with open(whitelist_path, "wb") as file_with:
file_with.write(json.dumps(whitelist).encode("utf-8"))
esito = "OK"
except Exception as exception_value:
print("Excep:06 -> " + str(exception_value))
stampa_su_file("Except:06 ->" + str(exception_value), True)
else:
print("Utente già presente nella whitelist")
bot.sendMessage(
chat_id, "Errore: l'userid digitato è già presente nella whitelist")
else:
err2 = True
elif azione[1] == "rimuovi":
if azione[2].isdigit():
if int(azione[2]) in whitelist:
print("Utente rimosso")
whitelist.remove(int(azione[2]))
bot.sendMessage(
chat_id, "Userid rimosso correttamente dalla whitelist")
try:
with open(whitelist_path, "wb") as file_with:
file_with.write(json.dumps(whitelist).encode("utf-8"))
esito = "OK"
except Exception as exception_value:
print("Excep:06 -> " + str(exception_value))
stampa_su_file("Except:06 ->" + str(exception_value), True)
else:
print("Utente non presente nella whitelist")
bot.sendMessage(
chat_id, "Errore: l'userid digitato non è presente nella whitelist")
else:
err2 = True
elif azione[1] == "blocca":
if azione[2].isdigit():
print("Utente bloccato")
if not int(azione[2]) in spamlist:
spamlist.append(int(azione[2]))
bot.sendMessage(
chat_id, "Userid inserito correttamente nella spamlist")
esito = "OK"
else:
bot.sendMessage(
chat_id, "Errore: l'userid digitato è già presente nella spamlist")
try:
with open(spamlist_path, "wb") as file_with:
file_with.write(json.dumps(spamlist).encode("utf-8"))
except Exception as exception_value:
print("Excep:07 -> " + str(exception_value))
stampa_su_file("Except:07 ->" + str(exception_value), True)
else:
err2 = True
elif azione[1] == "sblocca":
if azione[2].isdigit():
if int(azione[2]) in spamlist:
print("Utente sbloccato")
spamlist.remove(int(azione[2]))
bot.sendMessage(
chat_id, "Userid rimosso correttamente dalla spamlist")
try:
with open(spamlist_path, "wb") as file_with:
file_with.write(json.dumps(
spamlist).encode("utf-8"))
esito = "OK"
except Exception as exception_value:
print("Excep:08 -> " + str(exception_value))
stampa_su_file("Except:08 ->" + str(exception_value), True)
else:
bot.sendMessage(
chat_id, "Errore: l'userid digitato non è presente nella spamlist")
else:
err2 = True
else:
err1 = True
elif azione[0] == "parola" and len(azione) >= 2:
if azione[1] == "mostra" and len(azione) == 2:
print("Parole mostrate")
bot.sendMessage(
chat_id,
"Elenco parole vietate (in array):\n" +
str(parole_vietate))
esito = "OK"
elif azione[1] == "aggiungi" and len(azione) > 2:
print("Parola aggiunta")
del azione[0]
del azione[0]
parola = (' '.join(azione)).lower()
if parola not in parole_vietate:
parole_vietate.append(parola)
bot.sendMessage(
chat_id,
"Parola \"" +
str(parola) +
"\" aggiunta correttamente alle parole vietate")
try:
with open(parole_vietate_path, "wb") as file_with:
file_with.write(json.dumps(parole_vietate).encode("utf-8"))
esito = "OK"
except Exception as exception_value:
print("Excep:09 -> " + str(exception_value))
stampa_su_file("Except:09 ->" + str(exception_value), True)
else:
bot.sendMessage(
chat_id, "Parola già presente nelle parole vietate")
elif azione[1] == "elimina" and len(azione) > 2:
print("Parola rimossa")
del azione[0]
del azione[0]
parola = (' '.join(azione)).lower()
if parola in parole_vietate:
parole_vietate.remove(parola)
bot.sendMessage(
chat_id,
"Parola \"" +
str(parola) +
"\" rimossa correttamente dalle parole vietate")
try:
with open(parole_vietate_path, "wb") as file_with:
file_with.write(json.dumps(parole_vietate).encode("utf-8"))
esito = "OK"
except Exception as exception_value:
print("Excep:10 -> " + str(exception_value))
stampa_su_file("Except:10 ->" + str(exception_value), True)
else:
bot.sendMessage(chat_id, "Parola non presente nelle parole vietate")
else:
err1 = True
elif azione[0] == "gruppo" and len(azione) >= 2:
if azione[1] == "mostra" and len(azione) == 2:
print("Gruppi mostrati")
bot.sendMessage(
chat_id, "Elenco gruppi abilitati (in array):\n" + str(chat_name))
esito = "OK"
elif azione[1] == "aggiungi" and len(azione) >= 4:
print("Gruppo aggiunto")
id_gruppo = azione[2]