-
Notifications
You must be signed in to change notification settings - Fork 0
/
main.py
270 lines (221 loc) · 11 KB
/
main.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
import time
from PyQt5.QtGui import QImage
from telegram import ReplyKeyboardMarkup
from telegram.ext import Application, MessageHandler, filters, ConversationHandler
from telegram.ext import CommandHandler
import sqlite3
import sys
from PyQt5.QtWidgets import QMainWindow, QApplication
from PyQt5.QtGui import QPainter, QColor, QFont
from PyQt5.QtCore import Qt
reply_keyboard = [['/add', '/delete', '/roles', '/stop'],
['/run']]
markup = ReplyKeyboardMarkup(reply_keyboard, one_time_keyboard=False)
async def help(update, context):
await update.message.reply_text("Привет! Я бот альманах.")
time.sleep(1)
await update.message.reply_text(
"Я помогаю запоминать даты и лучше разбираться в истории."
)
time.sleep(1)
await update.message.reply_text("Если кратко, то:\n"
"/add - добавить персонажа/событие в таймлайн\n"
"/delete - удалить персонажа/событие из таймлайна\n"
"/roles - узнать роли\n"
"/run - увидеть таймлайн",
reply_markup=markup
)
async def delete(update, context):
await update.message.reply_text(
"Привет, тут вы можете удалить персонажа или событие. \n"
"Вы можете прервать ввод, послав команду /stop. \n"
"Введите имя/название. ")
return 1
async def roles(update, context):
conn = sqlite3.connect("HistoryProject.sqlite")
cur = conn.cursor()
test = cur.execute(f"""SELECT description FROM roles""").fetchall()
# print("\n".join([x[0] for x in test]))
conn.commit()
conn.close()
await update.message.reply_text("Роли:")
time.sleep(1)
await update.message.reply_text("\n".join([x[0] for x in test]))
async def delete_second_response(update, context):
# Используем user_data в ответе.
name = update.message.text
conn = sqlite3.connect("HistoryProject.sqlite")
cur = conn.cursor()
# удаление по имени из object
test = cur.execute(f"""SELECT * FROM object WHERE name == '{name}' """).fetchall()
cur.execute(f"""DELETE FROM object WHERE name = '{name}' """)
conn.commit()
conn.close()
await update.message.reply_text(
f"Спасибo! Персонаж/событие {name} удалено!")
context.user_data.clear() # очищаем словарь с пользовательскими данными
return ConversationHandler.END
async def add(update, context):
await update.message.reply_text(
"Привет, тут вы можете добавить персонажа или событие.\n"
"Вы можете прервать ввод, послав команду /stop. \n"
"Введите имя/название.")
return 1
async def first_response(update, context):
# Сохраняем ответ в словаре.
context.user_data['name'] = update.message.text
await update.message.reply_text(
"Введите начальную дату.")
return 2
async def second_response(update, context):
# Сохраняем ответ в словаре.
context.user_data['start'] = update.message.text
await update.message.reply_text(
"Введите конечную дату.")
return 3
async def third_response(update, context):
# Сохраняем ответ в словаре.
context.user_data['end'] = update.message.text
await update.message.reply_text(
"Введите роль.")
return 4
# Добавили словарь user_data в параметры.
async def fourth_response(update, context):
# weather = update.message.text
context.user_data['role'] = update.message.text
await update.message.reply_text(
"Спасибо!")
# context.user_data = {'name': 'привет', 'start': '1800', 'end': '2000', 'role': 'нет'}
name, start, end, role = context.user_data['name'], context.user_data['start'], context.user_data['end'], \
context.user_data['role']
conn = sqlite3.connect('HistoryProject.sqlite')
cursor = conn.cursor()
a = cursor.execute(f"SELECT id FROM roles WHERE '{role}' == description").fetchall()[0][0]
# достаём из roles id роли
conn.commit()
conn.close()
conn = sqlite3.connect('HistoryProject.sqlite')
cursor2 = conn.cursor()
sql = "INSERT INTO object (name, start, end, role_id) VALUES (?, ?, ?, ?)"
values = (name, start, end, a)
# добавляем в object
cursor2.execute(sql, values)
conn.commit()
conn.close()
context.user_data.clear() # очищаем словарь с пользовательскими данными
return ConversationHandler.END
async def stop(update, context):
context.user_data.clear() # очищаем словарь с пользовательскими данными
await update.message.reply_text("Всего доброго!")
return ConversationHandler.END
async def run(update, context):
app = QApplication(sys.argv)
main_form = TimelineWindow()
main_form.saveAsImage()
await update.message.reply_photo(photo='output6_image.png')
return
class TimelineWindow(QMainWindow): # вывод информации (main)
def __init__(self):
super().__init__()
# создание поля (фона)
self.setWindowTitle("Timeline")
self.setGeometry(100, 100, 1500, 600)
self.setStyleSheet("background-color: rgb(217, 217, 211);")
self.show()
def paintEvent(self, event):
qp = QPainter(self)
qp.setPen(Qt.black)
conn = sqlite3.connect('HistoryProject.sqlite')
cursor = conn.cursor()
# получение названия ролей из roles
cursor.execute("SELECT description FROM roles")
roles_data = cursor.fetchall()
cursor.execute("SELECT name, start, end, role_id FROM object")
# получение всей информации из object
objects_data = cursor.fetchall()
conn.close()
font = QFont("Arial", 10)
qp.setFont(font)
timeline_start = 1800 # timeline start year
timeline_end = 2023 # timeline end year
timeline_width = self.width() - 50
timeline_height = 30
bar_width = timeline_width / (timeline_end - timeline_start + 1)
storage = {} # создание словаря для хранения границ объектов
for obj in objects_data:
name, start, end, role_id = obj
con_r = sqlite3.connect('HistoryProject.sqlite')
cursor_r = con_r.cursor()
colour = cursor_r.execute(f"SELECT color FROM roles WHERE id == '{role_id}' ").fetchall()[0][0].split(',')
role_color = QColor(int(colour[0]), int(colour[1]), int(colour[2]))
con_r.close()
# подготовка к рисованию
x_start = int((start - timeline_start) * bar_width) + 50
x_end = int((end - timeline_start) * bar_width) + 50
qp.setBrush(role_color)
qp.setPen(Qt.white)
# функция for для получения нужной строчки (так, чтобы информация друг на друга не наслаивалась)
flag = False
for key, coords in storage.items():
if flag:
break
for tupl in coords:
if tupl[0] < start < tupl[1] or tupl[0] < end < tupl[1] or start < tupl[0] and end > tupl[1]:
# проверка границ
break
else: # если программа проработала нормально, т.е. ни в одном случае границы не пересекаются, то:
qp.drawRect(x_start, key // 2 - 10, x_end - x_start, 20)
qp.drawText(x_start, key // 2 - 10, x_end - x_start, 20, Qt.AlignCenter, name)
storage[key].append((start, end))
# добавление границ в storage
flag = True
break
else:
if storage:
# переход на новую строку
height = max(storage.keys()) + 45
qp.drawRect(x_start, height // 2 - 10, x_end - x_start, 20)
qp.drawText(x_start, height // 2 - 10, x_end - x_start, 20, Qt.AlignCenter, name)
storage[height] = [(start, end)]
else:
# storage пуст - происходит один раз в самом начале
qp.drawRect(x_start, timeline_height // 2 - 10, x_end - x_start, 20)
qp.drawText(x_start, timeline_height // 2 - 10, x_end - x_start, 20, Qt.AlignCenter, name)
storage[timeline_height] = [(start, end)]
def except_hook(cls, exception, traceback):
sys.__excepthook__(cls, exception, traceback)
def saveAsImage(self):
img = QImage(self.size(), QImage.Format_ARGB32)
img.fill(Qt.transparent)
painter = QPainter(img)
self.render(painter)
painter.end()
img.save('output6_image.png')
def main():
application = Application.builder().token('TOKEN').build()
conv_handler = ConversationHandler(
entry_points=[CommandHandler('add', add)],
states={
1: [MessageHandler(filters.TEXT & ~filters.COMMAND, first_response)],
2: [MessageHandler(filters.TEXT & ~filters.COMMAND, second_response)],
3: [MessageHandler(filters.TEXT & ~filters.COMMAND, third_response)],
4: [MessageHandler(filters.TEXT & ~filters.COMMAND, fourth_response)]
},
fallbacks=[CommandHandler('stop', stop)]
)
del_conv_handler = ConversationHandler(
entry_points=[CommandHandler('delete', delete)],
states={
1: [MessageHandler(filters.TEXT & ~filters.COMMAND, delete_second_response)]
},
fallbacks=[CommandHandler('stop', stop)]
)
application.add_handler(conv_handler)
application.add_handler(del_conv_handler)
application.add_handler(CommandHandler("run", run))
application.add_handler(CommandHandler("roles", roles))
application.add_handler(CommandHandler(["start", "help"], help))
# application.add_handler(CommandHandler("run", run))
application.run_polling()
if __name__ == '__main__':
main()