forked from Teeed/telegram_phabricator
-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy pathmain.py
207 lines (167 loc) · 6.73 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
#!/usr/bin/env python3
import json
import logging
import random
import re
import string
from pprint import pprint
from typing import Optional, Union
from phabricator import Phabricator
from telegram import (ForceReply, InlineKeyboardButton, InlineKeyboardMarkup,
Message, Update)
from telegram.constants import ParseMode
from telegram.ext import (Application, ApplicationBuilder, CallbackContext,
CallbackQueryHandler, CommandHandler, MessageHandler,
Updater, filters)
import config
def create_task(title: str, description: str):
transactions = [
{"type": "title", "value": title},
{"type": "description", "value": description},
]
phab = Phabricator(host=config.PHABRICATOR_URL_API, token=config.PHABRICATOR_TOKEN)
result = phab.maniphest.edit(transactions=transactions)
return result
def extract_title_and_description(
update: Union[str, "Update"]
) -> (Optional[str], Optional[str]):
msg_text = re.sub(
r"^\s*\/add_task(@\w+)?\s*", "", update.message.text, flags=re.IGNORECASE
)
first_newline = msg_text.find("\n")
title = ""
description = None
if first_newline == -1:
title = msg_text.capitalize().strip()
else:
title = msg_text[:first_newline].capitalize()
# extract the description from text_markdown separately,
# because Phabricator supports markdown in the description, but not in the title
msg_text_markdown = update.message.text_markdown
first_newline = msg_text_markdown.find("\n")
description = msg_text_markdown[first_newline:].strip()
description += "\n\n"
if not title:
return None, None
return title, description
message_ids_waiting_for_reply: dict[int, Message] = {}
def gen_id() -> str:
return "".join(random.choice(string.ascii_lowercase) for i in range(15))
tasks_awaiting_confirmation: dict[str, dict] = {}
async def handler_add_task(update: Union[str, "Update"], context: CallbackContext):
global message_ids_waiting_for_reply
if update.message.chat and update.message.chat.title != config.TELEGRAM_CHAT_NAME:
await update.message.reply_text("Niedozwolona grupa czatu!")
return
title, description = extract_title_and_description(update)
print([title, description])
if not title:
reply_msg = await update.message.reply_text(
"Proszę podaj tytuł (oraz opcjonalnie opis w nowej linii):",
reply_markup=ForceReply(
selective=True,
input_field_placeholder="Tytuł zadania i opcjonalny opis w nowej linii",
),
)
message_ids_waiting_for_reply[reply_msg.message_id] = reply_msg
return
if not description:
description = ""
user = update.message.from_user.name
user = user.replace('_', '\\_')
print(f"User: {update.message.from_user.name} -> {user}")
description += "**Dodane przez:** {} ".format(user)
description += "\nlink do wiadomości: {} ".format(update.message.link)
confirmation_id = gen_id()
tasks_awaiting_confirmation[confirmation_id] = {
"title": title,
"description": description,
}
await update.message.reply_markdown(
"""Podgląd zadania:
*Tytuł:* {}
*Opis:*
{}
Czy chcesz dodać zadanie?""".format(
title, description
),
reply_markup=InlineKeyboardMarkup(
[
[
InlineKeyboardButton(
"✅ Dodaj zadanie",
# callback_data=json.dumps({
# "action": "add_task",
# "title": title,
# "description": description,
# }),
callback_data="ok " + confirmation_id,
),
InlineKeyboardButton(
"❌ Anuluj", callback_data="cancel " + confirmation_id
),
]
]
),
)
async def callback_query_handler(update: Update, context: CallbackContext):
data = update.callback_query.data
op, confirmation_id = data.split(" ", 1)
if op == "ok":
if confirmation_id not in tasks_awaiting_confirmation:
return
task = tasks_awaiting_confirmation.pop(confirmation_id)
result = None
try:
result = create_task(title=task["title"], description=task["description"])
except Exception as e:
await update.callback_query.edit_message_text(
"Wystąpił błąd podczas dodawania zadania: {}".format(e)
)
# print error and traceback
logging.exception("Error while creating task", exc_info=e)
return
task_id = result.object["id"]
url = "{}T{}".format(config.PHABRICATOR_URL, task_id)
reply = "*T{}: {}* ({})".format(task_id, task["title"], url)
await update.callback_query.edit_message_text(
reply, parse_mode=ParseMode.MARKDOWN
)
await update.callback_query.edit_message_reply_markup(
InlineKeyboardMarkup(
[[InlineKeyboardButton("🔗 T{}".format(task_id), url=url)]]
)
)
elif op == "cancel":
if confirmation_id not in tasks_awaiting_confirmation:
return
tasks_awaiting_confirmation.pop(confirmation_id)
await update.callback_query.edit_message_text("Anulowano dodawanie zadania")
else:
await update.callback_query.edit_message_text(
"Nieznana operacja: {}".format(op)
)
async def message_handler(update: Union[str, "Update"], context: CallbackContext):
if (
update.message.reply_to_message
and update.message.reply_to_message.message_id in message_ids_waiting_for_reply
):
# delete the message from the chat
await update.message.reply_to_message.delete()
message_ids_waiting_for_reply.pop(update.message.reply_to_message.message_id)
await handler_add_task(update, context)
return
def error_callback(update, context: CallbackContext):
pprint(context.error)
async def post_init(application: Application) -> None:
await application.bot.set_my_commands(
[("add_task", "Dodaj zadanie do Phabricatora")]
)
if __name__ == "__main__":
# logging.basicConfig(level=logging.DEBUG)
app = ApplicationBuilder().token(config.TELEGRAM_TOKEN).post_init(post_init).build()
app.add_handler(CommandHandler("add_task", handler_add_task))
app.add_handler(MessageHandler(filters.TEXT, message_handler, True))
app.add_handler(CallbackQueryHandler(callback_query_handler))
app.add_error_handler(error_callback)
app.run_polling()