-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathtelegrapher.py
155 lines (120 loc) · 6.12 KB
/
telegrapher.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
# █▀▀ ▄▀█ █▀▄▀█ █▀█ █▀▄ █▀
# █▀░ █▀█ █░▀░█ █▄█ █▄▀ ▄█
# https://t.me/famods
# 🔒 Licensed under the GNU AGPLv3
# 🌐 https://www.gnu.org/licenses/agpl-3.0.html
# ---------------------------------------------------------------------------------
# Name: Telegrapher
# Description: Создание статей и другое связанное с telegra.ph
# meta developer: @FAmods
# meta banner: https://github.com/FajoX1/FAmods/blob/main/assets/banners/telegrapher.png?raw=true
# requires: aiohttp telegraph
# ---------------------------------------------------------------------------------
import logging
import aiohttp
import asyncio
from telegraph import Telegraph
from telethon import types
from telethon.tl.types import DocumentAttributeFilename
from .. import loader, utils
logger = logging.getLogger(__name__)
@loader.tds
class Telegrapher(loader.Module):
"""Создание статей и другое связанное с telegra.ph"""
strings = {
"name": "Telegrapher",
"waiting": "<b><emoji document_id=6334391057186293707>🕑</emoji> Создаю страницу на telegra.ph...</b>",
"waiting_up": "<b><emoji document_id=6334391057186293707>🕑</emoji> Загружаю файл на telegra.ph...</b>",
"article_ready": """<b>
<emoji document_id=6334758581832779720>✅</emoji> Твоя статья в Telegra.ph создана!
<emoji document_id=5271604874419647061>🔗</emoji> Ссылка: {}
<emoji document_id=6334638004920911460>ℹ️</emoji> </b><i>Редактировать заголовок/контент/автора на странице можно в <code>{}cfg telegrapher</code></i>
""",
"upload_ready": """<b>
<emoji document_id=6334353510582191829>⬇️</emoji> Файл загружен!
<emoji document_id=5271604874419647061>🔗</emoji> Ссылка: {}
</b>""",
"upload_error": "<emoji document_id=5019523782004441717>❌</emoji> <b>Ошибка при выгрузке файла на telegra.ph!</b>",
"media_type_invalid": "<emoji document_id=5019523782004441717>❌</emoji> <b>Ответь на фото или видео/гиф</b>",
}
def __init__(self):
self.config = loader.ModuleConfig(
loader.ConfigValue(
"TITLE",
"FAmods telegrapher",
lambda: "Заголовок статьи",
),
loader.ConfigValue(
"CONTENT",
"Редактировать заголовок/контент/автора на странице можно в .cfg telegrapher",
lambda: "Контент статьи (можно использовать html-разметку)",
),
loader.ConfigValue(
"author_name",
"famods",
lambda: "Автор статьи",
),
loader.ConfigValue(
"author_short_name",
"famods",
lambda: "Короткое имя автора статьи (нужно для авторизации в telegraph api)",
),
)
async def client_ready(self, client, db):
self.db = db
self._client = client
@loader.command()
async def tghpost(self, message):
"""Выложить статью в telegra.ph"""
await utils.answer(message, self.strings['waiting'])
telegraph_api = Telegraph()
telegraph_api.create_account(short_name=self.config["author_short_name"], author_name=self.config["author_name"])
response = telegraph_api.create_page(
title=self.config["TITLE"],
html_content=self.config["CONTENT"],
author_name=self.config["author_name"],
)
return await utils.answer(message, self.strings['article_ready'].format(f"https://telegra.ph/{response['path']}", self.get_prefix()))
@loader.command()
async def tghup(self, message):
"""Выложить медиа в telegra.ph"""
reply_message = await message.get_reply_message()
if not reply_message or not reply_message.media:
await utils.answer(message, self.strings['media_type_invalid'])
return
await utils.answer(message, self.strings['waiting_up'])
media_data = await self.check_media_type(reply_message.media)
if not media_data:
await utils.answer(message, self.strings['media_type_invalid'])
return
file_content = await message.client.download_media(media_data, bytes)
telegraph_upload_url = "https://telegra.ph/upload"
form = aiohttp.FormData()
form.add_field('file', file_content, filename='file')
try:
async with aiohttp.ClientSession() as session:
async with session.post(telegraph_upload_url, data=form) as response:
uploaded_data = await response.json()
telegraph_link = "https://telegra.ph" + uploaded_data[0]["src"]
except Exception as e:
logger.error(e)
return await utils.answer(message, self.strings['upload_error'])
await utils.answer(message, self.strings['upload_ready'].format(telegraph_link))
async def check_media_type(self, media):
if not media:
return False
if isinstance(media, types.MessageMediaPhoto):
media_data = media.photo
elif isinstance(media, types.MessageMediaDocument):
document = media.document
if any(
isinstance(attribute, types.DocumentAttributeAudio)
for attribute in document.attributes
):
return False
if DocumentAttributeFilename(file_name="AnimatedSticker.tgs") in document.attributes:
return False
media_data = document
else:
return False
return media_data