-
Notifications
You must be signed in to change notification settings - Fork 4
/
Copy pathstatus_checker.py
408 lines (388 loc) · 15.2 KB
/
status_checker.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
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
import requests
import re
import logging
import pandas as pd
from collections import defaultdict
from utils import (
request,
color_values,
)
from tabulate import tabulate
from datetime import (
date,
datetime,
timedelta,
)
def tokenizePlatforms(plist):
tree = {}
for pp in set(plist):
toks = pp.split("-", 3)
for i in range(0, 4):
tk = "-".join(toks[0:i])
if tk in tree:
tree[tk].append(pp)
else:
tree[tk] = [
pp,
]
return tree
class StatusChecker:
slots_to_check = [
"lhcb-sim10-dev",
"lhcb-sim10",
"lhcb-sim11-dev",
"lhcb-sim11",
]
projects_to_check = [
"Gaudi",
"Geant4",
"Detector",
"LHCb",
"Run2Support",
"GaussinoExtLibs",
"Gaussino",
"Gauss",
]
platforms_to_check = [
"x86_64_v2-centos7-gcc11-opt",
"x86_64_v2-centos7-gcc11+detdesc-opt",
"x86_64_v2-centos7-gcc11-dbg",
"x86_64_v2-centos7-gcc12-opt",
"x86_64_v2-centos7-gcc12+detdesc-opt",
"x86_64_v2-el9-gcc12-opt",
"x86_64_v2-el9-gcc13-opt",
"armv8.1_a-el9-gcc13-opt",
]
result_types = {
"build": {
"Warnings": "warnings",
"Errors": "errors",
},
"tests": {
"Passed": "PASS",
"Failed": "FAIL",
},
}
parsed_result_type = {
"warnings": "W:",
"errors": "E:",
"PASS": "P:",
"FAIL": "F:",
}
hidden_platform_prefix_re = r"x86_64_v2(-centos7)?(-gcc11)?"
# there is no way you can get the list of build ids
# from the API, so we have to use the main page...
main_page = "https://lhcb-nightlies.web.cern.ch/nightly/"
api_page = "https://lhcb-nightlies.web.cern.ch/api/v1/nightly"
max_backward_checks = 30
date_format = "%Y-%m-%d"
_slots = defaultdict(lambda: 0)
def __init__(
self,
slot_names: list = (),
platform_names: list = (),
project_names: list = (),
):
if slot_names:
self.slots_to_check = slot_names
if platform_names:
self.platforms_to_check = platform_names
if project_names:
self.projects_to_check = project_names
self.get_current_builds()
self._tkPlatforms = tokenizePlatforms(self.platforms_to_check)
logging.debug("Tokens " + str(self._tkPlatforms))
@request
def get_current_builds(self):
logging.debug("Fetching the most recent build ids.")
response = requests.get(self.main_page)
response.raise_for_status()
slots_reg = "|".join(self.slots_to_check)
slots_reg = rf"(?:{slots_reg})\/[0-9]{{1,4}}\/"
slot_candidates = re.findall(
slots_reg, response.content.decode("utf-8")
)
if not slot_candidates:
msg = (
f"No slots from the list '{self.slots_to_check}' "
f"were found in the content of '{self.main_page}'. "
f"Please, make sure you provided correct slot names."
)
logging.error(msg)
raise ValueError(msg)
for slot_candidate in slot_candidates:
slot, build_id, _ = slot_candidate.split("/")
build_id = int(build_id)
# pick only the latest builds
if self._slots[slot] < build_id:
self._slots[slot] = build_id
logging.debug(f"Found build ids: {dict(self._slots)}.")
def _get_short_platforms(
self,
plist: [],
) -> []:
"""Return list of short platform names to check in results.
Replace common prefixes by * w.r.t. previous platform considered."""
ret = []
pp = None
for pc in plist:
if len(ret) == 0:
ret.append(pc)
pp = pc
continue
pk = ""
for kk, lst in self._tkPlatforms.items():
if pp in lst and pc in lst and len(kk) > len(pk):
pk = kk
if len(pk) == 0:
ret.append(pc)
else:
ss = slice(len(pk), len(pc))
ret.append("*" + pc[ss])
pp = pc
return ret
def _get_Platforms_Projects_for_slot(
self,
slot: str,
build_id: int,
) -> ([], []):
response = requests.get(f"{self.api_page}/{slot}/{build_id}/summary")
response.raise_for_status()
parsed = response.json()
platforms = []
projects = []
if parsed["aborted"]:
return platforms, projects
if "platforms" in parsed:
platforms = parsed["platforms"]
if "projects" in parsed:
projects = [
pdic["name"] for pdic in parsed["projects"] if pdic["enabled"]
]
return platforms, projects
def _fetch_build_info(
self,
slot: str,
build_id: int,
parsed_date: str,
) -> (pd.DataFrame, str):
df = pd.DataFrame()
response = requests.get(f"{self.api_page}/{slot}/{build_id}/summary")
response.raise_for_status()
parsed = response.json()
if parsed["aborted"]:
return df, parsed_date
errors_summary = defaultdict(lambda: 0)
failed_summary = defaultdict(lambda: 0)
long_platforms = []
for project in parsed["projects"]:
if (
project["name"] in self.projects_to_check
and project["enabled"]
):
if df.empty:
long_platforms = [
pn
for pn in self.platforms_to_check
if pn in project["results"]
]
long_platforms.sort(reverse=True)
short_platforms = self._get_short_platforms(long_platforms)
# short_platforms = [
# # platform.replace(self.hidden_platform_prefix, "*")
# re.sub(self.hidden_platform_prefix_re, "*", platform)
# for platform in self.platforms_to_check
# if platform in project["results"]
# ]
# make short platform names unique for PANDA
# (add +1,+2, ... to same names in list)
ssplatforms = set(short_platforms)
if len(ssplatforms) < len(short_platforms):
for pn in ssplatforms:
if (
not pn.startswith("*")
or short_platforms.count(pn) == 1
):
continue
pc = 1
while True:
try:
ip = short_platforms.index(pn)
short_platforms[ip] += "!{}".format(pc)
pc += 1
except ValueError:
break
nested_results_cols = [("Project", ""), ("Failed MRs", "")]
nested_results_cols += [
(platform, "BUILD / TEST")
for platform in short_platforms
]
df = pd.DataFrame(
columns=pd.MultiIndex.from_tuples(nested_results_cols)
)
ptf_res = []
# for platform in self.platforms_to_check:
for platform in long_platforms:
# if platform not in project["results"]:
# continue
results = project["results"][platform]
tmp_res = []
for check_type, check_values in self.result_types.items():
tmp_tmp_res = []
for result_name in check_values.values():
try:
counter = int(results[check_type][result_name])
if counter:
if result_name == "errors":
errors_summary[
project["name"]
] += counter
if result_name == "FAIL":
failed_summary[
project["name"]
] += counter
tmp_tmp_res.append(
f"{self.parsed_result_type[result_name]}"
f"{counter}"
)
except TypeError:
tmp_tmp_res = ["UNKNOWN"]
break
except KeyError:
logging.debug(
f"Missing key [{check_type}]"
f"[{result_name}] in {results}. "
"Output will be incomplete"
)
tmp_tmp_res = ["UNKNOWN"]
break
tmp_res.append(" ".join(tmp_tmp_res))
ptf_res.append(" / ".join(tmp_res))
failed_MRs = []
if project["checkout"] and "warnings" in project["checkout"]:
for warn in project["checkout"]["warnings"]:
tmp_res = re.findall(
rf"{project['name']}\![0-9]{{1,5}}",
warn,
)
failed_MRs += [
r.replace(project["name"], "") for r in tmp_res
]
df.loc[len(df.index)] = [
project["name"],
",".join(failed_MRs),
*ptf_res,
]
return df, parsed["date"], errors_summary, failed_summary
@request
def check_status(
self,
date_to_check: date = date.today(),
days: int = 1,
html: bool = False,
filepath: str = "",
):
msgs = defaultdict(dict)
errors_summary = defaultdict(lambda: 0)
failed_summary = defaultdict(lambda: 0)
for slot, build_id in self._slots.items():
tmp_build_id = build_id
for day_delta in range(days):
date_back = date_to_check - timedelta(days=day_delta)
parsed_date = date_back.strftime(self.date_format)
msgs[slot][date_back] = {}
try:
count = 0
while True:
count += 1
if count > self.max_backward_checks:
msg = f"Cannot find {slot} for {parsed_date}"
logging.error(msg)
raise ValueError(msg)
(
df,
retrieved_date,
error_summary_tmp,
failed_summary_tmp,
) = self._fetch_build_info(
slot,
tmp_build_id,
parsed_date,
)
prdate = datetime.strptime(
retrieved_date,
self.date_format,
)
if df.empty or prdate > date_back:
tmp_build_id -= 1
continue
elif prdate < date_back:
break
else:
msgs[slot][date_back]["build_id"] = tmp_build_id
msgs[slot][date_back]["df"] = df.reset_index(
drop=True
)
for pr, ers in error_summary_tmp.items():
errors_summary[pr] += ers
for pr, frs in failed_summary_tmp.items():
failed_summary[pr] += frs
break
except AttributeError as err:
logging.warning(
f"Retrieving information for '{slot}/{build_id}' "
f" did not work. Error: '{err}'"
)
stream = ""
for slot, m_values in msgs.items():
sorted_m_values = dict(
sorted(m_values.items(), key=lambda x: x[0])
)
if html:
stream += f"<h4 class='part'>{slot}</h4>\n"
for date_back, values in sorted_m_values.items():
parsed_date = date_back.strftime(self.date_format)
if values:
if html:
stream += f"<details><summary>{parsed_date}/{values['build_id']}</summary>" # noqa: E501
stream += f"link to <a href=\"https://lhcb-nightlies.web.cern.ch/nightly/{slot}/{values['build_id']}/\">" # noqa: E501
stream += f"{slot}/{values['build_id']}</a></br>"
pretty_df = values["df"].style.applymap(color_values)
stream += f"{pretty_df.to_html()}</details>"
else:
stream += (
f"-> {slot}/{parsed_date}/{values['build_id']}:\n"
)
table = tabulate(
values["df"],
headers=list(
map("\n".join, values["df"].columns.tolist())
),
tablefmt="pretty",
)
stream += f"{table}\n"
else:
if html:
stream += f"<details><summary>{parsed_date}/(No build)</summary>" # noqa: E501
stream += "No build available for this day.</details>"
else:
stream += (
f"-> {slot}/{parsed_date}: No slot available\n"
)
if filepath:
with open(filepath, "w") as f:
f.write(stream)
else:
logging.info(stream)
for project, counter in errors_summary.items():
logging.warning(
f" Found in total {counter} ERRORs in "
f"BUILDING the project '{project}'. "
f"Verify this and report if this is not known."
)
for project, counter in failed_summary.items():
logging.warning(
f" Found in total {counter} FAILED TESTs in "
f"the project '{project}'. "
f"Verify this and report if this is not known."
)