forked from Obshee-Delo-IT/resource-availability-tg-bot
-
Notifications
You must be signed in to change notification settings - Fork 0
/
bot.py
303 lines (255 loc) · 12.2 KB
/
bot.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
"""Главный файл приложения бота."""
import asyncio
import datetime
import logging
import os
import re
import sys
import time
import pytz
import requests
import configparser
import locale
from bs4 import BeautifulSoup
from dotenv import load_dotenv
from http import HTTPStatus
from logging.handlers import RotatingFileHandler
from mycustomerror import MyCustomError
from telegram import Bot, ReplyKeyboardMarkup
from telegram.ext import CommandHandler, Updater
load_dotenv()
config = configparser.ConfigParser()
config.read('setup.cfg', encoding='utf-8')
TELEGRAM_TOKEN = os.getenv('TELEGRAM_TOKEN')
LOG_LEVEL = config['log_setting']['log_level']
FORMAT_LOG = config['log_setting']['log_format']
LOGS_DIRECTORY_PATH = config['log_setting']['logs_directory_path']
LOG_SIZE = int(config['log_setting']['log_size'])
BACKUP_СOUNT = int(config['log_setting']['backup_сount'])
TELEGRAM_ADMIN_ID = config['tg_setting']['admin_tg_id']
RETRY_TIME = int(config['default']['retry_time'])
TZ_MOSCOW = pytz.timezone(config['tg_setting']['tzone'])
ENDPOINTS = []
CHECK_RESULT = []
BUTTONS = ReplyKeyboardMarkup(
[['/bot_settings', '/last_check', '/subscribe']],
resize_keyboard=True,
)
BOT = Bot(token=TELEGRAM_TOKEN)
def get_bot():
"""Проверяет запуск бота и выбрасывает исключение при ошибки запуска."""
if not BOT:
message = f'Ошибка инициализации объекта BOT - {BOT}.'
logger.error(message, exc_info=True)
raise MyCustomError(message)
return BOT
def get_subscribers_ids():
"""Достаёт из файла setup.cfg перечень id учётных запписей телеграм."""
telegram_subscriber_ids = []
tg_ids = config['tg_setting']['subscription_tg_ids'].split(',')
for tg_id in tg_ids:
if isinstance(int(tg_id), int):
telegram_subscriber_ids.append(int(tg_id))
logger.debug(
'Список ИД учёток Телеграм подписчиков из get_subscribers_ids - '
+ f'{telegram_subscriber_ids}.')
return telegram_subscriber_ids
async def send_message_admin(message):
"""Отправляет сообщение в Telegram чат админа."""
bot = get_bot()
logger.debug(f'Отправка сообщения администратору: {message}')
await bot.send_message(chat_id=TELEGRAM_ADMIN_ID, text=message,)
logger.debug(f'Админу отправлено сообщение - "{message}".')
async def send_message(message, telegram_ids):
"""Отправляет сообщение в Telegram-чаты участников процесса."""
bot = get_bot()
for id in telegram_ids:
logger.debug(f'Отправка сообщения пользователю {id}: {message}')
await bot.send_message(chat_id=id, text=message,)
logger.debug(f'Получателям отправлено сообщение - "{message}".')
async def check_status_resource(endpoint, telegram_ids):
"""Делает запрос к эндпоинту.
В качестве параметра функция получает временную метку и ендпоинт. Делает
запрос и, если статус ответа не 200, то посылает сообщение пользоватлю из
списка.
"""
bot = get_bot()
try:
response = requests.get(endpoint)
logger.info(f'response - "{response}". type(response) - {type(response)}.')
result = response.status_code
except requests.exceptions.ConnectionError as conerror:
logger.warning(conerror)
result = f'Connection error: \n{conerror}\n'
if result != HTTPStatus.OK:
message_status_code_not_200 = (f'Сайт: "{endpoint}". Ошибка: {result}.')
logger.warning(message_status_code_not_200)
# await send_message(message_status_code_not_200, telegram_ids)
else:
logger.info(f'Сайт: "{endpoint}". Ответ: {result}.')
# await send_message(f'Сайт: "{endpoint}". Ответ: {result}.', telegram_ids)
return result
async def get_title_and_h1_from_endpoint(endpoint, telegram_ids):
"""
Делает запрос к эндпоинту и возвращает содержимое тегов <title> и <h1> на странице.
В качестве параметра функция получает эндпоинт. Делает запрос и, если статус
ответа не 200, то посылает сообщение пользователю из списка.
"""
try:
response = requests.get(endpoint)
logger.info(f'response - "{response}". type(response) - {type(response)}.')
if response.status_code != HTTPStatus.OK:
message_status_code_not_200 = (f'Сайт: "{endpoint}". Ошибка: {response.status_code}.')
logger.warning(message_status_code_not_200)
return None, None
soup = BeautifulSoup(response.text, 'html.parser')
title = soup.title
title_text = title.string if title else 'No <title> tag found'
h1 = soup.find('h1')
h1_text = h1.text if h1 else 'No <h1> tag found'
except requests.exceptions.ConnectionError as conerror:
logger.warning(conerror)
result = f'Connection error: \n{conerror}\n'
except Exception as error:
logger.error(error)
result = f'Error while parsing HTML: {error}'
else:
logger.info(f'Сайт: "{endpoint}". Заголовок: {title_text}. h1: {h1_text}.')
return title_text, h1_text
def check_tokens():
"""Проверяет доступность переменных окружения для работы программы."""
logger.info('***Работает check_tokens.')
logger.debug(f'TELEGRAM_TOKEN - {TELEGRAM_TOKEN}.')
logger.debug(f'TELEGRAM_ADMIN_ID - {TELEGRAM_ADMIN_ID}.')
return all([TELEGRAM_TOKEN, TELEGRAM_ADMIN_ID])
async def last_check(update, context):
"""Возвращает результаты последней проверки."""
logger.info('***Работает last_check.')
chat = update.effective_chat
name = update.message.chat.username
message = ''.join(CHECK_RESULT)
await context.bot.send_message(
chat_id=chat.id,
text=message,
reply_markup=BUTTONS
)
logger.info(
f'Запрошены результаты последней проверки. Пользователь {name}.')
async def bot_settings(update, context):
"""Возвращает список проверяемых сайтов и периодичность проверки."""
logger.info('***Работает bot_settings.')
chat = update.effective_chat
name = update.message.chat.username
part_name = name[:4]
endpoints_str = ''
for e in ENDPOINTS:
endpoints_str += e + '\n'
message = (
f'Список проверямых сайтов:\n{endpoints_str}'
+ f'Периодичность проверки - 1 раз в {RETRY_TIME} мин.')
await context.bot.send_message(
chat_id=chat.id,
text=message,
reply_markup=BUTTONS
)
logger.info(
f'Запрошены настройки бота. Часть имени пользователя {part_name}.')
async def subscribe(update, context):
"""Подписка на рассылку сообщений от бота."""
logger.info('***Работает subscribe.')
chat = update.effective_chat
name = update.message.chat.username
tg_id = update.message.chat.id
logger.debug(f'tg_id - {tg_id}')
telegram_ids = get_subscribers_ids()
logger.debug(f'telegram_ids - {telegram_ids}.')
tg_setting = config['tg_setting']
if tg_id in telegram_ids:
telegram_ids.remove(tg_id)
logger.debug('telegram_ids после удаления id - ' + f'{telegram_ids}.')
message = ('Вы отписались от рассылки сообщений от бота.')
logger.info(f'Пользователь {name} отписалися от рассылки.')
else:
telegram_ids.append(tg_id)
logger.debug('telegram_ids id после добавления - ' + f'{telegram_ids}.')
message = ('Вы подписались на рассылку сообщений от бота.')
logger.info(f'Пользователь {name} подписался на рассылку.')
tg_setting['subscription_tg_ids'] = ",".join(str(id) for id in telegram_ids)
with open('setup.cfg', 'w', encoding='utf-8') as configfile:
config.write(configfile)
await context.bot.send_message(
chat_id=chat.id,
text=message,
reply_markup=BUTTONS
)
async def main():
logger.info('main() START!')
"""Основная логика работы бота."""
global ENDPOINTS, CHECK_RESULT
endpoints = config.get('tg_setting', 'endpoints')
endpoints = re.split('\\n|,', endpoints)
for endpoint in endpoints:
if isinstance(endpoint, str) and len(endpoint) != 0:
ENDPOINTS.append(endpoint)
logger.info(f'Список Интернет-сайтов - {[endpoint for endpoint in ENDPOINTS]}.')
telegram_ids = get_subscribers_ids()
logger.info(f'Подписчики: {telegram_ids}')
if not check_tokens():
message = (
f'Проверка токенов завершилась с ошибкой - {check_tokens()}.')
logger.critical(message, exc_info=True)
sys.exit(message)
logger.info('Проверка токенов завершилась успешно.')
while True:
try:
logger.info('Старт очередной проверки...')
DT_MOSCOW = datetime.datetime.now(TZ_MOSCOW)
date_time = DT_MOSCOW.strftime('%d.%m.%Y %H:%M')
CHECK_RESULT = [
'Результаты последней проверки.\n'
+ f'Дата и время: {date_time} (мск).\n'
+ 'Статусы по сайтам:\n'
]
SUCCESSFUL_RESULT = '\n V - Успешный доступ:\n'
UNSUCCESSFUL_RESULT = '\n X - Проблемы с доступом:\n'
for endpoint in ENDPOINTS:
check = await check_status_resource(endpoint, telegram_ids)
title, h1 = await get_title_and_h1_from_endpoint(endpoint, telegram_ids)
logger.debug(f'endpoint: {endpoint}, check: {check}, type(check): {type(check)}')
if check == 200:
SUCCESSFUL_RESULT += f'Url: {endpoint}\nStatus: {check}\nTitle: {title}\n\n'
else:
UNSUCCESSFUL_RESULT += f'Url: {endpoint}\nStatus: {check}\nTitle: {title}\n\n'
CHECK_RESULT.append(UNSUCCESSFUL_RESULT)
CHECK_RESULT.append(SUCCESSFUL_RESULT)
logger.info(f'CHECK_RESULT - {CHECK_RESULT}.')
final_message = ''.join(CHECK_RESULT)
await send_message(f'{final_message}', telegram_ids)
except TypeError as typerror:
message = (f'TypeError при запуске функции main: {typerror}')
logger.error(message)
await send_message_admin(message)
logger.exception(typerror, exc_info=True)
except Exception as error:
message = (f'Exception при запуске функции main: {error}.')
logger.error(message)
await send_message_admin(message)
logger.exception(error, exc_info=True)
finally:
await asyncio.sleep(RETRY_TIME * 60)
if __name__ == '__main__':
logger = logging.getLogger(__name__)
logger.setLevel(LOG_LEVEL)
formatter = logging.Formatter(FORMAT_LOG)
handler = RotatingFileHandler(
(LOGS_DIRECTORY_PATH + 'bot.log'),
maxBytes=LOG_SIZE,
backupCount=BACKUP_СOUNT,
)
handler.setFormatter(formatter)
logger.addHandler(handler)
stream_handler = logging.StreamHandler(sys.stdout)
stream_handler.setFormatter(formatter)
logger.addHandler(stream_handler)
logger.info('***\nСтарт работы бота проверки ресурсов ОД.')
asyncio.run(main())