Fathi Boudra | 422bf77 | 2019-12-02 11:10:16 +0200 | [diff] [blame] | 1 | #!/usr/bin/env python3 |
| 2 | # |
Leonardo Sandoval | 579c737 | 2020-10-23 15:23:32 -0500 | [diff] [blame] | 3 | # Copyright (c) 2019-2020 Arm Limited. All rights reserved. |
Fathi Boudra | 422bf77 | 2019-12-02 11:10:16 +0200 | [diff] [blame] | 4 | # |
| 5 | # SPDX-License-Identifier: BSD-3-Clause |
| 6 | # |
| 7 | |
| 8 | # Generate a test report from data inferred from Jenkins environment. The |
| 9 | # generated HTML file is meant for inclusion in the report status page, |
| 10 | # therefore isn't standalone, fully-formed, HTML. |
| 11 | |
| 12 | import argparse |
| 13 | import collections |
| 14 | import json |
| 15 | import io |
| 16 | import os |
| 17 | import re |
| 18 | import shutil |
| 19 | import sys |
| 20 | import urllib.request |
| 21 | |
| 22 | PAGE_HEADER = """\ |
| 23 | <div id="tf-report-main"> |
| 24 | <table> |
| 25 | """ |
| 26 | |
| 27 | PAGE_FOOTER = """\ |
| 28 | </tbody> |
| 29 | </table> |
| 30 | </div> <!-- tf-report-main --> |
| 31 | |
| 32 | <table id="tf-rebuild-table"><tbody> |
| 33 | <tr><td colspan="2" class="select-row"> |
| 34 | Select tests by result: |
| 35 | <span class="select-all">None</span> |
| 36 | | |
| 37 | <span class="select-all success">SUCCESS</span> |
| 38 | | |
| 39 | <span class="select-all unstable">UNSTABLE</span> |
| 40 | | |
| 41 | <span class="select-all failure">FAILURE</span> |
| 42 | </td></tr> |
| 43 | <tr> |
| 44 | <td class="desc-col"> |
| 45 | Select build configurations, and click the button to re-trigger builds. |
| 46 | <br /> |
| 47 | Use <b>Shift+Click</b> to alter parameters when re-triggering. |
| 48 | </td> |
| 49 | <td class="button-col"> |
| 50 | <input id="tf-rebuild-button" type="button" value="Rebuild selected configs" |
| 51 | disabled count="0"/> |
| 52 | <input id="tf-rebuild-all-button" type="button" value="Rebuild this job"/> |
| 53 | </td> |
| 54 | </tr> |
| 55 | </tbody></table> |
| 56 | |
| 57 | <div class="tf-label-container"> |
| 58 | <div class="tf-label-label"> Local commands </div> |
| 59 | <pre class="tf-label-cotent" id="tf-selected-commands"> |
| 60 | <i>Hover over test results to display equivalent local commands.</i> |
| 61 | </pre> |
| 62 | </div> <!-- tf-label-container --> |
| 63 | |
| 64 | <iframe id="tf-rebuild-frame" style="display: none"></iframe> |
| 65 | """ |
| 66 | |
| 67 | TEST_SUFFIX = ".test" |
| 68 | REPORT = "report.html" |
| 69 | REPORT_JSON = "report.json" |
| 70 | |
| 71 | # Maximum depth for the tree of results, excluding status |
Manish Pandey | c4a9b4d | 2021-02-10 18:32:33 +0000 | [diff] [blame] | 72 | MAX_RESULTS_DEPTH = 7 |
Fathi Boudra | 422bf77 | 2019-12-02 11:10:16 +0200 | [diff] [blame] | 73 | |
| 74 | # We'd have a minimum of 3: group, a build config, a run config. |
| 75 | MIN_RESULTS_DEPTH = 3 |
| 76 | |
| 77 | # Table header corresponding to each level, starting from group. Note that |
| 78 | # the result is held in the leaf node itself, and has to appear in a column of |
| 79 | # its own. |
| 80 | LEVEL_HEADERS = [ |
| 81 | "Test Group", |
| 82 | "TF Build Config", |
| 83 | "TFTF Build Config", |
| 84 | "SCP Build Config", |
Manish Pandey | c4a9b4d | 2021-02-10 18:32:33 +0000 | [diff] [blame] | 85 | "SCP tools Config", |
| 86 | "SPM Build Config", |
Fathi Boudra | 422bf77 | 2019-12-02 11:10:16 +0200 | [diff] [blame] | 87 | "Run Config", |
| 88 | "Status" |
| 89 | ] |
| 90 | |
| 91 | Jenkins = None |
| 92 | Dimmed_hypen = None |
| 93 | Build_job = None |
| 94 | Job = None |
| 95 | |
| 96 | # Indicates whether a level of table has no entries. Assume all levels are empty |
| 97 | # to start; and flip that around as and when we see otherwise. |
| 98 | Level_empty = [True] * MAX_RESULTS_DEPTH |
| 99 | assert len(LEVEL_HEADERS) == (MAX_RESULTS_DEPTH + 1) |
| 100 | |
| 101 | # A column is deemed empty if it's content is empty or is the string "nil" |
| 102 | is_empty = lambda key: key in ("", "nil") |
| 103 | |
| 104 | # A tree of ResultNodes are used to group test results by config. The tree is |
| 105 | # MAX_RESULTS_DEPTH levels deep. Levels above MAX_RESULTS_DEPTH groups results, |
| 106 | # where as those at MAX_RESULTS_DEPTH (leaves) hold test result and other meta |
| 107 | # data. |
| 108 | class ResultNode: |
| 109 | def __init__(self, depth=0): |
| 110 | self.depth = depth |
| 111 | self.printed = False |
| 112 | if depth == MAX_RESULTS_DEPTH: |
| 113 | self.result = None |
| 114 | self.build_number = None |
| 115 | self.desc = None |
| 116 | else: |
| 117 | self.num_children = 0 |
| 118 | self.children = collections.OrderedDict() |
| 119 | |
| 120 | # For a grouping node, set child by key. |
| 121 | def set_child(self, key): |
| 122 | assert self.depth < MAX_RESULTS_DEPTH |
| 123 | |
| 124 | self.num_children += 1 |
| 125 | if not is_empty(key): |
| 126 | Level_empty[self.depth] = False |
| 127 | return self.children.setdefault(key, ResultNode(self.depth + 1)) |
| 128 | |
| 129 | # For a leaf node, set result and other meta data. |
| 130 | def set_result(self, result, build_number): |
| 131 | assert self.depth == MAX_RESULTS_DEPTH |
| 132 | |
| 133 | self.result = result |
| 134 | self.build_number = build_number |
| 135 | |
| 136 | def set_desc(self, desc): |
| 137 | self.desc = desc |
| 138 | |
| 139 | def get_desc(self): |
| 140 | return self.desc |
| 141 | |
| 142 | # For a grouping node, return dictionary iterator. |
| 143 | def items(self): |
| 144 | assert self.depth < MAX_RESULTS_DEPTH |
| 145 | |
| 146 | return self.children.items() |
| 147 | |
| 148 | # Generator function that walks through test results. The output of |
| 149 | # iteration is reflected in the stack argument, which ought to be a deque. |
| 150 | def iterator(self, key, stack): |
| 151 | stack.append((key, self)) |
| 152 | if self.depth < MAX_RESULTS_DEPTH: |
| 153 | for child_key, child in self.items(): |
| 154 | yield from child.iterator(child_key, stack) |
| 155 | else: |
| 156 | yield |
| 157 | stack.pop() |
| 158 | |
| 159 | # Convenient child access during debugging. |
| 160 | def __getitem__(self, key): |
| 161 | assert self.depth < MAX_RESULTS_DEPTH |
| 162 | |
| 163 | return self.children[key] |
| 164 | |
| 165 | # Print convenient representation for debugging. |
| 166 | def __repr__(self): |
| 167 | if self.depth < MAX_RESULTS_DEPTH: |
| 168 | return "node(depth={}, nc={}, {})".format(self.depth, |
| 169 | self.num_children, |
| 170 | ("None" if self.children is None else |
| 171 | list(self.children.keys()))) |
| 172 | else: |
| 173 | return ("result(" + |
| 174 | ("None" if self.result is None else str(self.result)) + ")") |
| 175 | |
| 176 | |
| 177 | # Open an HTML element, given its name, content, and a dictionary of attributes: |
| 178 | # <name foo="bar"...> |
| 179 | def open_element(name, attrs=None): |
| 180 | # If there are no attributes, return the element right away |
| 181 | if attrs is None: |
| 182 | return "<" + name + ">" |
| 183 | |
| 184 | el_list = ["<" + name] |
| 185 | |
| 186 | # 'class', being a Python keyword, can't be passed as a keyword argument, so |
| 187 | # is passed as 'class_' instead. |
| 188 | if "class_" in attrs: |
| 189 | attrs["class"] = attrs["class_"] |
| 190 | del attrs["class_"] |
| 191 | |
| 192 | for key, val in attrs.items(): |
| 193 | if val is not None: |
| 194 | el_list.append(' {}="{}"'.format(key, val)) |
| 195 | |
| 196 | el_list.append(">") |
| 197 | |
| 198 | return "".join(el_list) |
| 199 | |
| 200 | |
| 201 | # Close an HTML element |
| 202 | def close_element(name): |
| 203 | return "</" + name + ">" |
| 204 | |
| 205 | |
| 206 | # Make an HTML element, given its name, content, and a dictionary of attributes: |
| 207 | # <name foo="bar"...>content</name> |
| 208 | def make_element(name, content="", **attrs): |
| 209 | assert type(content) is str |
| 210 | |
| 211 | return "".join([open_element(name, attrs), content, close_element(name)]) |
| 212 | |
| 213 | |
| 214 | # Wrap link in a hyperlink: |
| 215 | # <a href="link" foo="bar"... target="_blank">content</a> |
| 216 | def wrap_link(content, link, **attrs): |
| 217 | return make_element("a", content, href=link, target="_blank", **attrs) |
| 218 | |
| 219 | |
| 220 | def jenkins_job_link(job, build_number): |
| 221 | return "/".join([Jenkins, "job", job, build_number, ""]) |
| 222 | |
| 223 | |
| 224 | # Begin table by emitting table headers for all levels that aren't empty, and |
| 225 | # results column. Finish by opening a tbody element for rest of the table |
| 226 | # content. |
| 227 | def begin_table(results, fd): |
| 228 | # Iterate and filter out empty levels |
| 229 | table_headers = [] |
| 230 | for level, empty in enumerate(Level_empty): |
| 231 | if empty: |
| 232 | continue |
| 233 | table_headers.append(make_element("th", LEVEL_HEADERS[level])) |
| 234 | |
| 235 | # Result |
| 236 | table_headers.append(make_element("th", LEVEL_HEADERS[level + 1])) |
| 237 | |
| 238 | row = make_element("tr", "\n".join(table_headers)) |
| 239 | print(make_element("thead", row), file=fd) |
| 240 | print(open_element("tbody"), file=fd) |
| 241 | |
| 242 | |
Fathi Boudra | 422bf77 | 2019-12-02 11:10:16 +0200 | [diff] [blame] | 243 | # Given the node stack, reconstruct the original config name |
| 244 | def reconstruct_config(node_stack): |
| 245 | group = node_stack[0][0] |
| 246 | run_config, run_node = node_stack[-1] |
| 247 | |
| 248 | desc = run_node.get_desc() |
| 249 | try: |
| 250 | with open(desc) as fd: |
| 251 | test_config = fd.read().strip() |
| 252 | except FileNotFoundError: |
| 253 | print("warning: descriptor {} couldn't be opened.".format(desc), |
| 254 | file=sys.stderr); |
| 255 | return "" |
| 256 | |
| 257 | if group != "GENERATED": |
| 258 | return os.path.join(group, test_config) |
| 259 | else: |
| 260 | return test_config |
| 261 | |
| 262 | |
| 263 | # While iterating results, obtain a trail to the current result. node_stack is |
| 264 | # iterated to identify the nodes contributing to one result. |
| 265 | def result_to_html(node_stack): |
| 266 | global Dimmed_hypen |
| 267 | |
| 268 | crumbs = [] |
| 269 | for key, child_node in node_stack: |
| 270 | if child_node.printed: |
| 271 | continue |
| 272 | |
| 273 | child_node.printed = True |
| 274 | |
| 275 | # If the level is empty, skip emitting this column |
| 276 | if not Level_empty[child_node.depth - 1]: |
| 277 | # - TF config might be "nil" for TFTF-only build configs; |
| 278 | # - TFTF config might not be present for non-TFTF runs; |
| 279 | # - SCP config might not be present for non-SCP builds; |
| 280 | # - All build-only configs have runconfig as "nil"; |
| 281 | # |
| 282 | # Make nil cells empty, and grey empty cells out. |
| 283 | if is_empty(key): |
| 284 | key = "" |
| 285 | td_class = "emptycell" |
| 286 | else: |
| 287 | td_class = None |
| 288 | |
| 289 | rowspan = None |
| 290 | if (child_node.depth < MAX_RESULTS_DEPTH |
| 291 | and child_node.num_children > 1): |
| 292 | rowspan = child_node.num_children |
| 293 | |
| 294 | # Keys are hyphen-separated strings. For better readability, dim |
| 295 | # hyphens so that text around the hyphens stand out. |
| 296 | if not Dimmed_hypen: |
| 297 | Dimmed_hypen = make_element("span", "-", class_="dim") |
| 298 | dimmed_key = Dimmed_hypen.join(key.split("-")) |
| 299 | |
| 300 | crumbs.append(make_element("td", dimmed_key, rowspan=rowspan, |
| 301 | class_=td_class)) |
| 302 | |
| 303 | # For the last node, print result as well. |
| 304 | if child_node.depth == MAX_RESULTS_DEPTH: |
| 305 | # Make test result as a link to the job console |
| 306 | result_class = child_node.result.lower() |
| 307 | job_link = jenkins_job_link(Job, child_node.build_number) |
| 308 | result_link = wrap_link(child_node.result, job_link, |
| 309 | class_="result") |
Leonardo Sandoval | d6c19d2 | 2021-01-21 14:00:55 -0600 | [diff] [blame] | 310 | build_job_console_link = job_link + "console" |
Fathi Boudra | 422bf77 | 2019-12-02 11:10:16 +0200 | [diff] [blame] | 311 | |
| 312 | # Add selection checkbox |
| 313 | selection = make_element("input", type="checkbox") |
| 314 | |
| 315 | # Add link to build console if applicable |
| 316 | if build_job_console_link: |
| 317 | build_console = wrap_link("", build_job_console_link, |
| 318 | class_="buildlink", title="Click to visit build job console") |
| 319 | else: |
| 320 | build_console = "" |
| 321 | |
| 322 | config_name = reconstruct_config(node_stack) |
| 323 | |
| 324 | crumbs.append(make_element("td", (result_link + selection + |
| 325 | build_console), class_=result_class, title=config_name)) |
| 326 | |
| 327 | # Return result as string |
| 328 | return "".join(crumbs) |
| 329 | |
Harrison Mutai | 4126dc7 | 2021-11-23 11:34:41 +0000 | [diff] [blame] | 330 | # Emit style sheet, and script elements. |
| 331 | def emit_header(fd): |
| 332 | stem = os.path.splitext(os.path.abspath(__file__))[0] |
| 333 | for tag, ext in [("style", "css"), ("script", "js")]: |
| 334 | print(open_element(tag), file=fd) |
| 335 | with open(os.extsep.join([stem, ext])) as ext_fd: |
| 336 | shutil.copyfileobj(ext_fd, fd) |
| 337 | print(close_element(tag), file=fd) |
| 338 | |
| 339 | def print_error_message(fd): |
| 340 | # Upon error, create a static HTML reporting the error, and then raise |
| 341 | # the latent exception again. |
| 342 | fd.seek(0, io.SEEK_SET) |
| 343 | |
| 344 | # Provide inline style as there won't be a page header for us. |
| 345 | err_style = ( |
| 346 | "border: 1px solid red;", |
| 347 | "color: red;", |
| 348 | "font-size: 30px;", |
| 349 | "padding: 15px;" |
| 350 | ) |
| 351 | |
| 352 | print(make_element("div", |
| 353 | "HTML report couldn't be prepared! Check job console.", |
| 354 | style=" ".join(err_style)), file=fd) |
| 355 | |
| 356 | # Truncate file as we're disarding whatever there generated before. |
| 357 | fd.truncate() |
Fathi Boudra | 422bf77 | 2019-12-02 11:10:16 +0200 | [diff] [blame] | 358 | |
| 359 | def main(fd): |
| 360 | global Build_job, Jenkins, Job |
| 361 | |
| 362 | parser = argparse.ArgumentParser() |
| 363 | |
| 364 | # Add arguments |
| 365 | parser.add_argument("--build-job", default=None, help="Name of build job") |
| 366 | parser.add_argument("--from-json", "-j", default=None, |
| 367 | help="Generate results from JSON input rather than from Jenkins run") |
| 368 | parser.add_argument("--job", default=None, help="Name of immediate child job") |
| 369 | parser.add_argument("--meta-data", action="append", default=[], |
| 370 | help=("Meta data to read from file and include in report " |
| 371 | "(file allowed be absent). " |
| 372 | "Optionally prefix with 'text:' (default) or " |
| 373 | "'html:' to indicate type.")) |
| 374 | |
| 375 | opts = parser.parse_args() |
| 376 | |
| 377 | workspace = os.environ["WORKSPACE"] |
Harrison Mutai | 4126dc7 | 2021-11-23 11:34:41 +0000 | [diff] [blame] | 378 | |
| 379 | emit_header(fd) |
| 380 | |
Fathi Boudra | 422bf77 | 2019-12-02 11:10:16 +0200 | [diff] [blame] | 381 | if not opts.from_json: |
| 382 | json_obj = {} |
| 383 | |
| 384 | if not opts.job: |
| 385 | raise Exception("Must specify the name of Jenkins job with --job") |
| 386 | else: |
| 387 | Job = opts.job |
| 388 | json_obj["job"] = Job |
| 389 | |
| 390 | if not opts.build_job: |
| 391 | raise Exception("Must specify the name of Jenkins build job with --build-job") |
| 392 | else: |
| 393 | Build_job = opts.build_job |
| 394 | json_obj["build_job"] = Build_job |
| 395 | |
Arthur She | 4c61059 | 2025-02-03 21:39:57 -0800 | [diff] [blame] | 396 | Jenkins = os.environ["JENKINS_PUBLIC_URL"].strip().rstrip("/") |
Fathi Boudra | 422bf77 | 2019-12-02 11:10:16 +0200 | [diff] [blame] | 397 | |
| 398 | # Replace non-alphabetical characters in the job name with underscores. This is |
| 399 | # how Jenkins does it too. |
| 400 | job_var = re.sub(r"[^a-zA-Z0-9]", "_", opts.job) |
| 401 | |
| 402 | # Build numbers are comma-separated list |
| 403 | child_build_numbers = (os.environ["TRIGGERED_BUILD_NUMBERS_" + |
| 404 | job_var]).split(",") |
| 405 | |
| 406 | # Walk the $WORKSPACE directory, and fetch file names that ends with |
| 407 | # TEST_SUFFIX |
| 408 | _, _, files = next(os.walk(workspace)) |
| 409 | test_files = sorted(filter(lambda f: f.endswith(TEST_SUFFIX), files)) |
| 410 | |
| 411 | # Store information in JSON object |
| 412 | json_obj["job"] = Job |
| 413 | json_obj["build_job"] = Build_job |
| 414 | json_obj["jenkins_url"] = Jenkins |
| 415 | |
| 416 | json_obj["child_build_numbers"] = child_build_numbers |
| 417 | json_obj["test_files"] = test_files |
| 418 | json_obj["test_results"] = {} |
| 419 | else: |
| 420 | # Load JSON |
| 421 | with open(opts.from_json) as json_fd: |
| 422 | json_obj = json.load(json_fd) |
| 423 | |
| 424 | Job = json_obj["job"] |
| 425 | Build_job = json_obj["build_job"] |
| 426 | Jenkins = json_obj["jenkins_url"] |
| 427 | |
| 428 | child_build_numbers = json_obj["child_build_numbers"] |
| 429 | test_files = json_obj["test_files"] |
| 430 | |
| 431 | # This iteration is in the assumption that Jenkins visits the files in the same |
| 432 | # order and spawns children, which is ture as of this writing. The test files |
| 433 | # are named in sequence, so it's reasonable to expect that'll remain the case. |
| 434 | # Just sayin... |
| 435 | results = ResultNode(0) |
| 436 | for i, f in enumerate(test_files): |
| 437 | # Test description is generated in the following format: |
| 438 | # seq%group%build_config:run_config.test |
| 439 | _, group, desc = f.split("%") |
| 440 | test_config = desc[:-len(TEST_SUFFIX)] |
| 441 | build_config, run_config = test_config.split(":") |
| 442 | spare_commas = "," * (MAX_RESULTS_DEPTH - MIN_RESULTS_DEPTH) |
Manish Pandey | c4a9b4d | 2021-02-10 18:32:33 +0000 | [diff] [blame] | 443 | tf_config, tftf_config, scp_config, scp_tools, spm_config, *_ = (build_config + |
Fathi Boudra | 422bf77 | 2019-12-02 11:10:16 +0200 | [diff] [blame] | 444 | spare_commas).split(",") |
| 445 | |
| 446 | build_number = child_build_numbers[i] |
| 447 | if not opts.from_json: |
| 448 | var_name = "TRIGGERED_BUILD_RESULT_" + job_var + "_RUN_" + build_number |
| 449 | test_result = os.environ[var_name] |
| 450 | json_obj["test_results"][build_number] = test_result |
| 451 | else: |
| 452 | test_result = json_obj["test_results"][build_number] |
| 453 | |
| 454 | # Build result tree |
| 455 | group_node = results.set_child(group) |
| 456 | tf_node = group_node.set_child(tf_config) |
| 457 | tftf_node = tf_node.set_child(tftf_config) |
| 458 | scp_node = tftf_node.set_child(scp_config) |
Manish Pandey | c4a9b4d | 2021-02-10 18:32:33 +0000 | [diff] [blame] | 459 | scp_tools_node = scp_node.set_child(scp_tools) |
| 460 | spm_node = scp_tools_node.set_child(spm_config) |
| 461 | run_node = spm_node.set_child(run_config) |
Fathi Boudra | 422bf77 | 2019-12-02 11:10:16 +0200 | [diff] [blame] | 462 | run_node.set_result(test_result, build_number) |
| 463 | run_node.set_desc(os.path.join(workspace, f)) |
| 464 | |
Harrison Mutai | 4126dc7 | 2021-11-23 11:34:41 +0000 | [diff] [blame] | 465 | # Emit page header element |
Fathi Boudra | 422bf77 | 2019-12-02 11:10:16 +0200 | [diff] [blame] | 466 | print(PAGE_HEADER, file=fd) |
| 467 | begin_table(results, fd) |
| 468 | |
| 469 | # Generate HTML results for each group |
| 470 | node_stack = collections.deque() |
| 471 | for group, group_results in results.items(): |
| 472 | node_stack.clear() |
| 473 | |
| 474 | # For each result, make a table row |
| 475 | for _ in group_results.iterator(group, node_stack): |
| 476 | result_html = result_to_html(node_stack) |
| 477 | row = make_element("tr", result_html) |
| 478 | print(row, file=fd) |
| 479 | |
| 480 | print(PAGE_FOOTER, file=fd) |
| 481 | |
| 482 | # Insert meta data into report. Since meta data files aren't critical for |
| 483 | # the test report, and that other scripts may not generate all the time, |
| 484 | # ignore if the specified file doesn't exist. |
| 485 | type_to_el = dict(text="pre", html="div") |
| 486 | for data_file in opts.meta_data: |
| 487 | *prefix, filename = data_file.split(":") |
| 488 | file_type = prefix[0] if prefix else "text" |
| 489 | assert file_type in type_to_el.keys() |
| 490 | |
| 491 | # Ignore if file doens't exist, or it's empty. |
| 492 | if not os.path.isfile(filename) or os.stat(filename).st_size == 0: |
| 493 | continue |
| 494 | |
| 495 | with open(filename) as md_fd: |
| 496 | md_name = make_element("div", " " + filename + ": ", |
| 497 | class_="tf-label-label") |
| 498 | md_content = make_element(type_to_el[file_type], |
| 499 | md_fd.read().strip("\n"), class_="tf-label-content") |
| 500 | md_container = make_element("div", md_name + md_content, |
| 501 | class_="tf-label-container") |
| 502 | print(md_container, file=fd) |
| 503 | |
| 504 | # Dump JSON file unless we're reading from it. |
| 505 | if not opts.from_json: |
| 506 | with open(REPORT_JSON, "wt") as json_fd: |
| 507 | json.dump(json_obj, json_fd, indent=2) |
| 508 | |
Harrison Mutai | 4126dc7 | 2021-11-23 11:34:41 +0000 | [diff] [blame] | 509 | if __name__ == "__main__": |
| 510 | with open(REPORT, "wt") as fd: |
| 511 | try: |
| 512 | main(fd) |
| 513 | except: |
| 514 | print_error_message(fd) |
| 515 | raise |