forked from Gertje823/ArchiveboxTelegramBot
-
Notifications
You must be signed in to change notification settings - Fork 0
/
main.py
162 lines (146 loc) · 6.35 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
from telegram import Update
from telegram.ext import Updater, CommandHandler, MessageHandler, Filters, CallbackContext
import requests
import sqlite3
import time
import re
import os
archivebox_url = os.environ["ARCHIVEBOX_URL"]
chatids = [int(x) for x in os.environ["CHATIDS"].split(",")]
BOT_TOKEN = os.environ["BOT_TOKEN"]
csrfmiddlewaretoken = os.environ["CSRFMIDDLEWARETOKEN"]
def help_command(update: Update, context: CallbackContext) -> None:
"""Send a message when the command /help is issued."""
update.message.reply_text('This bot archives all urls in a chat')
def parseCookieFile(cookiefile):
"""Parse a cookies.txt file and return a dictionary of key value pairs
compatible with requests."""
cookies = {}
with open (cookiefile, 'r') as fp:
for line in fp:
if not re.match(r'^\#', line):
lineFields = line.strip().split('\t')
try:
cookies[lineFields[5]] = lineFields[6]
except IndexError:
pass
return cookies
def add_url(url_to_download):
cookies = parseCookieFile('/data/cookies.txt')
data = {"csrfmiddlewaretoken":csrfmiddlewaretoken,"url": url_to_download, "parser": "auto", "tag":"Telegram", "depth":"0"}
r = requests.post(f"{archivebox_url}/add/", data=data, cookies=cookies, timeout=1)
def check_for_urls(update: Update, context: CallbackContext) -> None:
regexp = re.compile(r"https?:\/\/(www\.)?[-a-zA-Z0-9@:%._\+~#=]{1,256}\.[a-zA-Z0-9()]{1,6}\b([-a-zA-Z0-9()@:%_\+.~#?&\/\/=]*)")
if "/get" in update.effective_message.text:
pass
else:
if regexp.match(update.effective_message.text):
if update.effective_chat.id in chatids:
urls = re.finditer(regexp, update.effective_message.text)
for url in urls:
print(url.group())
try:
add_url(url.group())
update.message.reply_text(f"Added {url.group()} to the archive!")
except requests.exceptions.Timeout:
update.message.reply_text(f"Timout adding {url.group()} to the archive but it might be there")
pass
except:
update.message.reply_text("Error adding url to archive")
else:
print(f"{update.effective_chat.id} tried to add {update.effective_message.text}")
try:
update.message.reply_text("This is a private bot. Please do not use this!")
except AttributeError:
#probably someone edited a message. Ignoring it and do not send msg again
pass
#split large msg
def send_message(bot, chat_id, text: str, **kwargs):
if len(text) <= 4096:
return bot.send_message(chat_id, text, **kwargs)
parts = []
while len(text) > 0:
if len(text) > 4096:
part = text[:4096]
first_lnbr = part.rfind('\n')
if first_lnbr != -1:
parts.append(part[:first_lnbr])
text = text[(first_lnbr+1):]
else:
parts.append(part)
text = text[4096:]
else:
parts.append(text)
break
msg = None
for part in parts:
msg = bot.send_message(chat_id, part, **kwargs)
time.sleep(1)
return msg # return only the last message
def get_archive(update: Update, context: CallbackContext):
if update.effective_chat.id in chatids:
#Get all archives matching context.args[1]
if context.args[0] == "all":
conn = sqlite3.connect('/data/index.sqlite3', uri=True)
c = conn.cursor()
c.execute(f"SELECT url,id FROM core_snapshot WHERE url LIKE '%{context.args[1]}%'")
conn.commit()
rows = c.fetchall()
archived_snapshots = []
for row in rows:
id = row[1]
print(id)
c.execute("SELECT pwd,snapshot_id FROM core_archiveresult WHERE snapshot_id =?", (id,))
conn.commit()
snaphots = c.fetchall()
for snapshot in snaphots:
print(snapshot[0])
url = snapshot[0].replace("/data", "")
url = f"{archivebox_url}{url}/index.html"
if url not in archived_snapshots:
archived_snapshots.append(url)
if len(archived_snapshots) > 0:
msg = '\n'.join(archived_snapshots)
else:
msg = "URL not in archive :("
send_message(context.bot, update.effective_chat.id, msg)
else:
conn = sqlite3.connect('index.sqlite3', uri=True)
c = conn.cursor()
c.execute("SELECT url,id FROM core_snapshot WHERE url =?",(context.args[0],))
conn.commit()
rows = c.fetchall()
archived_snapshots = []
for row in rows:
id = row[1]
print(id)
c.execute("SELECT pwd,snapshot_id FROM core_archiveresult WHERE snapshot_id =?", (id,))
conn.commit()
snaphots = c.fetchall()
for snapshot in snaphots:
print(snapshot[0])
url = snapshot[0].replace("/data", "")
url = f"{archivebox_url}{url}/index.html"
if url not in archived_snapshots:
archived_snapshots.append(url)
if len(archived_snapshots) >0:
msg = '\n'.join(archived_snapshots)
else:
msg = "URL not in archive :("
context.bot.send_message(chat_id=update.message.chat_id, text=msg)
else:
update.message.reply_text("This is a private bot. Please do not use this!")
def main() -> None:
"""Start the bot."""
# Create the Updater and pass it your bot's token.
updater = Updater(BOT_TOKEN)
# Get the dispatcher to register handlers
dispatcher = updater.dispatcher
dispatcher.add_handler(CommandHandler("help", help_command))
dispatcher.add_handler(CommandHandler("get", get_archive))
dispatcher.add_handler(MessageHandler(Filters.text & ~Filters.command, check_for_urls))
# Start the Bot
updater.start_polling()
updater.idle()
if __name__ == '__main__':
main()