-
Notifications
You must be signed in to change notification settings - Fork 1
/
apibot
6091 lines (5254 loc) · 171 KB
/
apibot
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 bash
#-----------------------------------------------------------------------------------------------------------
# DATA: 07 de Março de 2017
# SCRIPT: ShellBot.sh
# VERSÃO: 6.4.0
# DESENVOLVIDO POR: Juliano Santos [SHAMAN]
# PÁGINA: http://www.shellscriptx.blogspot.com.br
# FANPAGE: https://www.facebook.com/shellscriptx
# GITHUB: https://github.com/shellscriptx
# CONTATO: [email protected]
#
# DESCRIÇÃO: ShellBot é uma API não-oficial desenvolvida para facilitar a criação de
# bots na plataforma TELEGRAM. Constituída por uma coleção de métodos
# e funções que permitem ao desenvolvedor:
#
# * Gerenciar grupos, canais e membros.
# * Enviar mensagens, documentos, músicas, contatos e etc.
# * Enviar teclados (KeyboardMarkup e InlineKeyboard).
# * Obter informações sobre membros, arquivos, grupos e canais.
# * Para mais informações consulte a documentação:
#
# https://github.com/shellscriptx/ShellBot/wiki
#
# O ShellBot mantém o padrão da nomenclatura dos métodos registrados da
# API original (Telegram), assim como seus campos e valores. Os métodos
# requerem parâmetros e argumentos para a chamada e execução. Parâmetros
# obrigatórios retornam uma mensagem de erro caso o argumento seja omitido.
#
# NOTAS: Desenvolvida na linguagem Shell Script, utilizando o interpretador de
# comandos BASH e explorando ao máximo os recursos built-in do mesmo,
# reduzindo o nível de dependências de pacotes externos.
#-----------------------------------------------------------------------------------------------------------
[[ $_SHELLBOT_SH_ ]] && return 1
if ! awk 'BEGIN { exit ARGV[1] < 4.3 }' ${BASH_VERSINFO[0]}.${BASH_VERSINFO[1]}; then
echo "${BASH_SOURCE:-${0##*/}}: erro: requer o interpretador de comandos 'bash 4.3' ou superior." 1>&2
exit 1
fi
# Informações
readonly -A _SHELLBOT_=(
[name]='ShellBot'
[keywords]='Shell Script Telegram API'
[description]='API não-oficial para criação de bots na plataforma Telegram.'
[version]='6.4.0'
[language]='shellscript'
[shell]=${SHELL}
[shell_version]=${BASH_VERSION}
[author]='Juliano Santos [SHAMAN]'
[email]='[email protected]'
[wiki]='https://github.com/shellscriptx/shellbot/wiki'
[github]='https://github.com/shellscriptx/shellbot'
[packages]='curl 7.0, getopt 2.0, jq 1.5'
)
# Verifica dependências.
while read _pkg_ _ver_; do
if command -v $_pkg_ &>/dev/null; then
if [[ $($_pkg_ --version 2>&1) =~ [0-9]+\.[0-9]+ ]]; then
if ! awk 'BEGIN { exit ARGV[1] < ARGV[2] }' $BASH_REMATCH $_ver_; then
printf "%s: erro: requer o pacote '%s %s' ou superior.\n" ${_SHELLBOT_[name]} $_pkg_ $_ver_ 1>&2
exit 1
fi
else
printf "%s: erro: '%s' não foi possível obter a versão.\n" ${_SHELLBOT_[name]} $_pkg_ 1>&2
exit 1
fi
else
printf "%s: erro: '%s' o pacote requerido está ausente.\n" ${_SHELLBOT_[name]} $_pkg_ 1>&2
exit 1
fi
done <<< "${_SHELLBOT_[packages]//,/$'\n'}"
# bash (opções).
shopt -s checkwinsize \
cmdhist \
complete_fullquote \
expand_aliases \
extglob \
extquote \
force_fignore \
histappend \
interactive_comments \
progcomp \
promptvars \
sourcepath
# Desabilita a expansão de nomes de arquivos (globbing).
set -f
readonly _SHELLBOT_SH_=1 # Inicialização
readonly _BOT_SCRIPT_=${0##*/} # Script
readonly _CURL_OPT_='--silent --request' # CURL (opções)
# Erros
readonly _ERR_TYPE_BOOL_='tipo incompatível: suporta somente "true" ou "false".'
readonly _ERR_TYPE_INT_='tipo incompatível: suporta somente inteiro.'
readonly _ERR_TYPE_FLOAT_='tipo incompatível: suporta somente float.'
readonly _ERR_PARAM_REQUIRED_='opção requerida: verique se o(s) parâmetro(s) ou argumento(s) obrigatório(s) estão presente(s).'
readonly _ERR_TOKEN_UNAUTHORIZED_='não autorizado: verifique se possui permissões para utilizar o token.'
readonly _ERR_TOKEN_INVALID_='token inválido: verique o número do token e tente novamente.'
readonly _ERR_BOT_ALREADY_INIT_='ação não permitida: o bot já foi inicializado.'
readonly _ERR_FILE_NOT_FOUND_='falha ao acessar: não foi possível ler o arquivo.'
readonly _ERR_DIR_WRITE_DENIED_='permissão negada: não é possível gravar no diretório.'
readonly _ERR_DIR_NOT_FOUND_='Não foi possível acessar: diretório não encontrado.'
readonly _ERR_FILE_INVALID_ID_='id inválido: arquivo não encontrado.'
readonly _ERR_UNKNOWN_='erro desconhecido: ocorreu uma falha inesperada. Reporte o problema ao desenvolvedor.'
readonly _ERR_SERVICE_NOT_ROOT_='acesso negado: requer privilégios de root.'
readonly _ERR_SERVICE_EXISTS_='erro ao criar o serviço: o nome do serviço já existe.'
readonly _ERR_SERVICE_SYSTEMD_NOT_FOUND_='erro ao ativar: o sistema não possui suporte ao gerenciamento de serviços "systemd".'
readonly _ERR_SERVICE_USER_NOT_FOUND_='usuário não encontrado: a conta de usuário informada é inválida.'
readonly _ERR_VAR_NAME_='variável não encontrada: o identificador é inválido ou não existe.'
readonly _ERR_FUNCTION_NOT_FOUND_='função não encontrada: o identificador especificado é inválido ou não existe.'
readonly _ERR_ARG_='argumento inválido: o argumento não é suportado pelo parâmetro especificado.'
readonly _ERR_RULE_ALREADY_EXISTS_='falha ao definir: o nome da regra já existe.'
readonly _ERR_HANDLE_EXISTS_='erro ao registar: já existe um handle vinculado ao callback'
readonly _ERR_CONNECTION_='falha de conexão: não foi possível estabelecer conexão com o Telegram.'
# Maps
declare -A _BOT_HANDLE_
declare -A _BOT_RULES_
declare -A return
declare -i _BOT_RULES_INDEX_
declare _VAR_INIT_
Json() { local obj=$(jq -Mc "$1" <<< "${*:2}"); obj=${obj#\"}; echo "${obj%\"}"; }
SetDelmValues(){
local obj=$(jq "[..|select(type == \"string\" or type == \"number\" or type == \"boolean\")|tostring]|join(\"${_BOT_DELM_/\"/\\\"}\")" <<< "$1")
obj=${obj#\"}; echo "${obj%\"}"
}
GetAllValues(){
jq '[..|select(type == "string" or type == "number" or type == "boolean")|tostring]|.[]' <<< "$1"
}
GetAllKeys(){
jq -r 'path(..|select(type == "string" or type == "number" or type == "boolean"))|map(if type == "number" then .|tostring|"["+.+"]" else . end)|join(".")|gsub("\\.\\[";"[")' <<< "$1"
}
FlagConv()
{
local var str=$2
while [[ $str =~ \$\{([a-z_]+)\} ]]; do
if [[ ${BASH_REMATCH[1]} == @(${_VAR_INIT_// /|}) ]]; then
var=${BASH_REMATCH[1]}[$1]
str=${str//${BASH_REMATCH[0]}/${!var}}
else
str=${str//${BASH_REMATCH[0]}}
fi
done
echo "$str"
}
CreateLog()
{
local fid fbot fname fuser lcode cid ctype
local ctitle mid mdate mtext etype
local i fmt obj oid
for ((i=0; i < $1; i++)); do
printf -v fmt "$_BOT_LOG_FORMAT_" || MessageError API
# Suprimir erros.
exec 5<&2
exec 2<&-
# Objeto (tipo)
if [[ ${message_contact_phone_number[$i]:-${edited_message_contact_phone_number[$i]}} ]] ||
[[ ${channel_post_contact_phone_number[$i]:-${edited_channel_post_contact_phone_number[$i]}} ]]; then obj=contact
elif [[ ${message_sticker_file_id[$i]:-${edited_message_sticker_file_id[$i]}} ]] ||
[[ ${channel_post_sticker_file_id[$i]:-${edited_channel_post_sticker_file_id[$i]}} ]]; then obj=sticker
elif [[ ${message_animation_file_id[$i]:-${edited_message_animation_file_id[$i]}} ]] ||
[[ ${channel_post_animation_file_id[$i]:-${edited_channel_post_animation_file_id[$i]}} ]]; then obj=animation
elif [[ ${message_photo_file_id[$i]:-${edited_message_photo_file_id[$i]}} ]] ||
[[ ${channel_post_photo_file_id[$i]:-${edited_channel_post_photo_file_id[$i]}} ]]; then obj=photo
elif [[ ${message_audio_file_id[$i]:-${edited_message_audio_file_id[$i]}} ]] ||
[[ ${channel_post_audio_file_id[$i]:-${edited_channel_post_audio_file_id[$i]}} ]]; then obj=audio
elif [[ ${message_video_file_id[$i]:-${edited_message_video_file_id[$i]}} ]] ||
[[ ${channel_post_video_file_id[$i]:-${edited_channel_post_video_file_id[$i]}} ]]; then obj=video
elif [[ ${message_voice_file_id[$i]:-${edited_message_voice_file_id[$i]}} ]] ||
[[ ${channel_post_voice_file_id[$i]:-${edited_channel_post_voice_file_id[$i]}} ]]; then obj=voice
elif [[ ${message_document_file_id[$i]:-${edited_message_document_file_id[$i]}} ]] ||
[[ ${channel_post_document_file_id[$i]:-${edited_channel_post_document_file_id[$i]}} ]]; then obj=document
elif [[ ${message_venue_location_latitude[$i]:-${edited_message_venue_location_latitude[$i]}} ]] ||
[[ ${channel_post_venue_location_latitude[$i]-${edited_channel_post_venue_location_latitude[$i]}} ]]; then obj=venue
elif [[ ${message_location_latitude[$i]:-${edited_message_location_latitude[$i]}} ]] ||
[[ ${channel_post_location_latitude[$i]:-${edited_channel_post_location_latitude[$i]}} ]]; then obj=location
elif [[ ${message_text[$i]:-${edited_message_text[$i]}} ]] ||
[[ ${channel_post_text[$i]:-${edited_channel_post_text[$i]}} ]]; then obj=text
elif [[ ${callback_query_id[$i]} ]]; then obj=callback
elif [[ ${inline_query_id[$i]} ]]; then obj=inline
elif [[ ${chosen_inline_result_result_id[$i]} ]]; then obj=chosen
fi
# Objeto (id)
[[ ${oid:=${message_contact_phone_number[$i]}} ]] ||
[[ ${oid:=${message_sticker_file_id[$i]}} ]] ||
[[ ${oid:=${message_animation_file_id[$i]}} ]] ||
[[ ${oid:=${message_photo_file_id[$i]}} ]] ||
[[ ${oid:=${message_audio_file_id[$i]}} ]] ||
[[ ${oid:=${message_video_file_id[$i]}} ]] ||
[[ ${oid:=${message_voice_file_id[$i]}} ]] ||
[[ ${oid:=${message_document_file_id[$i]}} ]] ||
[[ ${oid:=${edited_message_contact_phone_number[$i]}} ]] ||
[[ ${oid:=${edited_message_sticker_file_id[$i]}} ]] ||
[[ ${oid:=${edited_message_animation_file_id[$i]}} ]] ||
[[ ${oid:=${edited_message_photo_file_id[$i]}} ]] ||
[[ ${oid:=${edited_message_audio_file_id[$i]}} ]] ||
[[ ${oid:=${edited_message_video_file_id[$i]}} ]] ||
[[ ${oid:=${edited_message_voice_file_id[$i]}} ]] ||
[[ ${oid:=${edited_message_document_file_id[$i]}} ]] ||
[[ ${oid:=${channel_post_contact_phone_number[$i]}} ]] ||
[[ ${oid:=${channel_post_sticker_file_id[$i]}} ]] ||
[[ ${oid:=${channel_post_animation_file_id[$i]}} ]] ||
[[ ${oid:=${channel_post_photo_file_id[$i]}} ]] ||
[[ ${oid:=${channel_post_audio_file_id[$i]}} ]] ||
[[ ${oid:=${channel_post_video_file_id[$i]}} ]] ||
[[ ${oid:=${channel_post_voice_file_id[$i]}} ]] ||
[[ ${oid:=${channel_post_document_file_id[$i]}} ]] ||
[[ ${oid:=${edited_channel_post_contact_phone_number[$i]}} ]] ||
[[ ${oid:=${edited_channel_post_sticker_file_id[$i]}} ]] ||
[[ ${oid:=${edited_channel_post_animation_file_id[$i]}} ]] ||
[[ ${oid:=${edited_channel_post_photo_file_id[$i]}} ]] ||
[[ ${oid:=${edited_channel_post_audio_file_id[$i]}} ]] ||
[[ ${oid:=${edited_channel_post_video_file_id[$i]}} ]] ||
[[ ${oid:=${edited_channel_post_voice_file_id[$i]}} ]] ||
[[ ${oid:=${edited_channel_post_document_file_id[$i]}} ]] ||
[[ ${oid:=${message_message_id[$i]}} ]] ||
[[ ${oid:=${edited_message_message_id[$i]}} ]] ||
[[ ${oid:=${channel_post_message_id[$i]}} ]] ||
[[ ${oid:=${edited_channel_post_message_id[$i]}} ]] ||
[[ ${oid:=${callback_query_id[$i]}} ]] ||
[[ ${oid:=${inline_query_id[$i]}} ]] ||
[[ ${oid:=${chosen_inline_result_result_id[$i]}} ]]
# Remetente (id)
[[ ${fid:=${message_from_id[$i]}} ]] ||
[[ ${fid:=${edited_message_from_id[$i]}} ]] ||
[[ ${fid:=${callback_query_from_id[$i]}} ]] ||
[[ ${fid:=${inline_query_from_id[$i]}} ]] ||
[[ ${fid:=${chosen_inline_result_from_id[$i]}} ]]
# Bot
[[ ${fbot:=${message_from_is_bot[$i]}} ]] ||
[[ ${fbot:=${edited_message_from_is_bot[$i]}} ]] ||
[[ ${fbot:=${callback_query_from_is_bot[$i]}} ]] ||
[[ ${fbot:=${inline_query_from_is_bot[$i]}} ]] ||
[[ ${fbot:=${chosen_inline_result_from_is_bot[$i]}} ]]
# Usuário (nome)
[[ ${fname:=${message_from_first_name[$i]}} ]] ||
[[ ${fname:=${edited_message_from_first_name[$i]}} ]] ||
[[ ${fname:=${callback_query_from_first_name[$i]}} ]] ||
[[ ${fname:=${inline_query_from_first_name[$i]}} ]] ||
[[ ${fname:=${chosen_inline_result_from_first_name[$i]}} ]] ||
[[ ${fname:=${channel_post_author_signature[$i]}} ]] ||
[[ ${fname:=${edited_channel_post_author_signature[$i]}} ]]
# Usuário (conta)
[[ ${fuser:=${message_from_username[$i]}} ]] ||
[[ ${fuser:=${edited_message_from_username[$i]}} ]] ||
[[ ${fuser:=${callback_query_from_username[$i]}} ]] ||
[[ ${fuser:=${inline_query_from_username[$i]}} ]] ||
[[ ${fuser:=${chosen_inline_result_from_username[$i]}} ]]
# Idioma
[[ ${lcode:=${message_from_language_code[$i]}} ]] ||
[[ ${lcode:=${edited_message_from_language_code[$i]}} ]] ||
[[ ${lcode:=${callback_query_from_language_code[$i]}} ]] ||
[[ ${lcode:=${inline_query_from_language_code[$i]}} ]] ||
[[ ${lcode:=${chosen_inline_result_from_language_code[$i]}} ]]
# Bate-papo (id)
[[ ${cid:=${message_chat_id[$i]}} ]] ||
[[ ${cid:=${edited_message_chat_id[$i]}} ]] ||
[[ ${cid:=${callback_query_message_chat_id[$i]}} ]] ||
[[ ${cid:=${channel_post_chat_id[$i]}} ]] ||
[[ ${cid:=${edited_channel_post_chat_id[$i]}} ]]
# Bate-papo (tipo)
[[ ${ctype:=${message_chat_type[$i]}} ]] ||
[[ ${ctype:=${edited_message_chat_type[$i]}} ]] ||
[[ ${ctype:=${callback_query_message_chat_type[$i]}} ]] ||
[[ ${ctype:=${channel_post_chat_type[$i]}} ]] ||
[[ ${ctype:=${edited_channel_post_chat_type[$i]}} ]]
# Bate-papo (título)
[[ ${ctitle:=${message_chat_title[$i]}} ]] ||
[[ ${ctitle:=${edited_message_chat_title[$i]}} ]] ||
[[ ${ctitle:=${callback_query_message_chat_title[$i]}} ]] ||
[[ ${ctitle:=${channel_post_chat_title[$i]}} ]] ||
[[ ${ctitle:=${edited_channel_post_chat_title[$i]}} ]]
# Mensagem (id)
[[ ${mid:=${message_message_id[$i]}} ]] ||
[[ ${mid:=${edited_message_message_id[$i]}} ]] ||
[[ ${mid:=${callback_query_id[$i]}} ]] ||
[[ ${mid:=${inline_query_id[$i]}} ]] ||
[[ ${mid:=${chosen_inline_result_result_id[$i]}} ]] ||
[[ ${mid:=${channel_post_message_id[$i]}} ]] ||
[[ ${mid:=${edited_channel_post_message_id[$i]}} ]]
# Mensagem (data)
[[ ${mdate:=${message_date[$i]}} ]] ||
[[ ${mdate:=${edited_message_date[$i]}} ]] ||
[[ ${mdate:=${callback_query_message_date[$i]}} ]] ||
[[ ${mdate:=${channel_post_date[$i]}} ]] ||
[[ ${mdate:=${edited_channel_post_date[$i]}} ]]
# Mensagem (texto)
[[ ${mtext:=${message_text[$i]}} ]] ||
[[ ${mtext:=${edited_message_text[$i]}} ]] ||
[[ ${mtext:=${callback_query_message_text[$i]}} ]] ||
[[ ${mtext:=${inline_query_query[$i]}} ]] ||
[[ ${mtext:=${chosen_inline_result_query[$i]}} ]] ||
[[ ${mtext:=${channel_post_text[$i]}} ]] ||
[[ ${mtext:=${edited_channel_post_text[$i]}} ]]
# Mensagem (tipo)
[[ ${etype:=${message_entities_type[$i]}} ]] ||
[[ ${etype:=${edited_message_entities_type[$i]}} ]] ||
[[ ${etype:=${callback_query_message_entities_type[$i]}} ]] ||
[[ ${etype:=${channel_post_entities_type[$i]}} ]] ||
[[ ${etype:=${edited_channel_post_entities_type[$i]}} ]]
# Flags
fmt=${fmt//\{BOT_TOKEN\}/${_BOT_INFO_[0]:--}}
fmt=${fmt//\{BOT_ID\}/${_BOT_INFO_[1]:--}}
fmt=${fmt//\{BOT_FIRST_NAME\}/${_BOT_INFO_[2]:--}}
fmt=${fmt//\{BOT_USERNAME\}/${_BOT_INFO_[3]:--}}
fmt=${fmt//\{BASENAME\}/${_BOT_SCRIPT_:--}}
fmt=${fmt//\{OK\}/${return[ok]:-${ok:--}}}
fmt=${fmt//\{UPDATE_ID\}/${update_id[$i]:--}}
fmt=${fmt//\{OBJECT_TYPE\}/${obj:--}}
fmt=${fmt//\{OBJECT_ID\}/${oid:--}}
fmt=${fmt//\{FROM_ID\}/${fid:--}}
fmt=${fmt//\{FROM_IS_BOT\}/${fbot:--}}
fmt=${fmt//\{FROM_FIRST_NAME\}/${fname:--}}
fmt=${fmt//\{FROM_USERNAME\}/${fuser:--}}
fmt=${fmt//\{FROM_LANGUAGE_CODE\}/${lcode:--}}
fmt=${fmt//\{CHAT_ID\}/${cid:--}}
fmt=${fmt//\{CHAT_TYPE\}/${ctype:--}}
fmt=${fmt//\{CHAT_TITLE\}/${ctitle:--}}
fmt=${fmt//\{MESSAGE_ID\}/${mid:--}}
fmt=${fmt//\{MESSAGE_DATE\}/${mdate:--}}
fmt=${fmt//\{MESSAGE_TEXT\}/${mtext:--}}
fmt=${fmt//\{ENTITIES_TYPE\}/${etype:--}}
fmt=${fmt//\{METHOD\}/${FUNCNAME[2]/main/ShellBot.getUpdates}}
fmt=${fmt//\{RETURN\}/$(SetDelmValues "$2")}
exec 2<&5
# log
[[ $fmt ]] && { echo "$fmt" >> "$_BOT_LOG_FILE_" || MessageError API; }
# Limpa objetos
fid= fbot= fname= fuser= lcode= cid= ctype=
ctitle= mid= mdate= mtext= etype= obj= oid=
done
return $?
}
MethodReturn()
{
# Retorno
case $_BOT_TYPE_RETURN_ in
json) echo "$1";;
value) SetDelmValues "$1";;
map)
local key val vars vals i obj
return=()
mapfile -t vars <<< $(GetAllKeys "$1")
mapfile -t vals <<< $(GetAllValues "$1")
for i in ${!vars[@]}; do
key=${vars[$i]//[0-9\[\]]/}
key=${key#result.}
key=${key//./_}
val=${vals[$i]}
val=${val#\"}
val=${val%\"}
[[ ${return[$key]} ]] && return[$key]+=${_BOT_DELM_}${val} || return[$key]=$val
[[ $_BOT_MONITOR_ ]] && printf "[%s]: return[%s] = '%s'\n" "${FUNCNAME[1]}" "$key" "$val"
done
;;
esac
[[ $(jq -r '.ok' <<< "$1") == true ]]
return $?
}
MessageError()
{
# Variáveis locais
local err_message err_param assert i
# A variável 'BASH_LINENO' é dinâmica e armazena o número da linha onde foi expandida.
# Quando chamada dentro de um subshell, passa ser instanciada como um array, armazenando diversos
# valores onde cada índice refere-se a um shell/subshell. As mesmas caracteristicas se aplicam a variável
# 'FUNCNAME', onde é armazenado o nome da função onde foi chamada.
# Obtem o índice da função na hierarquia de chamada.
[[ ${FUNCNAME[1]} == CheckArgType ]] && i=2 || i=1
# Lê o tipo de ocorrência.
# TG - Erro externo retornado pelo core do telegram.
# API - Erro interno gerado pela API do ShellBot.
case $1 in
TG)
err_param="$(Json '.error_code' "$2")"
err_message="$(Json '.description' "$2")"
;;
API)
err_param="${3:--}: ${4:--}"
err_message="$2"
assert=true
;;
esac
# Imprime erro
printf "%s: erro: linha %s: %s: %s: %s\n" \
"${_BOT_SCRIPT_}" \
"${BASH_LINENO[$i]:--}" \
"${FUNCNAME[$i]:--}" \
"${err_param:--}" \
"${err_message:-$_ERR_UNKNOWN_}" 1>&2
# Finaliza script/thread em caso de erro interno, caso contrário retorna 1
${assert:-false} && exit 1 || return 1
}
CheckArgType()
{
# CheckArgType recebe os dados da função chamadora e verifica
# o dado recebido com o tipo suportado pelo parâmetro.
# É retornado '0' para sucesso, caso contrário uma mensagem
# de erro é retornada e o script/thread é finalizado com status '1'.
case $1 in
user) id "$3" &>/dev/null || MessageError API "$_ERR_SERVICE_USER_NOT_FOUND_" "$2" "$3";;
func) [[ $(type -t "$3") == function ]] || MessageError API "$_ERR_FUNCTION_NOT_FOUND_" "$2" "$3";;
var) [[ -v $3 ]] || MessageError API "$_ERR_VAR_NAME_" "$2" "$3";;
int) [[ $3 =~ ^-?[0-9]+$ ]] || MessageError API "$_ERR_TYPE_INT_" "$2" "$3";;
float) [[ $3 =~ ^-?[0-9]+\.[0-9]+$ ]] || MessageError API "$_ERR_TYPE_FLOAT_" "$2" "$3";;
bool) [[ $3 =~ ^(true|false)$ ]] || MessageError API "$_ERR_TYPE_BOOL_" "$2" "$3";;
token) [[ $3 =~ ^[0-9]+:[a-zA-Z0-9_-]+$ ]] || MessageError API "$_ERR_TOKEN_INVALID_" "$2" "$3";;
file) [[ $3 =~ ^@ && ! -f ${3#@} ]] && MessageError API "$_ERR_FILE_NOT_FOUND_" "$2" "$3";;
return) [[ $3 == @(json|map|value) ]] || MessageError API "$_ERR_ARG_" "$2" "$3";;
cmd) [[ $3 =~ ^/[a-zA-Z0-9_]+$ ]] || MessageError API "$_ERR_ARG_" "$2" "$3";;
flag) [[ $3 =~ ^[a-zA-Z0-9_]+$ ]] || MessageError API "$_ERR_ARG_" "$2" "$3";;
esac
return $?
}
FlushOffset()
{
local sid eid jq_obj
while :; do
jq_obj=$(ShellBot.getUpdates --limit 100 --offset $(ShellBot.OffsetNext))
IFS=' ' read -a update_id <<< $(jq -r '.result|.[]|.update_id' <<< $jq_obj)
[[ $update_id ]] || break
sid=${sid:-${update_id[0]}}
eid=${update_id[-1]}
done
echo "${sid:-0}|${eid:-0}"
return $?
}
CreateUnitService()
{
local service=${1%.*}.service
local ok='\033[0;32m[OK]\033[0;m'
local fail='\033[0;31m[FALHA]\033[0;m'
((UID == 0)) || MessageError API "$_ERR_SERVICE_NOT_ROOT_"
# O modo 'service' requer que o sistema de gerenciamento de processos 'systemd'
# esteja presente para que o Unit target seja linkado ao serviço.
if ! which systemctl &>/dev/null; then
MessageError API "$_ERR_SERVICE_SYSTEMD_NOT_FOUND_"; fi
# Se o serviço existe.
test -e /lib/systemd/system/$service && \
MessageError API "$_ERR_SERVICE_EXISTS_" "$service"
# Gerando as configurações do target.
cat > /lib/systemd/system/$service << _eof
[Unit]
Description=$1 - (SHELLBOT)
After=network-online.target
[Service]
User=$2
WorkingDirectory=$PWD
ExecStart=/bin/bash $1
ExecReload=/bin/kill -HUP \$MAINPID
ExecStop=/bin/kill -KILL \$MAINPID
KillMode=process
Restart=on-failure
RestartPreventExitStatus=255
Type=simple
[Install]
WantedBy=multi-user.target
_eof
[[ $? -eq 0 ]] && {
printf '%s foi criado com sucesso !!\n' $service
echo -n "Habilitando..."
systemctl enable $service &>/dev/null && echo -e $ok || \
{ echo -e $fail; MessageError API; }
sed -i -r '/^\s*ShellBot.init\s/s/\s--?(s(ervice)?|u(ser)?\s+\w+)\b//g' "$1"
systemctl daemon-reload
echo -n "Iniciando..."
systemctl start $service &>/dev/null && {
echo -e $ok
systemctl status $service
echo -e "\nUso: sudo systemctl {start|stop|restart|reload|status} $service"
} || echo -e $fail
} || MessageError API
exit 0
}
# Inicializa o bot, definindo sua API e _TOKEN_.
ShellBot.init()
{
local method_return delm ret logfmt jq_obj offset
local token monitor flush service user logfile logfmt
# Verifica se o bot já foi inicializado.
[[ $_SHELLBOT_INIT_ ]] && MessageError API "$_ERR_BOT_ALREADY_INIT_"
local param=$(getopt --name "$FUNCNAME" \
--options 't:mfsu:l:o:r:d:' \
--longoptions 'token:,
monitor,
flush,
service,
user:,
log_file:,
log_format:,
return:,
delimiter:' \
-- "$@")
# Define os parâmetros posicionais
eval set -- "$param"
while :
do
case $1 in
-t|--token)
CheckArgType token "$1" "$2"
token=$2
shift 2
;;
-m|--monitor)
# Ativa modo monitor
monitor=true
shift
;;
-f|--flush)
# Define a FLAG flush para o método 'ShellBot.getUpdates'. Se ativada, faz com que
# o método obtenha somente as atualizações disponíveis, ignorando a extração dos
# objetos JSON e a inicialização das variáveis.
flush=true
shift
;;
-s|--service)
service=true
shift
;;
-u|--user)
CheckArgType user "$1" "$2"
user=$2
shift 2
;;
-l|--log_file)
logfile=$2
shift 2
;;
-o|--log_format)
logfmt=$2
shift 2
;;
-r|--return)
CheckArgType return "$1" "$2"
ret=$2
shift 2
;;
-d|--delimiter)
delm=$2
shift 2
;;
--)
shift
break
;;
esac
done
# Parâmetro obrigatório.
[[ $token ]] || MessageError API "$_ERR_PARAM_REQUIRED_" "[-t, --token]"
[[ $user && ! $service ]] && MessageError API "$_ERR_PARAM_REQUIRED_" "[-s, --service]"
[[ $service ]] && CreateUnitService "$_BOT_SCRIPT_" "${user:-$USER}"
declare -gr _TOKEN_=$token # TOKEN
declare -gr _API_TELEGRAM_="https://api.telegram.org/bot$_TOKEN_" # API
# Testa conexão.
curl -s "$_API_TELEGRAM_" &>- || MessageError API "$_ERR_CONNECTION_"
# Um método simples para testar o token de autenticação do seu bot.
# Não requer parâmetros. Retorna informações básicas sobre o bot em forma de um objeto Usuário.
ShellBot.getMe()
{
# Chama o método getMe passando o endereço da API, seguido do nome do método.
jq_obj=$(curl $_CURL_OPT_ GET $_API_TELEGRAM_/${FUNCNAME#*.})
# Verifica o status de retorno do método
MethodReturn "$jq_obj" || MessageError TG "$jq_obj"
return $?
}
ShellBot.getMe &>- || MessageError API "$_ERR_TOKEN_UNAUTHORIZED_" '[-t, --token]'
# Salva as informações do bot.
declare -gr _BOT_INFO_=(
[0]=$_TOKEN_
[1]=$(Json '.result.id' $jq_obj)
[2]=$(Json '.result.first_name' $jq_obj)
[3]=$(Json '.result.username' $jq_obj)
)
# Configurações.
declare -gr _BOT_FLUSH_=$flush
declare -gr _BOT_MONITOR_=$monitor
declare -gr _BOT_SERVICE_=$service
declare -gr _BOT_USER_SERVICE_=$user
declare -gr _BOT_TYPE_RETURN_=${ret:-value}
declare -gr _BOT_DELM_=${delm:-|}
declare -gr _BOT_LOG_FILE_=${logfile}
declare -gr _BOT_LOG_FORMAT_=${logfmt:-%(%d/%m/%Y %H:%M:%S)T: \{BASENAME\}: \{BOT_USERNAME\}: \{UPDATE_ID\}: \{METHOD\}: \{CHAT_TYPE\}: \{FROM_USERNAME\}: \{OBJECT_TYPE\}: \{OBJECT_ID\}: \{MESSAGE_TEXT\}}
declare -gr _SHELLBOT_INIT_=1
# SHELLBOT (FUNÇÕES)
# Inicializa as funções para chamadas aos métodos da API do telegram.
ShellBot.ListUpdates(){ echo ${!update_id[@]}; }
ShellBot.TotalUpdates(){ echo ${#update_id[@]}; }
ShellBot.OffsetEnd(){ local -i offset=${update_id[@]: -1}; echo $offset; }
ShellBot.OffsetNext(){ echo $((${update_id[@]: -1}+1)); }
ShellBot.token() { echo "${_BOT_INFO_[0]}"; }
ShellBot.id() { echo "${_BOT_INFO_[1]}"; }
ShellBot.first_name() { echo "${_BOT_INFO_[2]}"; }
ShellBot.username() { echo "${_BOT_INFO_[3]}"; }
ShellBot.getConfig()
{
local jq_obj
printf -v jq_obj '{"monitor":%s,"flush":%s,"service":%s,"return":"%s","delimiter":"%s","user":"%s","log_file":"%s","log_format":"%s"}' \
"${_BOT_MONITOR_:-false}" \
"${_BOT_FLUSH_:-false}" \
"${_BOT_SERVICE_:-false}" \
"${_BOT_TYPE_RETURN_}" \
"${_BOT_DELM_}" \
"${_BOT_USER_SERVICE_}" \
"${_BOT_LOG_FILE_}" \
"${_BOT_LOG_FORMAT_}"
MethodReturn "$jq_obj"
return $?
}
ShellBot.regHandleFunction()
{
local function data handle args
local param=$(getopt --name "$FUNCNAME" \
--options 'f:a:d:' \
--longoptions 'function:,
args:,
callback_data:' \
-- "$@")
eval set -- "$param"
while :
do
case $1 in
-f|--function)
CheckArgType func "$1" "$2"
function=$2
shift 2
;;
-a|--args)
args=$2
shift 2
;;
-d|--callback_data)
data=$2
shift 2
;;
--)
shift
break
;;
esac
done
[[ $function ]] || MessageError API "$_ERR_PARAM_REQUIRED_" "[-f, --function]"
[[ $data ]] || MessageError API "$_ERR_PARAM_REQUIRED_" "[-d, --callback_data]"
[[ ${_BOT_HANDLE_[$data]} ]] && MessageError API "$_ERR_HANDLE_EXISTS_" '[-d, --callback_data]'
_BOT_HANDLE_[$data]=func:$function' '$args
return 0
}
ShellBot.regHandleExec()
{
local cmd data
local param=$(getopt --name "$FUNCNAME" \
--options 'c:d:' \
--longoptions 'command:,
callback_data:' \
-- "$@")
eval set -- "$param"
while :
do
case $1 in
-c|--command)
cmd=$2
shift 2
;;
-d|--callback_data)
data=$2
shift 2
;;
--)
shift
break
;;
esac
done
[[ $cmd ]] || MessageError API "$_ERR_PARAM_REQUIRED_" "[-c, --command]"
[[ $data ]] || MessageError API "$_ERR_PARAM_REQUIRED_" "[-d, --callback_data]"
[[ ${_BOT_HANDLE_[$data]} ]] && MessageError API "$_ERR_HANDLE_EXISTS_" "[-d, --callback_data]"
_BOT_HANDLE_[$data]=exec:$cmd
return 0
}
ShellBot.watchHandle()
{
local data flag cmd
local param=$(getopt --name "$FUNCNAME" \
--options 'd' \
--longoptions 'callback_data' \
-- "$@")
eval set -- "$param"
while :
do
case $1 in
-d|--callback_data)
shift 2
data=$1
;;
*)
shift
break
;;
esac
done
# Handles (somente-leitura)
readonly _BOT_HANDLE_
[[ $data ]] || return 1 # vazio
IFS=':' read -r flag cmd <<< "${_BOT_HANDLE_[$data]}"
case $flag in
func) $cmd;;
exec) eval "$cmd";;
esac
# retorno
return 0
}
ShellBot.getWebhookInfo()
{
# Variável local
local jq_obj
# Chama o método getMe passando o endereço da API, seguido do nome do método.
jq_obj=$(curl $_CURL_OPT_ GET $_API_TELEGRAM_/${FUNCNAME#*.})
# Verifica o status de retorno do método
MethodReturn "$jq_obj" || MessageError TG "$jq_obj"
return $?
}
ShellBot.deleteWebhook()
{
# Variável local
local jq_obj
# Chama o método getMe passando o endereço da API, seguido do nome do método.
jq_obj=$(curl $_CURL_OPT_ POST $_API_TELEGRAM_/${FUNCNAME#*.})
# Verifica o status de retorno do método
MethodReturn "$jq_obj" || MessageError TG "$jq_obj"
return $?
}
ShellBot.setWebhook()
{
local url certificate max_connections allowed_updates jq_obj
local param=$(getopt --name "$FUNCNAME" \
--options 'u:c:m:a:' \
--longoptions 'url:,
certificate:,
max_connections:,
allowed_updates:' \
-- "$@")
eval set -- "$param"
while :
do
case $1 in
-u|--url)
url=$2
shift 2
;;
-c|--certificate)
CheckArgType file "$1" "$2"
certificate=$2
shift 2
;;
-m|--max_connections)
CheckArgType int "$1" "$2"
max_connections=$2
shift 2
;;
-a|--allowed_updates)
allowed_updates=$2
shift 2
;;
--)
shift
break
;;
esac
done
[[ $url ]] || MessageError API "$_ERR_PARAM_REQUIRED_" "[-u, --url]"
jq_obj=$(curl $_CURL_OPT_ POST $_API_TELEGRAM_/${FUNCNAME#*.} \
${url:+-d url="$url"} \
${certificate:+-d certificate="$certificate"} \
${max_connections:+-d max_connections="$max_connections"} \
${allowed_updates:+-d allowed_updates="$allowed_updates"})
# Testa o retorno do método.
MethodReturn "$jq_obj" || MessageError TG "$jq_obj"
# Status
return $?
}
ShellBot.setChatPhoto()
{
local chat_id photo jq_obj
local param=$(getopt --name "$FUNCNAME" \
--options 'c:p:' \
--longoptions 'chat_id:,photo:' \
-- "$@")
eval set -- "$param"
while :
do
case $1 in
-c|--chat_id)
chat_id=$2
shift 2
;;
-p|--photo)
CheckArgType file "$1" "$2"
photo=$2
shift 2
;;
--)
shift
break
;;
esac
done
[[ $chat_id ]] || MessageError API "$_ERR_PARAM_REQUIRED_" "[-c, --chat_id]"
[[ $photo ]] || MessageError API "$_ERR_PARAM_REQUIRED_" "[-p, --photo]"
jq_obj=$(curl $_CURL_OPT_ POST $_API_TELEGRAM_/${FUNCNAME#*.} \
${chat_id:+-F chat_id="$chat_id"} \
${photo:+-F photo="$photo"})
MethodReturn "$jq_obj" || MessageError TG "$jq_obj"
# Status
return $?
}
ShellBot.deleteChatPhoto()
{
local chat_id jq_obj
local param=$(getopt --name "$FUNCNAME" \
--options 'c:' \
--longoptions 'chat_id:' \
-- "$@")
eval set -- "$param"
while :
do
case $1 in
-c|--chat_id)
chat_id=$2
shift 2
;;
--)
shift
break
;;
esac
done
[[ $chat_id ]] || MessageError API "$_ERR_PARAM_REQUIRED_" "[-c, --chat_id]"
jq_obj=$(curl $_CURL_OPT_ POST $_API_TELEGRAM_/${FUNCNAME#*.} ${chat_id:+-d chat_id="$chat_id"})
MethodReturn "$jq_obj" || MessageError TG "$jq_obj"
# Status
return $?
}
ShellBot.setChatTitle()
{
local chat_id title jq_obj
local param=$(getopt --name "$FUNCNAME" \
--options 'c:t:' \
--longoptions 'chat_id:,title:' \
-- "$@")