-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathTelegramBot.py
330 lines (270 loc) · 11.6 KB
/
TelegramBot.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
#! /usr/bin/env python
# -*- coding: utf-8 -*-
import telebot
from telebot import types
import pandas as pd
import requests
telegram_token = '{your_telegram_token}'
bot = telebot.TeleBot(telegram_token)
class RandomChooser:
def __init__(self, data, tags):
self.data = data
self.tags = tags
@staticmethod
def from_csv(data, tags):
return RandomChooser(pd.read_csv(data), pd.read_csv(tags))
def __call__(self, author=None, tag=None):
if author is not None:
author_chunks = author.split()
result_dataframe = self.data[self.data.apply(lambda row: all(
[chunk.lower() in row['author'].lower().split() for chunk in author_chunks]), axis=1)]
return result_dataframe.sample(
1).iloc[0] if not result_dataframe.empty else None
elif tag is not None:
result_dataframe = self.data[self.data.apply(
lambda row: tag in row['tags'],
axis=1
)]
return result_dataframe.sample(
1).iloc[0] if not result_dataframe.empty else None
else:
return self.data.sample(1).iloc[0]
rc = RandomChooser.from_csv('books_table.csv', 'tags_table.csv')
@bot.message_handler(commands=['start'])
def say_hello(message):
hello_msg = bot.send_message(
message.chat.id,
"Привет! Я чат-бот и я могу:\n"
"- помочь тебе выбрать книгу\n"
"- прочесть тебе краткое содержание\n"
"Выбери, что ты хочешь, с помощью появившихся кнопок",
reply_markup=create_menu()
)
bot.register_next_step_handler(hello_msg, process_menu)
# следующие 2 функции - реализация меню
# возвращает меню
def create_menu():
return create_reply_keyboard(
[['Выбрать рандомную книгу', 'Прочесть краткое содержание']])
# обрабатывает нажатия кнопок меню
@bot.message_handler(func=lambda msg: True, content_types=['text'])
def process_menu(message):
if message.text == 'Выбрать рандомную книгу':
random_choose(message.chat.id)
elif message.text == 'Прочесть краткое содержание':
audio_summary(message.chat.id)
# вспомогательная функция:
# возвращает клавиатуру с кнопками по списку списков надписей на кнопках
def create_reply_keyboard(button_rows):
markup = types.ReplyKeyboardMarkup()
for row in button_rows:
row = [types.KeyboardButton(button) for button in row]
markup.row(*row)
return markup
# следующие 5 функций - реализация "Выбрать рандомную книгу"
# предлагает на выбор категории запроса: "нет", "по автору", "по тэгу"
def random_choose(chat_id):
category_markup = create_reply_keyboard([['нет', 'по автору', 'по тэгу']])
msg = bot.send_message(
chat_id,
"Хочешь я выберу по какому-то параметру?",
reply_markup=category_markup
)
bot.register_next_step_handler(msg, choose_category)
# обрабатывает выбор категории
def choose_category(category_message):
if category_message.text == 'нет':
present_choice_msg(category_message.chat.id)
print_book(category_message.chat.id, rc())
elif category_message.text == 'по автору':
bot.register_next_step_handler(
bot.send_message(
category_message.chat.id,
"Какой автор тебя интересует?",
reply_markup=types.ReplyKeyboardRemove(selective=False)
),
choose_author
)
else:
bot.register_next_step_handler(
bot.send_message(
category_message.chat.id,
"Выбери интересующий тебя тэг",
reply_markup=create_reply_keyboard([[tag] for tag in rc.tags['tag']])
),
choose_tag
)
# обрабатывает выбор книги по автору
def choose_author(author_message):
book = rc(author=author_message.text)
if book is None:
bot.register_next_step_handler(
bot.send_message(
author_message.chat.id,
"Ошибка в имени автора или такого автора я не знаю. Попробуй ещё раз",
reply_markup=types.ReplyKeyboardRemove(
selective=False)),
choose_author)
else:
present_choice_msg(author_message.chat.id)
print_book(author_message.chat.id, book)
# обрабатывает выбор книги по тэгу
def choose_tag(tag_message):
book = rc(tag=tag_message.text)
present_choice_msg(tag_message.chat.id)
print_book(tag_message.chat.id, book)
# просто выводит сообщение о том, что книга подобрана, и закрывает клавиатуру
# вынесено в отдельную функцию, чтобы не было копипасты
def present_choice_msg(chat_id):
return bot.send_message(
chat_id,
"Вот, что я подобрал для тебя:",
reply_markup=types.ReplyKeyboardRemove(selective=False)
)
# следующие 5 функций - реализация "Прочесть краткое содержание"
# предлагает на выбор 2 категории запроса: "рандомная" или "конкретная" книга
def audio_summary(chat_id):
category_markup = create_reply_keyboard(
[['хочу рандомную', 'хочу конкретную']])
msg = bot.send_message(
chat_id,
"Мне выбрать книгу рандомно или ты хочешь какую-то конкретную?",
reply_markup=category_markup
)
bot.register_next_step_handler(msg, audio_category)
# обрабатывает эти 2 категории запроса
def audio_category(category_message):
chat_id = category_message.chat.id
if category_message.text == "хочу рандомную":
book = rc()
text = book['summary']
parts_number = make_audio(text)
while parts_number == 0:
book = rc()
text = book['summary']
parts_number = make_audio(text)
present_choice_msg(chat_id)
print_book(chat_id, book)
for i in range(parts_number):
url = "https://api.telegram.org/bot{0}/sendVoice?chat_id={1}".format(
telegram_token, chat_id)
with open('speech{0}.ogg'.format(i), 'rb') as f:
data = f.read()
file = {'voice': ('Message.ogg', data)}
requests.post(url, files=file)
else:
bot.register_next_step_handler(
bot.send_message(
chat_id,
"Напиши полное название книги, которая тебя интересует",
reply_markup=types.ReplyKeyboardRemove(selective=False)
),
audio_book_choice
)
# обрабатывает запрос на конкретную книгу
def audio_book_choice(book_message):
chat_id = book_message.chat.id
result_dataframe = rc.data[rc.data.apply(
lambda row: book_message.text.lower() == row['title'].lower(),
axis=1
)]
if result_dataframe.empty:
bot.register_next_step_handler(
bot.send_message(
chat_id,
"К сожалению, я не знаю такой книги или ты ошибся в её названии:( Попробуй ещё раз"),
audio_book_choice)
else:
book = result_dataframe.iloc[0]
text = book['summary']
parts_number = make_audio(text)
if parts_number == 0:
bot.send_message(
chat_id,
"Для этой книги эта функция не поддерживается.",
reply_markup=create_menu()
)
else:
print_book(chat_id, book)
for i in range(parts_number):
url = 'https://api.telegram.org/bot{0}/sendVoice?chat_id={1}'.format(
telegram_token, chat_id)
with open('speech{0}.ogg'.format(i), 'rb') as f:
data = f.read()
file = {'voice': ('Message.ogg', data)}
requests.post(url, files=file)
# синтезирует все куски аудио с помощью Yandex SpeechKit и сохраняет в файлах
def make_audio(text):
ydx_token = '{your_yandex_token}'
ydx_folder_id = '{your_yandex_folder_id}'
url = 'https://tts.api.cloud.yandex.net/speech/v1/tts:synthesize'
headers = {
'Authorization': 'Bearer ' + ydx_token,
}
parts = cut_text_into_chunks(text)
for i in range(len(parts)):
data = {
'text': parts[i],
'lang': 'ru-Ru',
'voice': 'filipp', # filipp, alena, jane, zahar
'speed': '1.3',
'folderId': ydx_folder_id
}
with requests.post(url, headers=headers, data=data, stream=True) as responce:
if responce.status_code != 200:
return 0
with open('speech{0}.ogg'.format(i), "wb") as output_file:
for chunk in responce.iter_content(chunk_size=None):
output_file.write(chunk)
return len(parts)
# нужно порезать текст, так как у Yandex SpeechKit ограничение на 5000 символов
def cut_text_into_chunks(text):
chunks = []
start = 0
for i in range(len(text) // 5000):
end = start + text[start:start + 5000].rfind('\n') + 1
chunks.append(text[start:end])
start = end
chunks.append(text[start:])
return chunks
# поиск обложки книги с помошью Google Api
def search_cover(book):
search_url = 'https://www.googleapis.com/customsearch/v1?'
google_key = 'your_google_key'
cx = '9054c95a0ea83381f'
q = "{0} {1} обложка книги".format(book['title'], book['author'])
responce = requests.get(
search_url +
'key=' +
google_key +
'&cx=' +
cx +
'&imgSize=medium' +
'&q=' +
q +
'&searchType=image')
urls = []
for item in responce.json()['items']:
try:
urls.append(item['link'])
except BaseException:
continue
return urls[0]
# отправка сообщения с информацией о книге
def print_book(chat_id, book):
try:
bot.send_photo(chat_id, search_cover(book))
except BaseException:
pass
text = "Название: {0}\nАвтор: {1}\n".format(book['title'], book['author'])
text += "" if book.isna()['year'] else "Дата: {0}\n".format(book['year'])
text += "Тэги: {0}\n".format(book['tags'])
text += "Краткое содержание: {0}\n".format(book['summary url'])
text += "" if book.isna()['original url'] else "Полная версия: {0}".format(
book['original url'])
bot.send_message(
chat_id,
text,
disable_web_page_preview=True,
reply_markup=create_menu())
bot.polling(none_stop=True)