-
Notifications
You must be signed in to change notification settings - Fork 3
/
Copy pathpr_icon_differ.py
299 lines (273 loc) · 11.1 KB
/
pr_icon_differ.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
import sys
import os
import re
import hmac
import json
import logging
from hashlib import sha1
import requests
from twisted.web import resource, server
from twisted.internet import reactor, endpoints
import icons
import database
DEBUG = False
#DB Core
DB = database.DBCore()
#Setup logging
log_format = "[%(asctime)s]: %(message)s"
datefmt = "%Y-%m-%d %H:%M:%S"
logging_level = logging.INFO
if DEBUG:
logging_level = logging.NOTSET
logging.basicConfig(
filename='events.log',
level=logging_level,
format=log_format,
datefmt=datefmt
)
console = logging.StreamHandler()
console.setLevel(logging_level)
console.setFormatter(logging.Formatter(log_format, datefmt))
logging.getLogger('').addHandler(console)
logger = logging.getLogger(__name__)
def log_message(message):
"""Logs a message to a file and prints on screen"""
logger.info(message)
def handle_exception(exc_type, exc_value, exc_traceback):
"""Makes exception log to the logger"""
logger.error("Uncaught exception", exc_info=(exc_type, exc_value, exc_traceback))
sys.excepthook = handle_exception
#Setup the config
class Config:
def __init__(self):
config = {}
if os.path.exists(os.path.abspath('config.json')):
with open('config.json', 'r') as f:
config = json.load(f)
else:
log_message("Make sure the config file exists.")
self.webhook_port = config['webhook_port']
self.github_secret = config['github']['secret'].encode('utf-8')
self.github_user = config['github']['user']
self.github_auth = config['github']['auth']
self.upload_api_url = config['upload_api']['url']
self.upload_api_key = config['upload_api']['key']
self.ignore_list = config['ignore']
config = Config()
actions_to_check = ['opened', 'synchronize']
binary_regex = re.compile(r'diff --git a\/(.*\.dmi) b\/.?')
def compare_secret(secret_to_compare, payload):
"""Compares given secret with ours"""
if secret_to_compare is None:
return False
this_secret = hmac.new(config.github_secret, payload, sha1)
secret_to_compare = secret_to_compare.replace('sha1=', '')
return hmac.compare_digest(secret_to_compare, this_secret.hexdigest())
def check_diff(diff_url):
"""Checks the diff url for icons"""
req = requests.get(diff_url)
if req.status_code == 404:
return None
diff = req.text.split('\n')
icons_with_diff = []
for line in diff:
match = binary_regex.search(line)
if not match:
continue
icons_with_diff.append(match.group(1))
return icons_with_diff
def upload_image(file_to_upload, img_hash, upload=True):
"""Uploads an image to the configured host"""
if not upload:
return None
has_link = DB.get_url(img_hash)
if has_link is not None:
return has_link
data = {'key' : config.upload_api_key}
files = {'file' : file_to_upload}
req = requests.post(config.upload_api_url, data=data, files=files)
url = req.json()['url']
DB.set_url(img_hash, url)
return url
def check_comments(api_url):
"""Checks all comments on given issue if we already commented on it(using config's github username), will return the issue ID if exists"""
req = requests.get(api_url)
if req.status_code == 200:
for comment in req.json():
if comment['user']['login'] == config.github_user:
return comment['url']
return None
def post_comment(issue_url, message_dict, base):
"""Post a comment on given github issue url"""
github_api_url = "{issue}/comments".format(issue=issue_url)
comment_id = check_comments(github_api_url)
http_method = requests.post
if comment_id is not None:
github_api_url = comment_id
http_method = requests.patch
body = json.dumps({'body' : '\n'.join(message_dict)})
repo_name = base['repo']['full_name']
req = http_method(github_api_url, data=body, auth=(config.github_user, config.github_auth))
if req.status_code == 201 or req.status_code == 200:
log_message("[{}] Sucessefully commented icon diff on: {}".format(repo_name, req.json()['html_url']))
else:
log_message("[{}] Failed to comment on: {}".format(repo_name, issue_url))
log_message("Error code: {}".format(req.status_code))
def check_icons(icons_with_diff, base, head, issue_url, send_message=True):
"""
Checks two icons for their states, comparing the images and posting on the PR in case
a diff exists
"""
if not os.path.exists('./icon_dump'):
os.makedirs('./icon_dump')
base_repo_url = base.get('repo').get('html_url')
head_repo_url = head.get('repo').get('html_url')
msgs = ["Icons with diff:"]
req_data = {'raw' : 1}
if DEBUG:
issue_number = re.sub(r'.*\/issues\/(\d*)', '\\1', issue_url)
for icon in icons_with_diff:
i_name = re.sub(r'.*\/(.*)\.dmi', '\\1', icon)
icon_path_a = './icon_dump/old_{}.dmi'.format(i_name)
icon_path_b = './icon_dump/new_{}.dmi'.format(i_name)
response_a = requests.get('{}/blob/{}/{}'.format(base_repo_url, base['ref'], icon), data=req_data)
response_b = requests.get('{}/blob/{}/{}'.format(head_repo_url, head['ref'], icon), data=req_data)
if response_a.status_code == 200:
with open(icon_path_a, 'wb') as f:
f.write(response_a.content)
elif response_a.status_code == 404:
icon_path_a = ''
if response_b.status_code == 200:
with open(icon_path_b, 'wb') as f:
f.write(response_b.content)
#This means the file is being deleted, which does not interest us
elif response_b.status_code == 404:
try:
os.remove(icon_path_a)
continue
except OSError:
continue
this_dict = icons.compare_two_icon_files(icon_path_a, icon_path_b)
if not this_dict:
continue
msg = ["<details><summary>{}</summary>\n".format(icon), "Key | Old | New | Status", "--- | --- | --- | ---"]
for key in this_dict:
status = this_dict[key].get("status")
if status == 'Equal':
continue
path_a = './icon_dump/old_{}.png'.format(key)
path_b = './icon_dump/new_{}.png'.format(key)
img_a = this_dict[key].get('img_a')
if img_a:
img_a.save(path_a)
a_hash = this_dict[key].get('img_a_hash')
with open(path_a, 'rb') as f:
url_a = "data:image/s3,"s3://crabby-images/f709a/f709a496afd425e93889ff30abbbb57b2ef50a20" alt="{key}"".format(key=key, url=upload_image(f, a_hash, send_message))
if not DEBUG:
os.remove(path_a)
else:
url_a = "![]()"
img_b = this_dict[key].get('img_b')
if img_b:
img_b.save(path_b)
b_hash = this_dict[key].get('img_b_hash')
with open(path_b, 'rb') as f:
url_b = "data:image/s3,"s3://crabby-images/f709a/f709a496afd425e93889ff30abbbb57b2ef50a20" alt="{key}"".format(key=key, url=upload_image(f, b_hash, send_message))
if not DEBUG:
os.remove(path_b)
else:
url_b = "![]()"
msg.append("{key}|{url_a}|{url_b}|{status}".format(key=key, url_a=url_a, url_b=url_b, status=status))
msg.append("</details>")
if(len(msg) > 4):
msgs.append("\n".join(msg))
if DEBUG:
with open("icon_dump/{}_{}.log".format(i_name, issue_number), 'w') as fp:
fp.write("\n".join(msg))
else:
if os.path.exists(icon_path_a):
os.remove(icon_path_a)
if os.path.exists(icon_path_b):
os.remove(icon_path_b)
if send_message and len(msgs) > 1:
post_comment(issue_url, msgs, base)
class Handler(resource.Resource):
"""Opens a web server to handle POST requests on given port"""
isLeaf = True
def render_POST(self, request):
payload = request.content.getvalue()
if not compare_secret(request.getHeader('X-Hub-Signature'), payload):
request.setResponseCode(401)
log_message("POST received with wrong secret.")
return b"Secret does not match."
event = request.getHeader('X-GitHub-Event')
if event != 'pull_request':
request.setResponseCode(404)
log_message("POST received with event: {}".format(event))
return b"Event not supported"
#Then we check the PR for icon diffs
payload = json.loads("".join(map(chr, payload)))
request.setResponseCode(200)
pr_obj = payload['pull_request']
if payload['action'] not in actions_to_check:
return b"Not actionable"
if pr_obj['user']['login'].lower() in config.ignore_list:
return b"Ok"
issue_url = pr_obj['issue_url']
pr_diff_url = pr_obj['diff_url']
head = pr_obj['head']
base = pr_obj['base']
#if payload['action'] == 'synchronize':
# pr_diff_url = "{html_url}/commits/{sha}.patch".format(html_url=pr_obj['html_url'], sha=head['sha'])
icons_with_diff = check_diff(pr_diff_url)
if icons_with_diff:
log_message("{}: Icon diff detected on pull request: {}!".format(base['repo']['full_name'], payload['number']))
check_icons(icons_with_diff, base, head, issue_url)
return b"Ok"
def render_GET(self, request):
request.setResponseCode(404)
return b"GET requests are not supported."
def test_pr(number, owner, repository, send_message=False):
"""tests a pr for the icon diff"""
req = requests.get("https://api.github.com/repos/{}/{}/pulls/{}".format(owner, repository, number))
log_message("[{}/{}] Testing PR #{}".format(owner, repository, number))
if req.status_code == 404:
log_message('PR #{} on {}/{} does not exist.'.format(number, owner, repository))
return
payload = req.json()
icons_diff = check_diff(payload['diff_url'])
if not icons_diff:
log_message("No diff detected on [{}/{}] #{}".format(owner, repository, number))
return
log_message("Icons:")
for ic_name in icons_diff:
log_message(ic_name)
check_icons(icons_diff, payload['base'], payload['head'], payload['issue_url'], send_message)
def get_debug_input():
owner = input("Owner: ")
repo = input("Repo: ")
number = input("PR number: ")
send_msg = True if input("Send message(y/n): ")[:1].lower() == 'y' else False
test_pr(number, owner, repo, send_msg)
def bulk_prs():
with open('bulk_prs.txt') as f:
prs = f.readlines()
for pr in prs:
test_pr(int(pr), 'tgstation', 'tgstation', True)
def start_server():
"""Starts the webserver"""
webhook_port = "tcp:{}".format(config.webhook_port)
endpoints.serverFromString(reactor, webhook_port).listen(server.Site(Handler()))
log_message("Listening for requests on port: {}".format(config.webhook_port))
try:
reactor.run()
except KeyboardInterrupt:
pass
if __name__ == '__main__':
if "debug" in sys.argv:
#DEBUG = True
get_debug_input()
elif "bulk" in sys.argv:
bulk_prs()
else:
start_server()