This repository has been archived by the owner on Oct 27, 2024. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 3
/
Copy pathgather_to_mongo.py
executable file
·316 lines (285 loc) · 12.6 KB
/
gather_to_mongo.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
#!/usr/bin/env python3
import requests
import sys
import pymongo
import re
import os
def fetch_data(server, path):
url = f"http://{server}{path}"
print(f"Fetching {url}")
try:
response = requests.get(url, timeout=0.5)
except requests.exceptions.ConnectionError:
print(f"Connection error to {url}")
return None
except requests.exceptions.ReadTimeout:
print(f"Timeout to {url}")
return None
if response.status_code == 200:
try:
return response.json()
except Exception as e:
print(f"Error parsing JSON: {e}")
return None
return None
def gather_masternames(server):
json = fetch_data(server, "/data/.data.json")
if not json or "masternames" not in json:
return None
return [(mastername, build["latest"],
build["setname"], build["ptname"], build["jailname"])
for mastername, build in json["masternames"].items()]
def gather_builds(server, mastername):
json = fetch_data(server, f"/data/{mastername}/.data.json")
if not json or "builds" not in json:
return None
return json["builds"]
def gather_build_info(server, mastername, build):
json = fetch_data(server, f"/data/{mastername}/{build}/.data.json")
if not json or "buildname" not in json:
return None
return json
def build_id(setname, ptname, jailname, build, server):
return f"{setname}:{ptname}:{jailname}:{build}:{server.split('.')[0]}"
def build_id_to_mastername(buildid):
tmp = buildid.split(':')
setname = ""
if tmp[1] != "default":
setname = "-" + tmp[1]
mastername = f"{tmp[3]}-{tmp[2]}{setname}"
return mastername
def build_id_to_server(buildid):
return buildid.split(':')[0]
def build_id_to_buildname(buildid):
return buildid.split(':')[4]
def calc_started(build_info):
if "started" in build_info:
build_info['started'] = int(build_info['started'])
elif "snap" in build_info and "now" in build_info['snap'] \
and "elapsed" in build_info['snap']:
build_info['started'] = build_info['snap']['now'] - \
build_info['snap']['elapsed']
else:
build_info['started'] = 0
def fix_port_origins(ports):
pkgnames = {}
# Gather all of the pkgnames and then remove them from each list
# mongo doesn't allow '.' in keys so key by something else
for key in ['built', 'failed', 'skipped', 'ignored']:
if key in ports:
new_obj = {}
for obj in ports[key]:
origin = obj['origin']
origin_key = origin.replace('.', '%')
pkgname = obj['pkgname']
pkgnames[origin_key] = pkgname
del obj['pkgname']
del obj['origin']
new_obj[origin_key] = obj
ports[key] = new_obj
ports['pkgnames'] = pkgnames
def process_new_failures(build, current=False):
# Find the previous matching build or skip if there is none. Only consider
# passing builds.
if build['type'] in ["package", "qat"]:
# Just compare package/qat runs to themselves.
previous_build = list(db.builds.find({
'mastername': build['mastername'], 'type': build['type'],
'status': 'stopped:done:',
'started': {'$lt': build['started']}}).sort(
[('started', pymongo.DESCENDING)]).limit(1))
else:
# Compare exp runs to a previous baseline
# XXX
return False
if len(previous_build) == 0:
return False
previous_build = previous_build[0]
print(f"Processing new failures for {build['_id']}. Previous build {previous_build['_id']}")
# Fetch the full port list for both builds to determine changes
result_keys = ['built', 'failed', 'skipped', 'ignored']
query_filter = {x: '' for x in result_keys}
query_filter['pkgnames'] = ''
if current:
previous_ports = db.ports.find_one({'_id': previous_build['_id']},
query_filter)
current_ports = build['ports']
else:
ports_list = db.ports.find({
'_id': { '$in': [build['_id'], previous_build['_id']] } },
query_filter)
if ports_list[0]['_id'] == build['_id']:
current_ports = ports_list[0]
previous_ports = ports_list[1]
else:
previous_ports = ports_list[0]
current_ports = ports_list[1]
build['ports'] = current_ports
# Determine differences and store back
new_list = {}
new_stats = {}
for result_key in result_keys:
if result_key not in current_ports:
current_ports[result_key] = {}
if result_key not in previous_ports:
previous_ports[result_key] = {}
new_list[result_key] = list(
set([x.replace('%', '.') for x in current_ports[result_key]]) -
set([x.replace('%', '.') for x in previous_ports[result_key]]))
new_stats[result_key] = len(new_list[result_key])
build['ports']['new'] = new_list
build['new_stats'] = new_stats
build['previous_id'] = previous_build['_id']
return True
mongo_uri = os.getenv('MONGO_URI', 'mongodb://localhost:27017/pkgstatus')
client = pymongo.MongoClient(mongo_uri)
db = client['pkgstatus']
qat_sets = ["qat", "baseline", "build-as-user"]
# Repair start times
for build_info in db.builds.find({'started': {'$exists': False}}, {"_id": "",
'snap.now': '', 'snap.elapsed': ''}):
calc_started(build_info)
print(f"Setting started to '{build_info['started']}' for {build_info['_id']}")
db.builds.update_one({'_id': build_info['_id']}, {'$set': {'started': build_info['started']}})
# Import new data
with open("servers.txt", "r") as f:
for line in f:
if line.startswith("#"):
continue
line = line.strip().split(':')
server_type = line[0]
server = line[1]
server_short = server.split('.')[0]
masternames = gather_masternames(server)
if masternames is None:
continue
server_info = db.servers.find_one({"_id": server_short})
if server_info is None:
server_info = {
"_id": server_short,
"type": server_type,
"host": server,
"masternames": {}
}
db.servers.insert_one(server_info)
for mastername, latest, setname, ptname, jailname in masternames:
running_builds = True
if mastername not in server_info["masternames"]:
server_info["masternames"][mastername] = {
'latest': '',
'latest_status': ''
}
if 'latest_status' not in server_info["masternames"][mastername]:
server_info["masternames"][mastername]['latest_status'] = \
'unknown'
if latest['status'].startswith('stopped') and \
latest['buildname'] == \
server_info["masternames"][mastername]["latest"] and \
latest['status'] == \
server_info["masternames"][mastername]["latest_status"]:
continue
server_info["masternames"][mastername]["latest"] = latest['buildname']
server_info["masternames"][mastername]["latest_status"] = \
latest['status']
builds = gather_builds(server, mastername)
if builds is None:
continue
# Prepare the dst dict.
if len(setname) == 0:
setname = "default" # Don't do this
# XXX: Archive deleted builds
for buildname, build_info_sparse in builds.items():
if buildname == "latest":
buildname = build_info_sparse
buildid = build_id(setname, ptname, jailname, buildname, server)
db.builds.update_many({"mastername": mastername,
"server": server_short, "latest": True},
{"$unset": {"latest": ""}})
db.builds.update_one({"_id": buildid},
{"$set": {"latest": True}})
continue
buildid = build_id(setname, ptname, jailname, buildname, server)
# Ignore some legacy builds
if "status" not in build_info_sparse:
continue
build = db.builds.find_one({"_id": buildid})
# Don't update existing "stopped:" builds.
if build is not None and build["status"].startswith("stopped"):
continue
# Fetch the full build information
build_info = gather_build_info(server, mastername, buildname)
if build_info is None:
continue
# XXX: This is not importable due to pkgname keys having '.'
if "skipped" in build_info:
del build_info["skipped"]
for key, value in build_info["stats"].items():
build_info["stats"][key] = int(value)
try:
build_info["stats"]["remaining"] = \
build_info["stats"]["queued"] - (
build_info["stats"]["built"] +
build_info["stats"]["failed"] +
build_info["stats"]["skipped"] +
build_info["stats"]["ignored"])
except:
# Probably a crashed build.
build_info["stats"]["remaining"] = 0
if "snap" in build_info:
for snapkey in ["now", "elapsed"]:
if snapkey in build_info["snap"]:
build_info["snap"][snapkey] = \
int(build_info["snap"][snapkey])
# Convert and/or calculated started epoch time.
calc_started(build_info)
# Trim idle jobs to save db space
if "jobs" in build_info:
build_info["jobs"] = [job for job in
build_info["jobs"] if job["status"] != "idle:"]
build_info["_id"] = buildid
build_info["server"] = server_short
build_info["type"] = server_type
if setname in qat_sets:
build_info["type"] = "qat"
if "ports" in build_info:
build_info["ports"]["_id"] = buildid
fix_port_origins(build_info["ports"])
process_new_failures(build_info, current=True)
db.ports.update_one({"_id": buildid}, {"$set": build_info["ports"]},
upsert=True)
del build_info["ports"]
if build is not None:
print(f"Updating {mastername} / {buildname}: {buildid}")
db.builds.update_one({"_id": buildid}, {'$set': build_info})
else:
print(f"Insert {mastername} / {buildname}: {buildid}")
db.builds.insert_one(build_info)
db.servers.update_one({"_id": server_short}, {"$set": server_info})
# Repair pkgnames
for portids in db.ports.find({'pkgnames': {'$exists': False}}, {"_id": ""}):
# Fetch here rather than in the loop due to memory explosion
ports = db.ports.find_one({'_id': portids['_id']},
{x: '' for x in ['built', 'failed', 'skipped', 'ignored']})
print(f"Fixing pkgnames for {portids['_id']}")
fix_port_origins(ports)
db.ports.update_one({'_id': portids['_id']}, {'$set': ports})
# Process new failures
for portids in db.ports.find({'new': {'$exists': False}},
{"_id": ""}).sort([('_id', pymongo.ASCENDING)]):
# This is not done above as it would load several GB of data.
# Need to fetch current and previous build's data.
# Get current build info
build = db.builds.find_one({'_id': portids['_id'],
'status': 'stopped:done:', 'started': {'$exists': True}},
{'mastername': '', 'type': '', 'started': ''})
# Ignore legacy data (no snap.now) and crashed builds.
if build is None:
db.ports.update_one({'_id': portids['_id']}, {'$set': {'new': []}})
continue
if not process_new_failures(build):
continue
db.ports.update_one({'_id': build['_id']},
{'$set': {'new': build['ports']['new']}})
db.builds.update_one({'_id': build['_id']},
{'$set': {'new_stats': build['new_stats'],
'previous_id': build['previous_id']}})