This repository has been archived by the owner on Nov 29, 2022. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 8
/
Copy pathhub_mozita.py
1398 lines (1267 loc) · 64.2 KB
/
hub_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 json
import time
import datetime
import calendar
import telepot
import threading
import telegram_events
import tweepy as ty
from pathlib import Path
from datetime import datetime, timedelta
from configparser import ConfigParser
from telepot.loop import MessageLoop
from telepot.namedtuple import InlineKeyboardMarkup, InlineKeyboardButton
# must be defined at the beginning: while refactoring variable initialization must be
# in another function
def log(stampa, err):
'''
log: log function
'''
global response, data_salvataggio
if err:
stampa = str(response) + "\n\n" + str(stampa)
stampa = stampa + "\n--------------------\n"
try:
# verifica l'esistenza del filela cartella "history_mozitabot", altrimenti la crea
if os.path.exists("./history_mozitabot") == False:
os.mkdir("./history_mozitabot")
except Exception as exception_value:
print("Excep:22 -> " + str(exception_value))
log("Except:22 ->" + 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_mozitabot/log_" +
str(data_salvataggio) + ".txt", "a", -1, "UTF-8")
# ricordare che l'orario è in fuso orario UTC pari a 0 (Greenwich,
# Londra) - mentre l'Italia è a +1 (CET) o +2 (CEST - estate)
file.write(stampa)
file.close()
except Exception as exception_value:
print("Excep:02 -> " + str(exception_value))
log("Except:02 ->" + str(exception_value), True)
def load_list_from_path(generic_path):
return json.loads(open(generic_path).read()) if Path(generic_path).exists() else []
def load_dict_from_path(generic_path):
return json.loads(open(generic_path).read()) if Path(generic_path).exists() else {}
def fix_username(username):
# add @ character if not provided
if username[0] != "@":
username = "@" + username
return username
def safe_conf_get(config_parser, section, key_name):
'''
returns parsed value if key_name exists in config.ini, null otherwise
'''
try:
return config_parser.get(section, key_name)
except Exception:
print(key_name + " non presente nella sezione " + section + "!")
exit()
######################
# LOADING SECRETS #
######################
# managing config.ini
if not os.path.isfile("config.ini"):
print(
"Il file di configurazione non è presente.\n" +
"Rinomina il file 'config-sample.ini' in 'config.ini' e inserisci i dati mancanti.")
exit()
# useful object to manage secret values
script_path = os.path.dirname(os.path.realpath(__file__))
config_parser = ConfigParser()
config_parser.read(os.path.join(script_path, "config.ini"))
localtime = datetime.now()
data_salvataggio = localtime.strftime("%Y_%m_%d")
###########################
# MANAGING BOT CONSTANTS #
###########################
TOKEN = safe_conf_get(config_parser, "bot", "TOKEN")
NEWS_CHANNEL = safe_conf_get(config_parser, "bot", "NEWS_CHANNEL")
GRUPPI_URL = {
"home": "https://t.me/joinchat/BCql3UMy26nl4qxuRecDsQ",
"news": "https://t.me/mozItaNews",
"developers": "https://t.me/+bv2WcZQadHZhMDE0",
"l10n": "https://t.me/mozItaL10n",
"design_marketing": "https://t.me/+SPpi0DHZZ8cHLZ5V"
}
# managing version and last update
versione = "1.6.3.1"
ultimo_aggiornamento = "27-08-2021"
print("(MozItaBot) Versione: " + versione +
" - Aggiornamento: " + ultimo_aggiornamento)
# loading sentences from file
if Path("frasi.json").exists():
frasi = json.loads(open("frasi.json", encoding="utf8").read())
else:
print("File frasi non presente.")
exit()
# setting lists --- almost everything is merged into one single file, to avoid confusion
lists_path = "liste.json"
liste = load_dict_from_path(lists_path)
all_users_path = "all_users.json"
avvisi_on_list_path = "avvisi_on_list.json"
adminlist = []
avvisi_on_list = load_list_from_path(avvisi_on_list_path)
all_users = load_list_from_path(all_users_path)
#######################
# TWITTER INTEGRATION #
#######################
# start time from OS
starttime=time.time()
def updateJSON(data, path):
jsonstr = json.dumps(data, sort_keys=True, indent=4)
jsonfile = open(path, "w")
jsonfile.write(jsonstr)
jsonfile.close()
def get_last_id_posted():
last_twitter_id_path = "last_twitter_id.json"
# managing last post id
last_post_id = load_list_from_path(last_twitter_id_path)
if len(last_post_id) != 1:
print("Errore. Non c'e' un id dell'ultimo post salvato da Twitter nel file last_twitter_id.json")
print("Rinomina il file last_twitter_id-sample.json, inserisci l'id dell'ultimo post e riprova")
exit()
return last_post_id[0]
# init almost everything needed by Twitter
def twitter_init(config_parser, starttime):
# managing twitter tokens
CONSUMER_KEY = safe_conf_get(config_parser, "twitter", "CONSUMER_KEY")
CONSUMER_SECRET = safe_conf_get(config_parser, "twitter", "CONSUMER_SECRET")
ACCESS_TOKEN = safe_conf_get(config_parser, "twitter", "ACCESS_TOKEN")
ACCESS_SECRET = safe_conf_get(config_parser, "twitter", "ACCESS_SECRET")
TWITTER_REFRESH_TIME = float(safe_conf_get(config_parser, "twitter", "TWITTER_REFRESH_TIME"))
TWITTER_SOURCE_ACCOUNT = safe_conf_get(config_parser, "twitter", "TWITTER_SOURCE_ACCOUNT")
# authorizes the code
auth = ty.OAuthHandler(CONSUMER_KEY, CONSUMER_SECRET)
auth.set_access_token(ACCESS_TOKEN, ACCESS_SECRET)
twitter_api = ty.API(auth)
# check if user exists
try:
twitter_api.get_user(TWITTER_SOURCE_ACCOUNT)
except Exception:
print("Nome utente Twitter non valido! Assicurati di aver inserito il nome utente giusto e riprova!")
log("Nome utente Twitter non valido! Assicurati di aver inserito il nome utente giusto e riprova!", True)
exit()
# tuple: it contains Twitter username and lastpostid
user_params = [TWITTER_SOURCE_ACCOUNT,get_last_id_posted()]
threading.Thread(target=fetch_twitter, args=(twitter_api, starttime, TWITTER_REFRESH_TIME, NEWS_CHANNEL, user_params)).start()
# social function: updates twitter -- used by thread
def fetch_twitter(twitter_api, starttime, seconds=300.0, channel_username="@mozitanews", user_params=["MozillaItalia",'1']):
channel_username = fix_username(channel_username)
"""
function to fetch MozillaItalia's Tweets and post them on a channel
"""
if channel_username not in channels_list:
print("Errore! Il canale destinazione dove inoltrare i nuovi post di Twitter è errato, non esiste, non esiste nella channel_list.json o il bot non ha il permesso di scrivere! Assicurati di aver specificato l'username giusto in config.ini")
exit()
while True:
user_params[1] = get_last_id_posted()
get_user_tweet(twitter_api, channel_username, user_params)
time.sleep(seconds - ((time.time() - starttime) % seconds))
# get tweets of a user and post it on a channel
def get_user_tweet(twitter_api, channel_name, user_params=["MozillaItalia",'1']):
'''
get tweets of a user and post it on a channel
'''
global tweet
# get current date and time for time stamp and properly format it
now = datetime.now()
date_time = now.strftime("%d-%m-%Y %H:%M:%S")
user = user_params[0]
old_id = user_params[1]
# fetch user timeline
r = twitter_api.user_timeline(user, count=1, tweet_mode='extended')
last_tweet_id = r[0].id
status = twitter_api.get_status(last_tweet_id, tweet_mode="extended")
# update last post id
if last_tweet_id != old_id:
# defining tweet text depending on the content
try:
tweet = "RT: " + status.retweeted_status.full_text
except AttributeError: # Not a Retweet
tweet = status.full_text
tweet_url = "https://twitter.com/" + user + "/status/" + str(status.id)
# send message to mozitanews
try:
bot.sendMessage(channel_name,
tweet,
parse_mode="HTML",
reply_markup=InlineKeyboardMarkup(inline_keyboard=[
[InlineKeyboardButton(
text=frasi["view tweet"],
url = tweet_url)]]))
# updates last tweet file
try:
fd = open("last_twitter_id.json", "w")
string = "[" + str(r[0].id) + "]"
fd.write(string)
except Exception:
print("Errore aggiornamento file!")
exit()
print("[" + date_time + "] " + "Tweet -> " + tweet)
except Exception as exception_value:
print("Excep:29 -> " + str(exception_value))
log("Except:29 ->" + str(exception_value), True)
else:
print("[" + date_time + "] " + "Nessun nuovo Tweet. ")
# [TWITTER]: init everything and start
# twitter_init(config_parser, starttime)
##################################################################
response = ""
# array mesi
listaMesi = [
"Gennaio",
"Febbraio",
"Marzo",
"Aprile",
"Maggio",
"Giugno",
"Luglio",
"Agosto",
"Settembre",
"Ottobre",
"Novembre",
"Dicembre"]
# calcola il primo venerdì del mese
def first_friday_of_the_month(year, month):
for day, weekday in calendar.Calendar().itermonthdays2(year, month):
if weekday == 4:
if (day != 0):
return day
else:
return day + 7
def remove_user_from_avvisi_allusers_lists(chat_id, userid_to_remove):
'''
bot.sendMessage(
chat_id,
"‼️❌ <a href='tg://user?id=" +
str(userid_to_remove) + "'>" + str(userid_to_remove) + "</a> rimosso dalla lista.",
parse_mode="HTML")
'''
try:
if (userid_to_remove in avvisi_on_list):
avvisi_on_list.remove(userid_to_remove)
with open(avvisi_on_list_path, "wb") as file_with:
file_with.write(json.dumps(
avvisi_on_list).encode("utf-8"))
if (userid_to_remove in all_users):
all_users.remove(userid_to_remove)
with open(all_users_path, "wb") as file_with:
file_with.write(json.dumps(
all_users).encode("utf-8"))
testo_to_print = str(
userid_to_remove) + " rimosso dalla lista all_users (ed eventualmente dalla avvisi_list)"
print(testo_to_print)
log(testo_to_print, False)
except Exception as exception_value:
print("Excep:24 -> " + str(exception_value))
log("Except:24 ->" + str(exception_value), True)
# send a message in a channel
def send_message_channel(channel_name, messaggio, chat_id, optional_text = ""):
try:
bot.sendMessage(channel_name.lower(),
messaggio,
parse_mode="HTML")
bot.sendMessage(
chat_id,
"Messaggio inviato correttamente sul canale <code>" + channel_name.lower() + "</code>" +
".\n\nIl messaggio inviato è:\n" +
messaggio,
parse_mode="HTML")
except Exception as exception_value:
print("Excep:25 -> " + str(exception_value))
log("Except:25 ->" + str(exception_value), True)
if optional_text != "":
bot.sendMessage(
chat_id,
optional_text + "canale <code>" + channel_name.lower() + "</code>.\n",
parse_mode="HTML"
)
else:
bot.sendMessage(
chat_id,
"Si è verificato un errore per il canale <code>" + channel_name.lower() + "</code>.\n" +
"Controlla che: \n" +
"- il bot abbia i privilegi giusti\n" +
"- BotFather sia settato correttamente\n" +
"- hai aggiunto l'ID nella lista canali (con la @)\n\n" +
"Se ancora hai problemi potrebbe trattarsi di un errore momentaneo.\n" +
"Riprova più tardi!",
parse_mode="HTML"
)
def send_log(nome_file, chat_id):
if os.path.exists("./history_mozitabot/" + nome_file):
bot.sendMessage(chat_id, "<i>Invio del file " +
nome_file + " in corso</i>", parse_mode="HTML")
bot.sendDocument(chat_id, open(
"./history_mozitabot/" + nome_file, "rb"))
else:
bot.sendMessage(
chat_id, "Il file <i>" + nome_file + "</i> non esiste.", parse_mode="HTML")
def risposte(msg):
global data_salvataggio
global localtime
if isinstance(localtime, str):
localtime = datetime.now()
localtime = localtime.strftime("%d/%m/%y %H:%M:%S")
type_msg = "NM" # Normal Message
status_user = "-" # inizializzazione dello 'status' dell'utente {"A"|"-"}
# Admin, Other
global frasi # frasi è il dictionary globali che contiene tutte le frasi da visualizzare
global response
global adminlist
response = bot.getUpdates()
if not liste["adminlist"] or not liste["adminlist"] == {}:
adminlist = [ int(admin) for admin in list(liste["adminlist"].keys()) ] # definita in liste.json
else:
# nel caso in cui non dovesse esistere alcuna lista admin imposta staticamente l'userid di Sav22999
# -> così da poter confermare anche altri utenti anche se ci sono 'malfunzionamenti' (NON DOVREBBERO ESSERCENE!)
adminlist = [240188083]
# caricamento degli eventi gestiti
eventi_list = {}
eventi_list = telegram_events.events(msg, ["LK", "NM"], response)
text = eventi_list["text"]
type_msg = eventi_list["type_msg"]
query_id = "-"
if type_msg == "BIC" and "id" in msg:
query_id = msg["id"]
link_regolamento = "https://github.com/MozillaItalia/mozitaantispam_bot/wiki/Regolamento"
user_id = msg['from']['id']
if user_id in adminlist:
status_user = "A"
nousername = False
if "username" in msg['from']:
user_name = msg['from']['username']
else:
user_name = "[*NessunUsername*]"
nousername = True
if "chat" not in msg:
msg = msg["message"]
chat_id = msg['chat']['id']
if datetime.now().month == 12:
anno_call = str(datetime.now().year + 1)
mese_call = listaMesi[0]
giorno_call = str(first_friday_of_the_month(int(anno_call), 1))
else:
anno_call = str(datetime.now().year)
giorno_call = first_friday_of_the_month(
int(anno_call), datetime.now().month)
if datetime.now().day >= giorno_call:
mese_call = datetime.now().month + 1
giorno_call = str(first_friday_of_the_month(
int(anno_call), datetime.now().month + 1))
else:
mese_call = datetime.now().month
giorno_call = str(giorno_call)
mese_call = listaMesi[mese_call - 1]
# non è possibile utilizzare la funzione
# datetime.now().(month+1).strftime("%B") perché lo restituisce in
# inglese
home = InlineKeyboardMarkup(inline_keyboard=[
[InlineKeyboardButton(text=frasi["button_vai_a_home"],
url='https://t.me/joinchat/BCql3UMy26nl4qxuRecDsQ')],
[InlineKeyboardButton(
text=frasi["button_mostra_help"], callback_data='/help')],
])
feedback = InlineKeyboardMarkup(inline_keyboard=[
[InlineKeyboardButton(text=frasi["button_feedback"],
url='https://t.me/joinchat/BCql3UMy26nl4qxuRecDsQ')],
[InlineKeyboardButton(text=frasi["button_feedback2"],
url='https://t.me/joinchat/BCql3UMy26nl4qxuRecDsQ')],
[InlineKeyboardButton(
text=frasi["button_mostra_help"], callback_data='/help')],
])
start = InlineKeyboardMarkup(inline_keyboard=[
[InlineKeyboardButton(text=frasi["button_start"],
callback_data='/help')],
[InlineKeyboardButton(text=frasi["button_start2"],
callback_data='/supporto')],
])
supporto = InlineKeyboardMarkup(inline_keyboard=[
[InlineKeyboardButton(text=frasi["button_support"], url='https://t.me/joinchat/BCql3UMy26nl4qxuRecDsQ'),
InlineKeyboardButton(text=frasi["button_support2"], callback_data='/forum')],
[InlineKeyboardButton(text=frasi["button_support3"],
url='https://forum.mozillaitalia.org/index.php?board=9.0')],
[InlineKeyboardButton(
text=frasi["button_mostra_help"], callback_data='/help')],
])
help = InlineKeyboardMarkup(inline_keyboard=[
[InlineKeyboardButton(text=frasi["button_testo_gruppi"], callback_data='/gruppi'),
InlineKeyboardButton(
text=frasi["button_testo_social"], callback_data='/social'),
InlineKeyboardButton(text=frasi["button_testo_supporto"], callback_data='/supporto')],
[InlineKeyboardButton(text=frasi["button_testo_avvisi"], callback_data='/avvisi'),
InlineKeyboardButton(
text=frasi["button_testo_call"], callback_data='/meeting'),
InlineKeyboardButton(text=frasi["button_testo_progetti_attivi"], callback_data='/progetti')],
[InlineKeyboardButton(text=frasi["button_testo_vademecum"], callback_data='/vademecum'),
InlineKeyboardButton(
text=frasi["button_testo_regolamento"], callback_data='/regolamento'),
InlineKeyboardButton(text=frasi["button_testo_info"], callback_data='/info')],
[InlineKeyboardButton(text=frasi["button_feedback"],
callback_data='/feedback')],
])
gruppi = InlineKeyboardMarkup(inline_keyboard=[
[InlineKeyboardButton(text=frasi["button_testo_home"], url=GRUPPI_URL['home']),
InlineKeyboardButton(text=frasi["button_testo_news"], url=GRUPPI_URL['news'])],
[InlineKeyboardButton(text=frasi["button_testo_developers"], url=GRUPPI_URL['developers']),
InlineKeyboardButton(text=frasi["button_testo_L10n"], url=GRUPPI_URL["l10n"])],
[InlineKeyboardButton(text=frasi["button_testo_design_marketing"], url=GRUPPI_URL["design_marketing"])],
[InlineKeyboardButton(
text=frasi["button_mostra_help"], callback_data='/help')],
])
developers = InlineKeyboardMarkup(inline_keyboard=[
[InlineKeyboardButton(text=frasi["button_developers"],
url=GRUPPI_URL['developers'])],
[InlineKeyboardButton(
text=frasi["button_mostra_help"], callback_data='/help')],
])
design_marketing = InlineKeyboardMarkup(inline_keyboard=[
[InlineKeyboardButton(text=frasi["button_design_marketing"],
url=GRUPPI_URL['design_marketing'])],
[InlineKeyboardButton(
text=frasi["button_mostra_help"], callback_data='/help')],
])
L10n = InlineKeyboardMarkup(inline_keyboard=[
[InlineKeyboardButton(text=frasi["button_L10n"],
url=GRUPPI_URL['l10n'])],
[InlineKeyboardButton(
text=frasi["button_mostra_help"], callback_data='/help')],
])
vademecum = InlineKeyboardMarkup(inline_keyboard=[
[InlineKeyboardButton(text=frasi["button_vg"], callback_data='/vademecumGenerale'),
InlineKeyboardButton(text=frasi["button_vt"], callback_data='/vademecumTecnico')],
[InlineKeyboardButton(text=frasi["button_cv"], callback_data='/vademecumCV')],
[InlineKeyboardButton(
text=frasi["button_mostra_help"], callback_data='/help')],
])
news = InlineKeyboardMarkup(inline_keyboard=[
[InlineKeyboardButton(text=frasi["button_news"],
url='https://t.me/mozItaNews')],
[InlineKeyboardButton(
text=frasi["button_mostra_help"], callback_data='/help')],
])
forum = InlineKeyboardMarkup(inline_keyboard=[
[InlineKeyboardButton(text=frasi["button_forum"],
url='https://forum.mozillaitalia.org/')],
[InlineKeyboardButton(
text=frasi["button_mostra_help"], callback_data='/help')],
])
call = InlineKeyboardMarkup(inline_keyboard=[
[InlineKeyboardButton(text=frasi["button_vai_a_canale_youtube"],
url='https://www.youtube.com/channel/UCsTquqVS0AJxCf4D3n9hQ1w')],
[InlineKeyboardButton(text=frasi["button_call2"],
callback_data='/prossimoMeeting')],
[InlineKeyboardButton(
text=frasi["button_mostra_help"], callback_data='/help')],
])
load_progetti = [ [InlineKeyboardButton(
text=str(proj), url=liste["progetti"][proj])] for proj in list(liste["progetti"].keys()) ]
load_progetti.append([InlineKeyboardButton(
text=frasi["button_mostra_help"], callback_data='/help')])
progetti = InlineKeyboardMarkup(inline_keyboard=load_progetti)
load_progettimozita = []
load_progettimozita = [ [InlineKeyboardButton(
text=str(proj), url=liste["progetti_mozita"][proj])] for proj in list(liste["progetti_mozita"].keys()) ]
load_progettimozita.append([InlineKeyboardButton(
text=frasi["button_mostra_help"], callback_data='/help')])
progettimozita = InlineKeyboardMarkup(inline_keyboard=load_progettimozita)
regolamento = InlineKeyboardMarkup(inline_keyboard=[
[InlineKeyboardButton(text=frasi["button_regolamento"],
url=link_regolamento)],
[InlineKeyboardButton(
text=frasi["button_mostra_help"], callback_data='/help')],
])
avvisi = InlineKeyboardMarkup(inline_keyboard=[
[InlineKeyboardButton(text=frasi["button_avvisi"], callback_data="/avvisiOn"),
InlineKeyboardButton(text=frasi["button_avvisi2"], callback_data="/avvisiOff")],
[InlineKeyboardButton(
text=frasi["button_mostra_help"], callback_data='/help')],
])
# aggiungere instagram in futuro
load_social = []
load_social = [ [InlineKeyboardButton(
text=social, url=liste["social"][social])] for social in list(liste["social"].keys()) ]
load_social.append([InlineKeyboardButton(
text=frasi["button_mostra_help"], callback_data='/help')])
social = InlineKeyboardMarkup(inline_keyboard=load_social)
admin = False
collaboratori_stampa = ""
for k, v in liste["collaboratori"].items():
collaboratori_stampa += k + " - " + v + "\n"
if chat_id not in all_users:
all_users.append(chat_id)
avvisi_on_list.append(user_id)
try:
with open(all_users_path, "wb") as file_with:
file_with.write(json.dumps(all_users).encode("utf-8"))
except Exception as exception_value:
print("Excep:03 -> " + str(exception_value))
log("Except:03 ->" + str(exception_value), True)
try:
with open(avvisi_on_list_path, "wb") as file_with:
file_with.write(json.dumps(avvisi_on_list).encode("utf-8"))
except Exception as exception_value:
print("Excep:04 -> " + str(exception_value))
log("Except:04 ->" + str(exception_value), True)
if user_id in avvisi_on_list:
stato_avvisi = frasi["avvisiStatoOn"]
else:
stato_avvisi = frasi["avvisiStatoOff"]
if text.lower() == "/home":
bot.sendMessage(chat_id, frasi["home"],
reply_markup=home, parse_mode="HTML")
elif text.lower() == "/start":
bot.sendMessage(chat_id, frasi["start"], parse_mode="HTML")
bot.sendMessage(chat_id, frasi["start2"],
reply_markup=start, parse_mode="HTML")
if nousername:
bot.sendMessage(
chat_id, frasi["start_nousername"], parse_mode="HTML")
elif text.lower() == "/supporto":
bot.sendMessage(chat_id, frasi["supporto"],
reply_markup=supporto, parse_mode="HTML")
elif text.lower() == "/gruppi":
bot.sendMessage(chat_id, frasi["gruppi"],
reply_markup=gruppi, parse_mode="HTML")
elif text.lower() == "/vademecum":
bot.sendMessage(chat_id, frasi["vademecum"],
reply_markup=vademecum, parse_mode="HTML")
elif text.lower() == "/vademecumGenerale".lower():
bot.sendMessage(chat_id, frasi["invio_vg_in_corso"], parse_mode="HTML")
bot.sendDocument(chat_id, open("VG.pdf", "rb"))
elif text.lower() == "/vademecumTecnico".lower():
bot.sendMessage(chat_id, frasi["invio_vt_in_corso"], parse_mode="HTML")
bot.sendDocument(chat_id, open("VT.pdf", "rb"))
elif text.lower() == "/vademecumCV".lower():
bot.sendMessage(chat_id, frasi["invio_cv_in_corso"], parse_mode="HTML")
bot.sendDocument(chat_id, open("CV.pdf", "rb"))
elif text.lower() == "/feedback":
bot.sendMessage(chat_id, frasi["feedback"],
reply_markup=feedback, parse_mode="HTML")
elif text.lower() == "/help" or text == "/aiuto":
bot.sendMessage(chat_id, frasi["help"], parse_mode="HTML")
bot.sendMessage(chat_id, frasi["help2"],
reply_markup=help, parse_mode="HTML")
elif text.lower() == "/news":
bot.sendMessage(chat_id, frasi["news"],
reply_markup=news, parse_mode="HTML")
elif text.lower() == "/info":
bot.sendMessage(
chat_id,
str(
((frasi["info"]).replace(
"{{**versione**}}",
str(versione))).replace(
"{{**ultimo_aggiornamento**}}",
str(ultimo_aggiornamento))).replace(
"{{**collaboratori_stampa**}}",
str(collaboratori_stampa)),
parse_mode="HTML")
elif text.lower() == "/forum":
bot.sendMessage(chat_id, frasi["forum"],
reply_markup=forum, parse_mode="HTML")
elif text.lower() == "/developers":
bot.sendMessage(chat_id, frasi["developers"],
reply_markup=developers, parse_mode="HTML")
elif text.lower() == "/dem":
bot.sendMessage(chat_id, frasi["design_marketing"],
reply_markup=design_marketing, parse_mode="HTML")
elif text.lower() == "/l10n":
bot.sendMessage(chat_id, frasi["L10n"],
reply_markup=L10n, parse_mode="HTML")
elif text.lower() == "/call" or text.lower() == "/meeting":
bot.sendMessage(chat_id, frasi["call"],
reply_markup=call, parse_mode="HTML")
elif text.lower() == "/prossimacall" or text.lower() == "/prossimoMeeting".lower():
bot.sendMessage(
chat_id,
str(
((frasi["prossima_call"]).replace(
"{{**giorno_call**}}",
str(giorno_call))).replace(
"{{**mese_call**}}",
str(mese_call))).replace(
"{{**anno_call**}}",
str(anno_call)),
parse_mode="HTML")
elif text.lower() == "/progetti":
bot.sendMessage(chat_id, frasi["progetti"],
reply_markup=progetti, parse_mode="HTML")
bot.sendMessage(
chat_id,
frasi["progetti2"],
reply_markup=progettimozita,
parse_mode="HTML")
elif text.lower() == "/regolamento":
bot.sendMessage(chat_id, frasi["regolamento"],
reply_markup=regolamento, parse_mode="HTML")
elif text.lower() == "/avvisi":
bot.sendMessage(chat_id, str(frasi["avvisi"]).replace(
"{{**stato_avvisi**}}", str(stato_avvisi)), reply_markup=avvisi, parse_mode="HTML")
elif text.lower() == "/avvisiOn".lower():
if not (user_id in avvisi_on_list):
avvisi_on_list.append(user_id)
try:
with open(avvisi_on_list_path, "wb") as file_with:
file_with.write(json.dumps(avvisi_on_list).encode("utf-8"))
bot.sendMessage(chat_id, frasi["avvisiOn"], parse_mode="HTML")
except Exception as exception_value:
print("Excep:05 -> " + str(exception_value))
log("Except:05 ->" + str(exception_value), True)
bot.sendMessage(chat_id, frasi["avvisiOn2"], parse_mode="HTML")
else:
bot.sendMessage(chat_id, frasi["avvisiOn3"], parse_mode="HTML")
elif text.lower() == "/avvisiOff".lower():
if user_id in avvisi_on_list:
avvisi_on_list.remove(user_id)
try:
with open(avvisi_on_list_path, "wb") as file_with:
file_with.write(json.dumps(avvisi_on_list).encode("utf-8"))
bot.sendMessage(chat_id, frasi["avvisiOff"], parse_mode="HTML")
except Exception as exception_value:
print("Excep:06 -> " + str(exception_value))
log("Except:06 ->" + str(exception_value), True)
bot.sendMessage(
chat_id, frasi["avvisiOff2"], parse_mode="HTML")
else:
bot.sendMessage(chat_id, frasi["avvisiOff3"])
elif text.lower() == "/social".lower():
bot.sendMessage(chat_id, frasi["social"],
reply_markup=social, parse_mode="HTML")
elif "/admin" in text.lower():
if status_user == "A":
if type_msg == "LK":
admin = True
else:
bot.sendMessage(chat_id, frasi["non_sei_admin"], parse_mode="HTML")
else:
bot.sendMessage(
chat_id,
frasi["comando_non_riconosciuto"],
reply_markup=start,
parse_mode="HTML")
if type_msg == "BIC" and query_id != "-":
bot.answerCallbackQuery(query_id,
cache_time=0) # se voglio mostrare un messaggio a scomparsa: bot.answerCallbackQuery(chat_id, text="Testo (0-200 caratteri)" cache_time=0)
if admin:
# CONTROLLO AZIONI ADMIN
azione = list(text.split(" "))
admin_err1 = False
if azione[0].lower() == "/admin" and len(azione) >= 1:
if len(azione) == 1 or (azione[1].lower() == "help" and len(azione) == 2):
# Elenco azioni
bot.sendMessage(chat_id,
"Questo è l'elenco dei comandi che puoi eseguire:\n" +
"\n\n" +
"<b>Generali</b>:\n"
"- <code>/admin avviso |Messaggio da inviare|</code>\n" +
"- <code>/admin avviso preview |Messaggio da inviare|</code>\n <i>Anteprima del messaggio da inviare, per verificare che tutto venga visualizzato correttamente</i>\n" +
"- <code>/admin all users |Messaggio importante da inviare|</code>\n <i>Solo per messaggi importanti, altrimenti usare 'avviso'</i>\n" +
"\n" +
"<b>Gestione lista degli iscritti agli avvisi</b>\n" +
"- <code>/admin avvisi list mostra</code>\n" +
"- <code>/admin avvisi list aggiungi |Id chat|</code>\n" +
"- <code>/admin avvisi list elimina |Id chat|</code>\n" +
"\n" +
"<b>Gestione canali</b>:\n" +
"- <code>/admin canale mostra</code>\n" +
"- <code>/admin canale aggiungi |Username canale|</code>\n" +
"- <code>/admin canale elimina |Username canale|</code>\n" +
"- <code>/admin canale preview |Username canale| |Messaggio da inviare in un canale|</code>\n <i>Anteprima del messaggio da inviare, per verificare che tutto venga visualizzato correttamente</i>\n" +
"- <code>/admin canale |Username canale| |Messaggio da inviare in un canale|</code>\n" +
"- <code>/admin canale broadcast |Messaggio da inviare in tutti i canali|</code>\n" +
"\n" +
"<b>Gestione progetti (Mozilla)</b>:\n" +
"- <code>/admin progetto aggiungi |Nome progetto da aggiungere| |LinkProgetto|</code>\n" +
"- <code>/admin progetto modifica |Nome progetto da modificare| |LinkProgettoModificato|</code>\n" +
"- <code>/admin progetto elimina |Nome progetto da eliminare|</code>\n" +
"\n" +
"<b>Gestione progetti Mozilla Italia</b>:\n" +
"- <code>/admin progetto mozita aggiungi |Nome progetto comunitario da aggiungere| |LinkProgetto|</code>\n" +
"- <code>/admin progetto mozita modifica |Nome progetto comunitario da modificare| |LinkProgettoModificato|</code>\n" +
"- <code>/admin progetto mozita elimina |Nome progetto comunitario da eliminare|</code>\n" +
"\n" +
"<b>Gestione collaboratori di MozItaBot</b>:\n" +
"- <code>/admin collaboratore aggiungi |Nome Cognome (@usernameTelegram)|</code>\n" +
"- <code>/admin collaboratore elimina |Nome Cognome (@usernameTelegram)|</code>\n" +
"\n" +
"<b>Scaricare file log di MozItaBot</b>:\n" +
"- <code>/admin scarica |ANNO| |MESE| |GIORNO|</code>\n" +
"- <code>/admin scarica today</code>\n" +
"- <code>/admin scarica yesterday</code>\n" +
"\n" +
"<b>Esempi:</b>\n" +
"- <code>/admin avviso Messaggio di prova</code>\n" +
"- <code>/admin call aggiungi Nome call di esempio 2019 https://mozillaitalia.it</code>\n" +
"- <code>/admin scarica 2019 10 09</code>",
parse_mode="HTML")
# ======
# AVVISO
# ======
elif azione[1].lower() == "avviso" and len(azione) >= 3:
# Azioni sugli avvisi
del azione[0]
del azione[0]
# Syntax : /admin avviso preview |Messaggio da inviare|
if azione[0].lower() == "preview" and len(azione) >= 4:
del azione[0]
messaggio = ' '.join(azione)
try:
bot.sendMessage(
chat_id,
"<b>‼️‼️ ||PREVIEW DEL MESSAGGIO|| ‼️‼</b>️\n\n" +
messaggio +
"\n\n--------------------\n" +
frasi["footer_messaggio_avviso"],
parse_mode="HTML")
except Exception as exception_value:
print("Excep:23 -> " + str(exception_value))
log("Except:23 ->" + str(exception_value), True)
bot.sendMessage(
chat_id,
"‼️ <b>ERRORE</b>: il messaggio contiene degli errori di sintassi.\n" +
"Verificare di avere <b>chiuso</b> tutti i tag usati.",
parse_mode="HTML")
else:
# Syntax : /admin avviso |Messaggio da inviare|
messaggio = ' '.join(azione)
error08 = False
bot.sendMessage(
chat_id,
"<i>Invio del messaggio in corso...\nRiceverai un messaggio quando finisce l'invio.</i>",
parse_mode="HTML")
remove_these_users = []
for value_for in avvisi_on_list:
time.sleep(.3)
try:
bot.sendMessage(
value_for,
messaggio +
"\n\n--------------------\n" +
frasi["footer_messaggio_avviso"],
parse_mode="HTML")
print(" >> Messaggio inviato alla chat: " + str(value_for))
'''
bot.sendMessage(
chat_id,
"✔️ Messaggio inviato alla chat: <a href='tg://user?id=" + str(value_for) + "'>" +
str(value_for) + "</a>",
parse_mode="HTML")
'''
except Exception as exception_value:
print("Excep:08 -> " + str(exception_value))
log("Except:08 ->" +
str(exception_value), True)
remove_these_users.append(value_for)
error08 = True
for value_to_remove in remove_these_users:
remove_user_from_avvisi_allusers_lists(
chat_id, value_to_remove)
if (not error08):
bot.sendMessage(
chat_id,
"Messaggio inviato correttamente a tutti gli utenti iscritti alle news.\n\nIl messaggio inviato è:\n" +
messaggio,
parse_mode="HTML")
else:
bot.sendMessage(
chat_id,
"Messaggio inviato correttamente ad alcune chat.\n\nIl messaggio inviato è:\n" +
messaggio,
parse_mode="HTML")
# canale => gestisce i canali
# syntax: /admin canale mostra
# OPPURE
# syntax: /admin canale lista
elif azione[1].lower() == "canale" and len(azione) >= 3:
del azione[0]
del azione[0]
# shows channels saved on file
# everytime it reloads the file to avoid uncommon situations
if azione[0] == "mostra" or azione[0] == "lista" and len(azione) == 1:
channels_list = list(liste["channels"].keys())
bot.sendMessage(
chat_id, "Lista canali disponibili:\n{}".format(channels_list))
# preview messaggio canale => non invia il messaggio
# syntax: /admin canale preview |canale||messaggio|
elif len(azione) >= 4 and azione[0].lower() == "preview":
# delete all the part not-related to the message (preview)
del azione[0]
# saves channel name
ch = azione[0]
del azione[0]
messaggio = ' '.join(azione)
if messaggio != "":
try:
bot.sendMessage(
chat_id,
"<b>== PREVIEW DEL MESSAGGIO ==</b>️\n" +
"<i>Questo messaggio sarà inoltrato in: <code>" + ch + "</code></i>️\n\n"+
messaggio + "\n",
parse_mode="HTML")
except Exception as exception_value:
print("Excep:26 -> " + str(exception_value))
log("Except:26 ->" +
str(exception_value), True)
bot.sendMessage(
chat_id,
"‼️ <b>ERRORE</b>: il messaggio contiene degli errori di sintassi.\n" +
"Verificare di avere <b>chiuso</b> tutti i tag usati.",
parse_mode="HTML")
else:
bot.sendMessage(
chat_id,
"‼️ <b>ERRORE</b>: La preview è vuota! Assicurati di inserire un messaggio " +
"e riprova",
parse_mode="HTML")
print("La preview non può essere vuota.")
# adds a channel in a file
# syntax /admin canale aggiungi |username canale | descrizione |
elif azione[0].lower() == "aggiungi" and len(azione) == 2:
# lets fix the username by adding @ at the beginning if not present
fixed_username = fix_username(azione[1]).lower()
# manage the case the user doesn't put anything
# TODO: let the user choice the name
# lets check if username is not present in the channel_list
if fixed_username not in liste["channels"]:
try:
liste["channels"][fixed_username] = "undefined"
updateJSON(liste, lists_path)
bot.sendMessage(
chat_id, "Canale <code>{}</code> aggiunto correttamente".format(fixed_username), parse_mode="HTML")
except Exception as exception_value:
print("Excep:28 -> {}".format(exception_value))
log("Except:28 -> {}".format(exception_value), True)
bot.sendMessage(
chat_id, "Il canale <code>{}</code> non è stato aggiunto in lista".format(fixed_username), parse_mode="HTML")
else:
print("Il canale " + fixed_username + " è già presente!")
bot.sendMessage(
chat_id, "Il canale <code>{}</code> è già presente nella lista!".format(fixed_username), parse_mode="HTML")
# removes a channel in a file
# syntax /admin canale elimina |username canale| IN ALTERNATIVA
# syntax /admin canale rimuovi |username canale|
elif azione[0].lower() == "elimina" or azione[0].lower() == "rimuovi" and len(azione) == 2:
try:
liste["channels"].pop(fix_username(azione[1]))
updateJSON(liste, lists_path)
bot.sendMessage(
chat_id, "Canale <code>{}</code> rimosso correttamente".format(azione[1].lower()), parse_mode="HTML")
except Exception as exception_value:
print("Excep:28 -> {}".format(exception_value))
log("Except:28 -> {}".format(exception_value), True)
bot.sendMessage(
chat_id, "Il canale <code>{}</code> non è stato rimosso dalla lista".format(azione[1].lower()), parse_mode="HTML")
# canale |canale| |messaggio| => invia il messaggio a quel canale
# syntax: /admin canale | canale | |Messaggio da inviare in un canale|"
# syntax: /admin canale broadcast |Messaggio da inviare in tutti i canali|"
elif len(azione) >= 2 or len(azione) >= 1:
messaggio = ""
# check: empty channels
if len(liste["channels"]) == 0:
bot.sendMessage(
chat_id,
"Lista canali vuota! Impossibile inviare un messaggio!",
parse_mode="HTML")
print("Lista canali vuota! Impossibile inviare un messaggio!")
else:
if azione[0].lower() == "broadcast":
del azione[0]
messaggio = ' '.join(azione)
if messaggio != "":
for channel_name in liste["channels"].keys():
send_message_channel(
channel_name, messaggio, chat_id, "Messaggio non inviato in ")
else:
bot.sendMessage(
chat_id,
"Messaggio vuoto. Impossibile procedere.",
parse_mode="HTML")