This repository has been archived by the owner on Aug 30, 2021. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathsd-helper.py
355 lines (313 loc) · 11.7 KB
/
sd-helper.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
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
#!/usr/bin/env python3
# A Gitter bot to automatically post message(s) to the SecureDrop room.
# It can post message(s) on any day of the week, at any specified time.
# Authorized users can stop the bot from posting on certain day(s) by
# @mentioning it followed by a valid command. The behaviour of the bot
# can be configured in 'data.yml'. It can be used in any other Gitter
# room as well.
import calendar
import datetime
import functools
import json
import os
import requests
import schedule
import time
import traceback
import yaml
from dateutil.parser import parse
from multiprocessing import Pool
from datetime import datetime as dt
# Room id of "https://gitter.im/freedomofpress/securedrop".
sd_room_id = "53bb302d107e137846ba5db7"
target_url = (
"https://api.gitter.im/v1/rooms/" + sd_room_id + "/chatMessages"
)
stream_url = (
"https://stream.gitter.im/v1/rooms/" + sd_room_id + "/chatMessages"
)
reply_url = target_url
# Status badges that are displayed at the top of messages and replies
# posted against user queries
alert_badge = (
"[data:image/s3,"s3://crabby-images/7838d/7838db148e834257d0d5d1c8cdccc6c376181185" alt="Alert"]()"
)
success_badge = (
"[data:image/s3,"s3://crabby-images/9ec8a/9ec8ae9c1b2596f3f8cfeb298a85b5fd6aeb2fa8" alt="Success"]()"
)
failed_badge = (
"[data:image/s3,"s3://crabby-images/c45e3/c45e3624e47651e688d15d865b719a7e024cbeb1" alt="Failed"]()"
)
help_badge = (
"[data:image/s3,"s3://crabby-images/7cbe3/7cbe3d109e2142174adfe6db079812bff2f0e79f" alt="Help"]()"
)
rem_badge = (
"[data:image/s3,"s3://crabby-images/e0a94/e0a941706175e641418307727a7ebc7b333968fa" alt="Reminder"]()"
)
# Guard against exceptions thrown during job execution.
def catch_exceptions(cancel_on_failure=False):
def decorator(job_func):
@functools.wraps(job_func)
def wrapper(*args, **kwargs):
try:
return job_func(*args, **kwargs)
except:
print(traceback.format_exc())
if cancel_on_failure:
return schedule.CancelJob
return wrapper
return decorator
# Read the API Token from external file
def get_api_token():
with open("auth.yml", "r") as auth_ymlfile:
try:
c = yaml.load(auth_ymlfile)
except yaml.YAMLError as exc_a:
print(exc_a)
api_token = c["apitoken"]
return api_token
# Read the IDs of users who are allowed to blacklist days by posting
# a message in the SecureDrop room. Returns a list of IDs
def get_approved_users():
approved_users = []
with open("approved_users.yml", "r") as users_ymlfile:
try:
u = yaml.load(users_ymlfile)
except yaml.YAMLError as exc_u:
print(exc_u)
for user_id in u:
approved_users.append(user_id)
return approved_users
# Read blacklisted days from an external file generated by reading
# the messages which mention '@sd-helper' on SecureDrop Gitter room
def get_blacklist():
current_blacklist = []
with open("blacklist.yml", "a+") as bl_ymlfile:
if os.stat("blacklist.yml").st_size == 0:
return current_blacklist
bl_ymlfile.seek(0)
try:
bl = yaml.load(bl_ymlfile)
except yaml.YAMLError as exc_b:
print(exc_b)
for bl_date in bl:
current_blacklist.append(bl_date)
return current_blacklist
# Read the message to be posted along with the day(s) and time value(s)
# from 'data.yml'. Returns a list of all tasks (a task is a particular
# message to be posted), in which each task itself is a list of 3 items
def get_data():
task = []
list_of_tasks = []
with open("data.yml", "r") as data_ymlfile:
try:
cfg = yaml.load(data_ymlfile)
except yaml.YAMLError as exc_d:
print(exc_d)
for section in cfg:
task.extend(
[
cfg[section]["message"],
sorted(cfg[section]["day"]),
sorted(cfg[section]["time"]),
]
)
new_task = list(task)
list_of_tasks.append(new_task)
task.clear()
return list_of_tasks
# Send a reply to messages/commands received from users
def send_reply(msg):
api_token = get_api_token()
headers = {
"Content-Type": "application/json",
"Accept": "application/json",
"Authorization": "Bearer {0}".format(api_token),
}
data = {"text": msg}
try:
response = requests.post(reply_url, headers=headers, json=data)
except requests.exceptions.RequestException as exc_rep:
print("An exception occured while posting a reply!")
print(exc_rep)
# Handle the 'blacklist' command
def blacklist_cmd(message_info, from_user, from_user_id):
approved_users = get_approved_users()
if from_user_id in approved_users:
message_info = message_info[10:]
try:
new_date = str(parse(message_info).date())
# Don't accept past dates
if parse(message_info).date() < dt.now().date():
send_reply(
"{0}\nI'm afraid that date has already passed."
" Can't really do much about it.".format(alert_badge)
)
else:
# Don't accept same date to be blacklisted again
already_bl_dates = get_blacklist()
if new_date in already_bl_dates:
send_reply(
"{0}\nThe date {1} is already blacklisted. Doing"
" it again will only make it feel worse.".format(
alert_badge, new_date
)
)
else:
with open("blacklist.yml", "a") as f:
f.write("- '" + new_date + "'" + "\n")
send_reply(
"{0}\nNo further messages will be posted on {1}."
" This action was initiated by **{2}**.".format(
success_badge, new_date, from_user
)
)
except ValueError:
send_reply(
"{0}\nSomething was wrong with the specified date."
" Try again maybe.".format(failed_badge)
)
# Handle the 'help' command
def help_cmd():
send_reply(
"{0}\nHello! I'm a bot for automatically posting messages"
" on this Gitter channel. You can schedule messages(s) to be"
" posted on specific day(s) of the week at specific time(s),"
" and then forget about it. This information can be specified"
" [here](https://github.com/aydwi/sd-helper/blob/master/data.yml)."
"\n\nFurther, you can interact with me via an '@' mention followed"
" by a command. The following commands are currently supported -"
"\n\n`help` - Show this message.\n`blacklist:YYYY/MM/DD` -"
" Blacklist a date. No further messages will be posted on that date"
" once this command is received from an approved user."
"\n\nSource: https://github.com/aydwi/sd-helper\n\nFor any additional"
" help or queries, please message @aydwi.".format(help_badge)
)
# Use the streaming API to listen to messages in the SecureDrop room,
# and act on valid commands
def stream_sd():
api_token = get_api_token()
headers = {
"Accept": "application/json",
"Authorization": "Bearer {0}".format(api_token),
}
try:
stream_response = requests.get(
stream_url, headers=headers, stream=True
)
except requests.exceptions.RequestException as exc_req:
print(exc_req)
if stream_response.status_code == 200:
lines = stream_response.iter_lines()
for line in lines:
response_str = line.decode("utf-8")
# Next if condition is to handle occasional extra newline
# characters placed between messages. These characters are
# sent as periodic 'keep-alive' messages to tell clients
# and NAT firewalls that the connection is still alive during
# low message volume periods
if response_str.splitlines() != [" "]:
dm_data = json.loads(response_str)
message_info = dm_data["text"]
from_user = dm_data["fromUser"]["displayName"]
from_user_id = dm_data["fromUser"]["id"]
if message_info.startswith("@sd-helper"):
message_info = message_info[11:]
if message_info.startswith("blacklist:"):
blacklist_cmd(message_info, from_user, from_user_id)
elif message_info.lower() == "help":
help_cmd()
else:
print(
"An error occured while using the streaming API."
" Status code [{0}]".format(stream_response.status_code)
)
# The primary job of the bot, making a POST request with the
# headers and data
@catch_exceptions(cancel_on_failure=True)
def job(msg):
api_token = get_api_token()
headers = {
"Content-Type": "application/json",
"Accept": "application/json",
"Authorization": "Bearer {0}".format(api_token),
}
data = {"text": msg}
print(
"On {0} at {1}:{2}".format(
dt.now().date(),
str(dt.now().time().hour).zfill(2),
str(dt.now().time().minute).zfill(2),
)
)
send_reply(rem_badge + "\n")
response = requests.post(target_url, headers=headers, json=data)
if response.status_code >= 500:
print("[{0}] Server Error.".format(response.status_code))
elif response.status_code == 404:
print(
"[{0}] URL not found: [{1}]".format(
response.status_code, target_url
)
)
elif response.status_code == 401:
print("[{0}] Authentication Failed.".format(response.status_code))
elif response.status_code >= 400:
print("[{0}] Bad Request.".format(response.status_code))
elif response.status_code >= 300:
print("[{0}] Unexpected redirect.".format(response.status_code))
elif response.status_code == 200:
print("[{0}] The request succeeded.\n".format(response.status_code))
print("Posted the following message: \n{0}\n".format(msg))
else:
print(
"Unexpected Error: [HTTP {0}]: Content: {1}".format(
response.status_code, response.content
)
)
# Schedule the job
def schedule_job():
all_days = list(calendar.day_name)
list_of_tasks = get_data()
for task in list_of_tasks:
for day_of_week in task[1]:
for this_time in task[2]:
(
getattr(
schedule.every(), str(all_days[day_of_week]).lower()
)
.at(this_time)
.do(job, msg=task[0])
)
# Run the scheduled job
def run_scheduler():
temp = 1
schedule_job()
while True:
current_blacklist = get_blacklist()
if str(dt.now().date()) in current_blacklist:
# If current date is found as backlisted
# then delete the scheduled job to prevent
# it from running again
schedule.clear()
temp = 0
# If the scheduled job was deleted earlier, it
# is rescheduled on the next day at 0000 hrs
if dt.now().hour == dt.now().minute == temp == 0:
schedule_job()
temp += 1
schedule.run_pending()
time.sleep(5)
def main():
pool = Pool(processes=2)
pool.apply_async(run_scheduler)
pool.apply_async(stream_sd)
pool.close()
pool.join()
if __name__ == "__main__":
main()