From 979d263fa4b86966dbc24869f8bbcccd9110554b Mon Sep 17 00:00:00 2001 From: James McCorrie Date: Wed, 26 Mar 2025 16:04:24 +0000 Subject: [PATCH 1/2] feat: [utils] add rclone utils Thin wrapper around rclone as the foundation of the a new generic report publishing mechanism. Signed-off-by: James McCorrie --- .github/workflows/ci.yml | 1 + src/dvsim/utils/rclone.py | 123 +++++++++++++++++++++++++++++++++++++ tests/utils/test_rclone.py | 43 +++++++++++++ 3 files changed, 167 insertions(+) create mode 100644 src/dvsim/utils/rclone.py create mode 100644 tests/utils/test_rclone.py diff --git a/.github/workflows/ci.yml b/.github/workflows/ci.yml index 7c620beb..f787e21a 100644 --- a/.github/workflows/ci.yml +++ b/.github/workflows/ci.yml @@ -106,6 +106,7 @@ jobs: uv sync --all-extras source .venv/bin/activate echo PATH=$PATH >> $GITHUB_ENV + sudo apt install -y rclone - name: Test with pytest run: | diff --git a/src/dvsim/utils/rclone.py b/src/dvsim/utils/rclone.py new file mode 100644 index 00000000..d5f9f8cc --- /dev/null +++ b/src/dvsim/utils/rclone.py @@ -0,0 +1,123 @@ +# SPDX-FileCopyrightText: lowRISC contributors (OpenTitan project). +# SPDX-License-Identifier: Apache-2.0 +"""rclone helper functions.""" + +import json +import os +import subprocess +from collections.abc import Iterable, Mapping +from pathlib import Path + +from logzero import logger + +__all__ = ( + "check_rclone_installed", + "rclone_copy", + "rclone_list_dirs", +) + + +def check_rclone_installed() -> None: + """Check rclone is installed.""" + try: + proc = subprocess.run( + ["rclone", "--version"], + encoding="utf-8", + capture_output=True, + check=False, + ) + logger.debug(proc.stdout.strip()) + + except Exception: + logger.exception("rclone is not installed - please install it first") + raise + + +def rclone_copy( + *, + src_path: Path | str, + dest_path: Path | str, + extra_env: Mapping | None = None, +) -> None: + """Clone dir to remote. + + Use the extra_env arg to configure RCLONE via environment variables + [rclone config](https://rclone.org/docs/#config-file). For example, + RCLONE_CONFIG__, where is the name of a remote + location that can be used in a src/dest path string. + + Args: + src_path: path to the source files as either a Path or any string that + rclone will accept as a source. + dest_path: path to the destination location as either a Path or any + string that rclone will accept as a source. + extra_env: mapping of extra environment variable key/value pairs for + rclone, which can be used to configure rclone. + + """ + proc = subprocess.run( + [ + "rclone", + "copy", + str(src_path), + str(dest_path), + ], + env=os.environ | (extra_env or {}), + capture_output=True, + check=False, + ) + output = proc.stdout.decode("utf-8") + error = proc.stderr.decode("utf-8") + + if output: + logger.debug("rclone: %s", output) + + if proc.returncode: + logger.error( + "rclone failed to copy from '%s' to '%s'", + src_path, + dest_path, + ) + + if error: + logger.error(error) + + raise RuntimeError + + +def rclone_list_dirs( + *, + path: Path | str, + extra_env: Mapping | None = None, +) -> Iterable[str]: + """List the directories in the given path. + + Use the extra_env arg to configure RCLONE via environment variables + [rclone config](https://rclone.org/docs/#config-file). For example, + RCLONE_CONFIG__, where is the name of a remote + location that can be used in a src/dest path string. + + Args: + path: path to the directory to list + extra_env: mapping of extra environment variable key/value pairs for + rclone, which can be used to configure rclone. + + Returns: + Iterable of directory names as strings + + """ + proc = subprocess.run( + ["rclone", "lsjson", str(path), "--dirs-only"], + env=os.environ | (extra_env or {}), + capture_output=True, + check=False, + ) + + if proc.returncode: + err = proc.stderr.decode("utf-8") + logger.error("rclone list dir failed: '%s'", path) + logger.error(err) + + raise RuntimeError + + return [dir_info["Path"] for dir_info in json.loads(proc.stdout.decode("utf-8"))] diff --git a/tests/utils/test_rclone.py b/tests/utils/test_rclone.py new file mode 100644 index 00000000..52edee4a --- /dev/null +++ b/tests/utils/test_rclone.py @@ -0,0 +1,43 @@ +# SPDX-FileCopyrightText: lowRISC contributors (OpenTitan project). +# SPDX-License-Identifier: Apache-2.0 +"""Test rclone helper functions.""" + +from collections.abc import Iterable, Mapping +from pathlib import Path + +import pytest +from hamcrest import assert_that, equal_to + +from dvsim.utils.rclone import rclone_list_dirs + + +@pytest.mark.parametrize( + ("dirs", "expected", "env"), + [ + (("a", "b", "c"), {"a", "b", "c"}, {}), + ( + ( + "a", + "a/b", + ), + {"a"}, + {}, + ), + (("a", "b", "c"), {"b", "c"}, {"RCLONE_EXCLUDE": "a/"}), + ], +) +def test_rclone_list_dirs( + dirs: Iterable[str], + expected: set[str], + tmp_path: Path, + env: Mapping[str, str], +) -> None: + """Assert that dirs listed are as expected.""" + # Create directories to list + for d in dirs: + (tmp_path / d).mkdir(parents=True, exist_ok=True) + + assert_that( + set(rclone_list_dirs(path=tmp_path, extra_env=env)), + equal_to(expected), + ) From 30a9aeae3454b3227a394bd668acea0521609586 Mon Sep 17 00:00:00 2001 From: James McCorrie Date: Wed, 26 Mar 2025 16:39:17 +0000 Subject: [PATCH 2/2] feat: [report] add initial report generation Starting to put in place the ability to generate reports from template. Signed-off-by: James McCorrie --- .gitignore | 1 + flake.nix | 1 + pyproject.toml | 4 + ruff-ci.toml | 3 + src/dvsim/cli.py | 1 - src/dvsim/report/__init__.py | 5 + src/dvsim/report/generate.py | 321 ++++++++++++++++++ src/dvsim/report/index.py | 111 ++++++ src/dvsim/report/repo.py | 55 +++ src/dvsim/templates/__init__.py | 5 + src/dvsim/templates/render.py | 45 +++ src/dvsim/templates/reports/__init__.py | 5 + src/dvsim/templates/reports/block_report.html | 263 ++++++++++++++ src/dvsim/templates/reports/index.html | 71 ++++ src/dvsim/templates/reports/redirect.html | 22 ++ .../templates/reports/summary_report.html | 169 +++++++++ src/dvsim/templates/schedules/default.toml | 119 +++++++ src/dvsim/utils/rclone.py | 4 +- tests/report/__init__.py | 5 + tests/report/test_index.py | 41 +++ tests/utils/test_rclone.py | 4 +- uv.lock | 164 ++++++++- 22 files changed, 1402 insertions(+), 17 deletions(-) create mode 100644 src/dvsim/report/__init__.py create mode 100644 src/dvsim/report/generate.py create mode 100644 src/dvsim/report/index.py create mode 100644 src/dvsim/report/repo.py create mode 100644 src/dvsim/templates/__init__.py create mode 100644 src/dvsim/templates/render.py create mode 100644 src/dvsim/templates/reports/__init__.py create mode 100644 src/dvsim/templates/reports/block_report.html create mode 100644 src/dvsim/templates/reports/index.html create mode 100644 src/dvsim/templates/reports/redirect.html create mode 100644 src/dvsim/templates/reports/summary_report.html create mode 100644 src/dvsim/templates/schedules/default.toml create mode 100644 tests/report/__init__.py create mode 100644 tests/report/test_index.py diff --git a/.gitignore b/.gitignore index 7e6e803c..4ee849d7 100644 --- a/.gitignore +++ b/.gitignore @@ -29,6 +29,7 @@ share/python-wheels/ .installed.cfg *.egg MANIFEST +container/*.whl # PyInstaller # Usually these files are written by a python script from a template diff --git a/flake.nix b/flake.nix index a5589aac..161208e1 100644 --- a/flake.nix +++ b/flake.nix @@ -133,6 +133,7 @@ pkgs-unstable.ruff pkgs.pyright pkgs.reuse + pkgs.rclone ]; env = { # Prevent uv from managing Python downloads diff --git a/pyproject.toml b/pyproject.toml index 5467585b..8b64c73e 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -15,6 +15,7 @@ dependencies = [ "enlighten>=1.12.4", "hjson>=3.1.0", "logzero>=1.7.0", + "mako>=1.3.10", "mistletoe>=1.4.0", "premailer>=3.10.0", "pydantic>=2.9.2", @@ -101,6 +102,9 @@ ignore = [ "FBT003", ] +[tool.ruff.lint.pydocstyle] +convention = "google" + [tool.pytest.ini_options] addopts = "--cov=dvsim --cov-report term-missing" norecursedirs = ["*.egg", ".*", "_darcs", "build", "dist", "venv", "scratch", "doc"] diff --git a/ruff-ci.toml b/ruff-ci.toml index f0c39acd..a6176c8a 100644 --- a/ruff-ci.toml +++ b/ruff-ci.toml @@ -117,3 +117,6 @@ ignore = [ # in tests and having to use kwargs in all cases will clutter the tests. "FBT003", ] + +[lint.pydocstyle] +convention = "google" diff --git a/src/dvsim/cli.py b/src/dvsim/cli.py index 81ff4953..2b9be10c 100644 --- a/src/dvsim/cli.py +++ b/src/dvsim/cli.py @@ -867,7 +867,6 @@ def main() -> None: # Build infrastructure from hjson file and create the list of items to # be deployed. - global cfg cfg = make_cfg(args.cfg, args, proj_root) # List items available for run if --list switch is passed, and exit. diff --git a/src/dvsim/report/__init__.py b/src/dvsim/report/__init__.py new file mode 100644 index 00000000..a16f4df9 --- /dev/null +++ b/src/dvsim/report/__init__.py @@ -0,0 +1,5 @@ +# Copyright lowRISC contributors (OpenTitan project). +# Licensed under the Apache License, Version 2.0, see LICENSE for details. +# SPDX-License-Identifier: Apache-2.0 + +"""DVSim reporting.""" diff --git a/src/dvsim/report/generate.py b/src/dvsim/report/generate.py new file mode 100644 index 00000000..b484d0fa --- /dev/null +++ b/src/dvsim/report/generate.py @@ -0,0 +1,321 @@ +# Copyright lowRISC contributors (OpenTitan project). +# Licensed under the Apache License, Version 2.0, see LICENSE for details. +# SPDX-License-Identifier: Apache-2.0 + +"""Generate reports.""" + +from collections.abc import Mapping +from datetime import datetime +from pathlib import Path + +from pydantic import BaseModel, ConfigDict + +from dvsim.logging import log +from dvsim.project import Project +from dvsim.templates.render import render_template + +__all__ = ("generate_report",) + + +class _FlowResultsOrig(BaseModel): + """Results data as stored in the JSON file. + + This class is here for the sake of providing a schema for the current JSON + report format. However this should be unesesery when the format of the JSON + file matches the FlowResults model. + """ + + model_config = ConfigDict(frozen=True, extra="allow") + + block_name: str + block_variant: str | None + report_timestamp: str + git_revision: str + git_branch_name: str + report_type: str + tool: str + results: Mapping + + +class IPMeta(BaseModel): + """Meta data for an IP block.""" + + model_config = ConfigDict(frozen=True, extra="forbid") + + name: str + variant: str | None = None + commit: str + branch: str + url: str + + +class ToolMeta(BaseModel): + """Meta data for an EDA tool.""" + + model_config = ConfigDict(frozen=True, extra="forbid") + + name: str + version: str + + +class TestResult(BaseModel): + """Test result.""" + + model_config = ConfigDict(frozen=True, extra="forbid") + + max_time: int + sim_time: int + passed: int + total: int + percent: float + + +class Testpoint(BaseModel): + """Testpoint.""" + + model_config = ConfigDict(frozen=True, extra="forbid") + + tests: Mapping[str, TestResult] + + passed: int + total: int + percent: float + + +class TestStage(BaseModel): + """Test stages.""" + + model_config = ConfigDict(frozen=True, extra="forbid") + + testpoints: Mapping[str, Testpoint] + + passed: int + total: int + percent: float + + +class FlowResults(BaseModel): + """Flow results data.""" + + model_config = ConfigDict(frozen=True, extra="forbid") + + block: IPMeta + tool: ToolMeta + timestamp: datetime + + stages: Mapping[str, TestStage] + coverage: Mapping[str, float] + + passed: int + total: int + percent: float + + @staticmethod + def load(path: Path) -> "FlowResults": + """Load results from JSON file. + + Transform the fields of the loaded JSON into a more useful schema for + report generation. + + Args: + path: to the json file to load. + """ + results = _FlowResultsOrig.model_validate_json(path.read_text()) + + # Pull out the test results per stage + stages = {} + for testpoint_data in results.results["testpoints"]: + stage = testpoint_data["stage"] + testpoint = testpoint_data["name"] + tests = testpoint_data["tests"] + + if stage not in stages: + stages[stage] = {"testpoints": {}} + + stages[stage]["testpoints"][testpoint] = { + "tests": { + test["name"]: { + "max_time": test["max_runtime_s"], + "sim_time": test["simulated_time_us"], + "passed": test["passing_runs"], + "total": test["total_runs"], + "percent": 100 * test["passing_runs"] / test["total_runs"], + } + for test in tests + }, + } + + # unmapped tests that are not part of the test plan? + # Why are they not part of a test plan? + if results.results["unmapped_tests"]: + stages["unmapped"] = { + "testpoints": { + "None": { + "tests": { + test["name"]: { + "max_time": test["max_runtime_s"], + "sim_time": test["simulated_time_us"], + "passed": test["passing_runs"], + "total": test["total_runs"], + "percent": 100 * test["passing_runs"] / test["total_runs"], + } + for test in results.results["unmapped_tests"] + }, + }, + }, + } + + # Gather stats + f_total = 0 + f_passed = 0 + for stage in stages: # noqa: PLC0206 + s_total = 0 + s_passed = 0 + + for testpoint in stages[stage]["testpoints"]: + tp_total = 0 + tp_passed = 0 + tp_data = stages[stage]["testpoints"][testpoint] + + for test in tp_data["tests"].values(): + tp_total += test["total"] + tp_passed += test["passed"] + + s_total += tp_total + s_passed += tp_passed + tp_data["total"] = tp_total + tp_data["passed"] = tp_passed + tp_data["percent"] = 100 * tp_passed / tp_total + + f_total += s_total + f_passed += s_passed + stages[stage]["total"] = s_total + stages[stage]["passed"] = s_passed + stages[stage]["percent"] = 100 * s_passed / s_total + + return FlowResults( + block=IPMeta( + name=results.block_name, + variant=results.block_variant, + commit=results.git_revision, + branch=results.git_branch_name, + url=f"https://github.com/lowrisc/opentitan/tree/{results.git_revision}", + ), + tool=ToolMeta( + name=results.tool, + version="???", + ), + timestamp=results.report_timestamp, + stages=stages, + passed=f_passed, + total=f_total, + percent=100 * f_passed / f_total, + coverage=results.results["coverage"], + ) + + +class ResultsSummary(BaseModel): + """Summary of results.""" + + model_config = ConfigDict(frozen=True, extra="forbid") + + top: IPMeta + timestamp: datetime + + flow_results: Mapping[str, FlowResults] + report_index: Mapping[str, Path] + report_path: Path + + @staticmethod + def load(path: Path) -> "ResultsSummary": + """Load results from JSON file. + + Transform the fields of the loaded JSON into a more useful schema for + report generation. + + Args: + path: to the json file to load. + """ + return ResultsSummary.model_validate_json(path.read_text()) + + +def generate_report(run_path: Path) -> None: + """Generate a report.""" + log.info("Generating report for run: %s", run_path) + + project = Project.load(path=run_path) + config = project.config + + log.debug("%s", config.rel_path) + + reports_dir = project.run_dir / "reports" + + flow_results = {} + report_index = {} + for child_cfg in config.cfgs.values(): + report_path = reports_dir / child_cfg.rel_path + json_path = report_path / "report.json" + html_path = report_path / "index.html" + + log.debug("loading results from '%s'", json_path) + + results = FlowResults.load(path=json_path) + + gen_block_report( + results=results, + path=html_path, + ) + + block_name = results.block.name + flow_results[block_name] = results + report_index[block_name] = report_path.relative_to(reports_dir) + + summary_path = reports_dir / project.config.rel_path + + summary = ResultsSummary( + top=IPMeta( + name=project.config.name, + commit="commit", + branch=project.branch, + url="url", + ), + timestamp=0, + flow_results=flow_results, + report_index=report_index, + report_path=summary_path.relative_to(reports_dir), + ) + + generate_summary_report( + summary=summary, + path=summary_path / "index.html", + ) + + (summary_path / "report.json").write_text( + summary.model_dump_json(), + ) + + +def gen_block_report(results: FlowResults, path: Path) -> None: + """Generate a block report.""" + log.debug("generating report '%s'", path) + path.write_text( + render_template( + path=Path("reports") / "block_report.html", + data={"results": results}, + ), + ) + + +def generate_summary_report(summary: ResultsSummary, path: Path) -> None: + """Generate a summary report.""" + log.debug("generating report '%s'", path) + + path.parent.mkdir(parents=True, exist_ok=True) + path.write_text( + render_template( + path=Path("reports") / "summary_report.html", + data={ + "summary": summary, + }, + ), + ) diff --git a/src/dvsim/report/index.py b/src/dvsim/report/index.py new file mode 100644 index 00000000..2ff8dc13 --- /dev/null +++ b/src/dvsim/report/index.py @@ -0,0 +1,111 @@ +# Copyright lowRISC contributors (OpenTitan project). +# Licensed under the Apache License, Version 2.0, see LICENSE for details. +# SPDX-License-Identifier: Apache-2.0 + +"""Report indexing.""" + +from collections.abc import Mapping +from pathlib import Path +from tempfile import TemporaryDirectory + +from logzero import logger + +from dvsim.templates.render import render_template +from dvsim.utils.rclone import rclone_copy, rclone_list_dirs + +__all__ = ("create_html_redirect_file",) + + +def create_html_redirect_file(*, path: Path, target_url: str) -> None: + """Create a HTML redirect file to the given URL.""" + output = render_template( + path=Path("reports") / "redirect.html", + data={"url": target_url}, + ) + + if output: + path.write_text(output) + + +def gen_top_level_index( + *, + base_path: Path | str, + extra_env: Mapping | None = None, +) -> None: + """Generate a top level index. + + Args: + base_path: path to the reporting base directory, either a Path object or + a string that rclone understands. + extra_env: mapping of environment variable key/value pairs for rclone + + """ + logger.debug("Generating top level index for '%s'", str(base_path)) + dirs = rclone_list_dirs(path=base_path, extra_env=extra_env) + + logger.debug( + "Found report groups:\n - %s", + "\n - ".join(dirs), + ) + + output = render_template( + path=Path("reports") / "index.html", + data={ + "dirs": dirs, + "title": "Reports", + "breadcrumbs": ["Home"], + }, + ) + if output is None: + logger.error("index template rendered nothing") + return + + # The base path could be a remote bucket path, so generate the index locally + # and then copy it over with rclone. + with TemporaryDirectory() as tmp_dir: + base = Path(tmp_dir) + + logger.debug("Generating reports in tmp dir: '%s'", base) + + (base / "index.html").write_text(output) + + for d in dirs: + report_class_dir = base / d + report_class_dir.mkdir() + + logger.debug( + "Generating report group index for '%s'", + str(d), + ) + + report_dirs = rclone_list_dirs( + path=f"{base_path}/{d}", + extra_env=extra_env, + ) + + logger.debug( + "Found reports:\n - %s", + "\n - ".join(report_dirs), + ) + + sub_index = render_template( + path=Path("reports") / "index.html", + data={ + "dirs": report_dirs, + "title": d, + "breadcrumbs": [("../", "Home"), d], + }, + ) + if sub_index is None: + logger.error("index template rendered nothing") + return + + (report_class_dir / "index.html").write_text(sub_index) + + logger.debug("Publishing index changes from temp dir '%s' -> '%s'", base, base_path) + + rclone_copy( + src_path=base, + dest_path=base_path, + extra_env=extra_env, + ) diff --git a/src/dvsim/report/repo.py b/src/dvsim/report/repo.py new file mode 100644 index 00000000..637b24d9 --- /dev/null +++ b/src/dvsim/report/repo.py @@ -0,0 +1,55 @@ +# Copyright lowRISC contributors (OpenTitan project). +# Licensed under the Apache License, Version 2.0, see LICENSE for details. +# SPDX-License-Identifier: Apache-2.0 + +"""Report repositories. + +Reports are generated as part of a DVSim run and published to a repository. +""" + +from collections.abc import Mapping + +from pydantic import BaseModel, ConfigDict +from tabulate import tabulate + +from dvsim.report.index import gen_top_level_index + + +class ReportRepository(BaseModel): + """Results report configuration.""" + + model_config = ConfigDict(frozen=True, extra="forbid") + + publish_path: str + rclone_env: Mapping = {} + + def refresh_index(self) -> None: + """Refresh the index files.""" + gen_top_level_index( + base_path=self.publish_path, + extra_env=self.rclone_env, + ) + + +class ReportRepositoriesCollection(BaseModel): + """Definition of report repositories.""" + + model_config = ConfigDict(frozen=True, extra="forbid") + + repositories: Mapping[str, ReportRepository] = {} + + def summary(self) -> str: + """Generate summary of the repos.""" + return tabulate( + headers=( + "name", + "path", + ), + tabular_data=[ + [ + name, + config.publish_path, + ] + for name, config in self.repositories.items() + ], + ) diff --git a/src/dvsim/templates/__init__.py b/src/dvsim/templates/__init__.py new file mode 100644 index 00000000..25aeaf4a --- /dev/null +++ b/src/dvsim/templates/__init__.py @@ -0,0 +1,5 @@ +# Copyright lowRISC contributors (OpenTitan project). +# Licensed under the Apache License, Version 2.0, see LICENSE for details. +# SPDX-License-Identifier: Apache-2.0 + +"""Templates for DVSim.""" diff --git a/src/dvsim/templates/render.py b/src/dvsim/templates/render.py new file mode 100644 index 00000000..64af748f --- /dev/null +++ b/src/dvsim/templates/render.py @@ -0,0 +1,45 @@ +# Copyright lowRISC contributors (OpenTitan project). +# Licensed under the Apache License, Version 2.0, see LICENSE for details. +# SPDX-License-Identifier: Apache-2.0 + +"""Render template.""" + +from collections.abc import Mapping +from pathlib import Path + +from logzero import logger +from mako import exceptions +from mako.template import Template + + +def render_template(path: Path, data: Mapping[str, object] | None = None) -> str: + """Render a template from the relative path. + + Args: + path: relative path to the template + data: mapping of key/value pairs to send to the template renderer + + Returns: + string containing the rendered template + + """ + template_base_path = Path(__file__).parent + template_path = template_base_path / path + + if not template_path.exists(): + logger.error("Template file not found: %s", template_path) + raise FileNotFoundError + + try: + output = Template(filename=str(template_path)).render(**data or {}) # noqa: S702 + + except: + # The NameError exception doesn't contain a useful error message. this + # has to ge requested seporatly from Mako for some reason? + logger.error(exceptions.text_error_template().render()) + raise + + if isinstance(output, bytes): + output = output.decode(encoding="utf8") + + return output diff --git a/src/dvsim/templates/reports/__init__.py b/src/dvsim/templates/reports/__init__.py new file mode 100644 index 00000000..f7f81596 --- /dev/null +++ b/src/dvsim/templates/reports/__init__.py @@ -0,0 +1,5 @@ +# Copyright lowRISC contributors (OpenTitan project). +# Licensed under the Apache License, Version 2.0, see LICENSE for details. +# SPDX-License-Identifier: Apache-2.0 + +"""Report templates.""" diff --git a/src/dvsim/templates/reports/block_report.html b/src/dvsim/templates/reports/block_report.html new file mode 100644 index 00000000..c6593ff5 --- /dev/null +++ b/src/dvsim/templates/reports/block_report.html @@ -0,0 +1,263 @@ + +<% + block = results.block + tool = results.tool + timestamp = results.timestamp + stages = results.stages + coverage = results.coverage +%> + + + + + + ${block.name} Simulation Results + + + + + + + + +
+
+
+ %if breadcrumbs: + + % endif +
+
+
+
+

Simulation Results: ${block.name}

+
+
+
+
+
 
+ + ${timestamp.strftime("%d/%m/%Y %H:%M:%S")} + + + sha: ${block.commit[:7]} + + + json + + + Branch: ${block.branch} + + + Tool: ${tool.name} [${tool.version}] + +
+ % if coverage: +
+
Coverage statistics
+
+
+ % for name,val in coverage.items(): +
+
    +
  • + ${name} +
  • +
  • ${val}
  • +
+
+ % endfor +
+
+
+ % endif +
+
Validation stages
+
+ + + % for s_name,stage in stages.items(): + + + + + + % endfor + +
+ ${s_name} + +
+
+
+
+
${"{:.2f}".format(stage.percent)}%
+
+
+
+
+
+
+ % for s_name,stage in stages.items(): +
+
+ +
+
+
+ + + + + + + + + + + + + + + % for tp_name, tp in stage.testpoints.items(): + + + + + + + % for t_name, t in tp.tests.items(): + + + + + + + + + + % endfor + % endfor + +
TestpointTestMax RuntimeSim TimePassTotal%
${tp_name}${tp.passed}${tp.total} + ${"{:.2f}".format(tp.percent)} +
${t_name}${t.max_time}${t.sim_time}${t.passed}${t.total} + ${"{:.2f}".format(t.percent)} +
+ +
+
+
+ % endfor +
+
+
+
+ + + + + diff --git a/src/dvsim/templates/reports/index.html b/src/dvsim/templates/reports/index.html new file mode 100644 index 00000000..8f553db0 --- /dev/null +++ b/src/dvsim/templates/reports/index.html @@ -0,0 +1,71 @@ + + + + + + + Nightly reports + + + + + + + + +
+
+
+ % if breadcrumbs: + + % endif +
+
+
+
+

${title}

+
+
+
+
+ + + + + + + + % for d in dirs: + + + + % endfor + +
Name
${d}
+
+
+
+ + + + diff --git a/src/dvsim/templates/reports/redirect.html b/src/dvsim/templates/reports/redirect.html new file mode 100644 index 00000000..c0b82d47 --- /dev/null +++ b/src/dvsim/templates/reports/redirect.html @@ -0,0 +1,22 @@ + + + + + + + + Page Redirection + + + If you are not redirected automatically, + follow this link. + + + diff --git a/src/dvsim/templates/reports/summary_report.html b/src/dvsim/templates/reports/summary_report.html new file mode 100644 index 00000000..b143d264 --- /dev/null +++ b/src/dvsim/templates/reports/summary_report.html @@ -0,0 +1,169 @@ + +<% + top = summary.top + timestamp = summary.timestamp +%> + + + + + + ${top.name} Simulation Results + + + + + + + + +
+
+
+ % if breadcrumbs: + + % endif +
+
+
+
+

Simulation Results: ${top.name}

+
+
+
+
+
 
+ + ${timestamp.strftime("%d/%m/%Y %H:%M:%S")} + + + sha: ${top.commit[:7]} + + + json + + + Branch: ${top.branch} + +
+
+
+
+ + + + + + + + + + + + % for block_name in sorted(summary.flow_results.keys()): + <% flow = summary.flow_results[block_name] %> + + + + + + + + % endfor + +
BlockPassTotal%Cov
+ + ${block_name} + + ${flow.passed}${flow.total} + ${"{:.2f}".format(flow.percent)} + + ${"{:.2f}".format(flow.coverage["score"])} +
+
+
+
+ + + + diff --git a/src/dvsim/templates/schedules/default.toml b/src/dvsim/templates/schedules/default.toml new file mode 100644 index 00000000..69508634 --- /dev/null +++ b/src/dvsim/templates/schedules/default.toml @@ -0,0 +1,119 @@ +# Copyright lowRISC contributors (OpenTitan project). +# Licensed under the Apache License, Version 2.0, see LICENSE for details. +# SPDX-License-Identifier: Apache-2.0 + +# This is an example schedule file that will require modification before it can +# be used. EDA tool setup and infrastructure will be company specific. + +[reporting.repositories.local] +# Example report publishing to a local directory +publish_path = "/var/lib/dvsim/pub" + +[reporting.repositories.bucket] +# Example using a google bucket +publish_path = "remote:some-report-bucket" + +[reporting.repositories.bucket.rclone_env] +# rclone config is set via environment variables to to make it easy to publish +# reports to any destination that rclone supports. There may be some limitations +# if some destinations don't support some filesystem features. +RCLONE_CONFIG_REMOTE_TYPE = "google cloud storage" +RCLONE_GCS_BUCKET_POLICY_ONLY = "True" + +[runs.common] +# This config is shared amongst all configured runs. This example uses the +# opentitan DV as an example. + +# Git repo URL +repo.url = "https://github.com/lowRISC/opentitan.git" + +# Name of the directory within the job run directory to clone into. +repo.name = "opentitan" + +# Branch to switch to +repo.branch = "master" + +# The scheduled DVSim runs are dispatched within a container. The container can +# be built with the `container/build.sh` script within this repo. If you want to +# use a different container then change the name here. +container.image = "nightly-runner:latest" + +# dvsim scheduled runner use python virtual environments. +# Choose the python version to use +python.version = "3.13" + +# Path to a requirmenets.txt file that defines any extra dependencies your DV +# tools require. DVSim will define some requirmeents, however your DV flow might +# require further python requirmeents to be installed. +python.requirements_file = "opentitan/python-requirements.txt" + +# By default the DVSim version defined in this repo is used directly. However if +# preferred the command to run can be overridden here. This is assumed to be a +# DVSim compliant command and arguments are passed as if it were dvsim. However +# a proxy could be used that forwards on the arguments. +dvsim.run_command = "dvsim run" +dvsim.config_file = "hw/top_earlgrey/dv/top_earlgrey_sim_cfgs.hjson" + +# Path to the report summary page: this should ultimately be determined from the +# HJSON or DVSim should create the summary page in a deterministic location. For +# now though this option allows the runner to create a HTML redirect file in the +# top level report dir. +reports.entry_url = "hw/top_earlgrey/dv/summary/latest/report.html" + +# Environment Modules and where to find them are company specific. These paths +# will need updating to match your companies infrastructure. +# Here is the path within the container that +modules.modulefiles_base = "/nas/modulefiles" +modules.modules = [ "synopsys/vcs", "cadence/xcelium" ] + +container.bind_mounts = [ + ["/nas/tools/", "/nas/tools"], + ["", "/nightly/dvsim"], +] + +# Where to publish the reports - select from a destination defined in the +# [reporting.repositories] section defined above. +reports.publish_repos = ["local"] + +[runs.common.container.extra_env] +# Extra environment variables to pass to the container. This can be used to +# configure the behaviour of the container or DVSim itself with feature flags +# for example. +DVSIM_SIMPLE_STATUSPRINTER = "true" +NATIVE_DVSIM = "false" + + +[runs.opentitan_test] +# Test run that can be run any time and publishes reports locally +enabled = true +dvsim.max_parallel = 16 +dvsim.extra_commands = ["--fixed-seed", "1", "-i", "smoke"] +time_windows = [ + # Time window that will run any day, and any time + ["*", "*", 1], +] +reports.publish_repos = ["local"] + + +[runs.opentitan_nightly_earlgrey] +enabled = false +dvsim.max_parallel = 40 +dvsim.extra_commands = ["--fixed-seed", "1"] +# Provide a 1h window each evening to start a job. +time_windows = [ + ["Mon", "18:00", 1], + ["Tues", "18:00", 1], + ["Wed", "18:00", 1], + ["Thurs", "18:00", 1], +] +reports.publish_repos = ["bucket"] + + +[runs.opentitan_weekly_earlgrey] +enabled = false +dvsim.max_parallel = 50 +dvsim.extra_commands = ["-i", "nightly", "--cov"] +time_windows = [ + ["Fri", "17:30", 24], +] +reports.publish_repos = ["bucket"] diff --git a/src/dvsim/utils/rclone.py b/src/dvsim/utils/rclone.py index d5f9f8cc..34698afd 100644 --- a/src/dvsim/utils/rclone.py +++ b/src/dvsim/utils/rclone.py @@ -1,5 +1,7 @@ -# SPDX-FileCopyrightText: lowRISC contributors (OpenTitan project). +# Copyright lowRISC contributors (OpenTitan project). +# Licensed under the Apache License, Version 2.0, see LICENSE for details. # SPDX-License-Identifier: Apache-2.0 + """rclone helper functions.""" import json diff --git a/tests/report/__init__.py b/tests/report/__init__.py new file mode 100644 index 00000000..b1dae9f3 --- /dev/null +++ b/tests/report/__init__.py @@ -0,0 +1,5 @@ +# Copyright lowRISC contributors (OpenTitan project). +# Licensed under the Apache License, Version 2.0, see LICENSE for details. +# SPDX-License-Identifier: Apache-2.0 + +"""Test reporting subsystem.""" diff --git a/tests/report/test_index.py b/tests/report/test_index.py new file mode 100644 index 00000000..fc0a64ec --- /dev/null +++ b/tests/report/test_index.py @@ -0,0 +1,41 @@ +# Copyright lowRISC contributors (OpenTitan project). +# Licensed under the Apache License, Version 2.0, see LICENSE for details. +# SPDX-License-Identifier: Apache-2.0 + +"""Test report index generation.""" + +from pathlib import Path + +import pytest +from hamcrest import assert_that, contains_string + +from dvsim.report.index import create_html_redirect_file, gen_top_level_index + +__all__ = () + + +def test_create_html_redirect_file(tmp_path: Path) -> None: + """Test that a file is create and contains the target url. + + This is a limited smoke test doesn't check the redirect functionality itself + that needs to be a manual test. + """ + redirect_file = tmp_path / "redirect.html" + + create_html_redirect_file(path=redirect_file, target_url="somewhere") + + assert_that(redirect_file.read_text(), contains_string("somewhere")) + + +@pytest.mark.parametrize("dirs", [{"dvsim_run_class_a", "dvsim_run_class_b"}]) +def test_gen_top_level_index(tmp_path: Path, dirs: set[str]) -> None: + """Test that a top level index is generated.""" + index_file = tmp_path / "index.html" + for d in dirs: + (tmp_path / d).mkdir(parents=True, exist_ok=True) + + gen_top_level_index(base_path=tmp_path, extra_env={}) + + index = index_file.read_text() + for d in dirs: + assert_that(index, contains_string(d)) diff --git a/tests/utils/test_rclone.py b/tests/utils/test_rclone.py index 52edee4a..e55d7985 100644 --- a/tests/utils/test_rclone.py +++ b/tests/utils/test_rclone.py @@ -1,5 +1,7 @@ -# SPDX-FileCopyrightText: lowRISC contributors (OpenTitan project). +# Copyright lowRISC contributors (OpenTitan project). +# Licensed under the Apache License, Version 2.0, see LICENSE for details. # SPDX-License-Identifier: Apache-2.0 + """Test rclone helper functions.""" from collections.abc import Iterable, Mapping diff --git a/uv.lock b/uv.lock index 1005908c..3ac4d087 100644 --- a/uv.lock +++ b/uv.lock @@ -1,5 +1,5 @@ version = 1 -revision = 3 +revision = 2 requires-python = ">=3.10" resolution-markers = [ "python_full_version >= '3.11'", @@ -278,6 +278,7 @@ dependencies = [ { name = "enlighten" }, { name = "hjson" }, { name = "logzero" }, + { name = "mako" }, { name = "mistletoe" }, { name = "premailer" }, { name = "pydantic" }, @@ -288,13 +289,20 @@ dependencies = [ [package.optional-dependencies] ci = [ + { name = "gitpython" }, { name = "pyhamcrest" }, { name = "pyright" }, { name = "pytest" }, { name = "pytest-cov" }, { name = "ruff" }, ] +debug = [ + { name = "ipython", version = "8.37.0", source = { registry = "https://pypi.org/simple" }, marker = "python_full_version < '3.11'" }, + { name = "ipython", version = "9.5.0", source = { registry = "https://pypi.org/simple" }, marker = "python_full_version >= '3.11'" }, +] dev = [ + { name = "ipython", version = "8.37.0", source = { registry = "https://pypi.org/simple" }, marker = "python_full_version < '3.11'" }, + { name = "ipython", version = "9.5.0", source = { registry = "https://pypi.org/simple" }, marker = "python_full_version >= '3.11'" }, { name = "pyhamcrest" }, { name = "pyright" }, { name = "pytest" }, @@ -305,6 +313,9 @@ linting = [ { name = "ruff" }, ] nix = [ + { name = "gitpython" }, + { name = "ipython", version = "8.37.0", source = { registry = "https://pypi.org/simple" }, marker = "python_full_version < '3.11'" }, + { name = "ipython", version = "9.5.0", source = { registry = "https://pypi.org/simple" }, marker = "python_full_version >= '3.11'" }, { name = "pyhamcrest" }, { name = "pyright" }, { name = "pytest" }, @@ -319,21 +330,19 @@ typing = [ { name = "pyright" }, ] -[package.dev-dependencies] -dev = [ - { name = "ipython", version = "8.37.0", source = { registry = "https://pypi.org/simple" }, marker = "python_full_version < '3.11'" }, - { name = "ipython", version = "9.5.0", source = { registry = "https://pypi.org/simple" }, marker = "python_full_version >= '3.11'" }, -] - [package.metadata] requires-dist = [ { name = "click", specifier = ">=8.1.7" }, { name = "dvsim", extras = ["linting", "typing", "test"], marker = "extra == 'ci'" }, - { name = "dvsim", extras = ["linting", "typing", "test"], marker = "extra == 'dev'" }, - { name = "dvsim", extras = ["typing", "test"], marker = "extra == 'nix'" }, + { name = "dvsim", extras = ["linting", "typing", "test", "debug"], marker = "extra == 'dev'" }, + { name = "dvsim", extras = ["typing", "test", "debug"], marker = "extra == 'nix'" }, { name = "enlighten", specifier = ">=1.12.4" }, + { name = "gitpython", marker = "extra == 'ci'" }, + { name = "gitpython", marker = "extra == 'nix'" }, { name = "hjson", specifier = ">=3.1.0" }, + { name = "ipython", marker = "extra == 'debug'", specifier = ">=8.18.1" }, { name = "logzero", specifier = ">=1.7.0" }, + { name = "mako", specifier = ">=1.3.10" }, { name = "mistletoe", specifier = ">=1.4.0" }, { name = "premailer", specifier = ">=3.10.0" }, { name = "pydantic", specifier = ">=2.9.2" }, @@ -346,10 +355,7 @@ requires-dist = [ { name = "tabulate", specifier = ">=0.9.0" }, { name = "toml", specifier = ">=0.10.2" }, ] -provides-extras = ["typing", "linting", "test", "dev", "ci", "nix"] - -[package.metadata.requires-dev] -dev = [{ name = "ipython", specifier = ">=8.18.1" }] +provides-extras = ["typing", "linting", "debug", "test", "dev", "ci", "nix"] [[package]] name = "enlighten" @@ -369,7 +375,7 @@ name = "exceptiongroup" version = "1.3.0" source = { registry = "https://pypi.org/simple" } dependencies = [ - { name = "typing-extensions", marker = "python_full_version < '3.13'" }, + { name = "typing-extensions", marker = "python_full_version < '3.11'" }, ] sdist = { url = "https://files.pythonhosted.org/packages/0b/9f/a65090624ecf468cdca03533906e7c69ed7588582240cfe7cc9e770b50eb/exceptiongroup-1.3.0.tar.gz", hash = "sha256:b241f5885f560bc56a59ee63ca4c6a8bfa46ae4ad651af316d4e81817bb9fd88", size = 29749, upload-time = "2025-05-10T17:42:51.123Z" } wheels = [ @@ -385,6 +391,30 @@ wheels = [ { url = "https://files.pythonhosted.org/packages/c1/ea/53f2148663b321f21b5a606bd5f191517cf40b7072c0497d3c92c4a13b1e/executing-2.2.1-py2.py3-none-any.whl", hash = "sha256:760643d3452b4d777d295bb167ccc74c64a81df23fb5e08eff250c425a4b2017", size = 28317, upload-time = "2025-09-01T09:48:08.5Z" }, ] +[[package]] +name = "gitdb" +version = "4.0.12" +source = { registry = "https://pypi.org/simple" } +dependencies = [ + { name = "smmap" }, +] +sdist = { url = "https://files.pythonhosted.org/packages/72/94/63b0fc47eb32792c7ba1fe1b694daec9a63620db1e313033d18140c2320a/gitdb-4.0.12.tar.gz", hash = "sha256:5ef71f855d191a3326fcfbc0d5da835f26b13fbcba60c32c21091c349ffdb571", size = 394684, upload-time = "2025-01-02T07:20:46.413Z" } +wheels = [ + { url = "https://files.pythonhosted.org/packages/a0/61/5c78b91c3143ed5c14207f463aecfc8f9dbb5092fb2869baf37c273b2705/gitdb-4.0.12-py3-none-any.whl", hash = "sha256:67073e15955400952c6565cc3e707c554a4eea2e428946f7a4c162fab9bd9bcf", size = 62794, upload-time = "2025-01-02T07:20:43.624Z" }, +] + +[[package]] +name = "gitpython" +version = "3.1.45" +source = { registry = "https://pypi.org/simple" } +dependencies = [ + { name = "gitdb" }, +] +sdist = { url = "https://files.pythonhosted.org/packages/9a/c8/dd58967d119baab745caec2f9d853297cec1989ec1d63f677d3880632b88/gitpython-3.1.45.tar.gz", hash = "sha256:85b0ee964ceddf211c41b9f27a49086010a190fd8132a24e21f362a4b36a791c", size = 215076, upload-time = "2025-07-24T03:45:54.871Z" } +wheels = [ + { url = "https://files.pythonhosted.org/packages/01/61/d4b89fec821f72385526e1b9d9a3a0385dda4a72b206d28049e2c7cd39b8/gitpython-3.1.45-py3-none-any.whl", hash = "sha256:8908cb2e02fb3b93b7eb0f2827125cb699869470432cc885f019b8fd0fccff77", size = 208168, upload-time = "2025-07-24T03:45:52.517Z" }, +] + [[package]] name = "hjson" version = "3.1.0" @@ -612,6 +642,103 @@ wheels = [ { url = "https://files.pythonhosted.org/packages/b6/db/8f620f1ac62cf32554821b00b768dd5957ac8e3fd051593532be5b40b438/lxml-6.0.1-pp311-pypy311_pp73-win_amd64.whl", hash = "sha256:51bd5d1a9796ca253db6045ab45ca882c09c071deafffc22e06975b7ace36300", size = 3518127, upload-time = "2025-08-22T10:37:51.66Z" }, ] +[[package]] +name = "mako" +version = "1.3.10" +source = { registry = "https://pypi.org/simple" } +dependencies = [ + { name = "markupsafe" }, +] +sdist = { url = "https://files.pythonhosted.org/packages/9e/38/bd5b78a920a64d708fe6bc8e0a2c075e1389d53bef8413725c63ba041535/mako-1.3.10.tar.gz", hash = "sha256:99579a6f39583fa7e5630a28c3c1f440e4e97a414b80372649c0ce338da2ea28", size = 392474, upload-time = "2025-04-10T12:44:31.16Z" } +wheels = [ + { url = "https://files.pythonhosted.org/packages/87/fb/99f81ac72ae23375f22b7afdb7642aba97c00a713c217124420147681a2f/mako-1.3.10-py3-none-any.whl", hash = "sha256:baef24a52fc4fc514a0887ac600f9f1cff3d82c61d4d700a1fa84d597b88db59", size = 78509, upload-time = "2025-04-10T12:50:53.297Z" }, +] + +[[package]] +name = "markupsafe" +version = "3.0.3" +source = { registry = "https://pypi.org/simple" } +sdist = { url = "https://files.pythonhosted.org/packages/7e/99/7690b6d4034fffd95959cbe0c02de8deb3098cc577c67bb6a24fe5d7caa7/markupsafe-3.0.3.tar.gz", hash = "sha256:722695808f4b6457b320fdc131280796bdceb04ab50fe1795cd540799ebe1698", size = 80313, upload-time = "2025-09-27T18:37:40.426Z" } +wheels = [ + { url = "https://files.pythonhosted.org/packages/e8/4b/3541d44f3937ba468b75da9eebcae497dcf67adb65caa16760b0a6807ebb/markupsafe-3.0.3-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:2f981d352f04553a7171b8e44369f2af4055f888dfb147d55e42d29e29e74559", size = 11631, upload-time = "2025-09-27T18:36:05.558Z" }, + { url = "https://files.pythonhosted.org/packages/98/1b/fbd8eed11021cabd9226c37342fa6ca4e8a98d8188a8d9b66740494960e4/markupsafe-3.0.3-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:e1c1493fb6e50ab01d20a22826e57520f1284df32f2d8601fdd90b6304601419", size = 12057, upload-time = "2025-09-27T18:36:07.165Z" }, + { url = "https://files.pythonhosted.org/packages/40/01/e560d658dc0bb8ab762670ece35281dec7b6c1b33f5fbc09ebb57a185519/markupsafe-3.0.3-cp310-cp310-manylinux2014_aarch64.manylinux_2_17_aarch64.manylinux_2_28_aarch64.whl", hash = "sha256:1ba88449deb3de88bd40044603fafffb7bc2b055d626a330323a9ed736661695", size = 22050, upload-time = "2025-09-27T18:36:08.005Z" }, + { url = "https://files.pythonhosted.org/packages/af/cd/ce6e848bbf2c32314c9b237839119c5a564a59725b53157c856e90937b7a/markupsafe-3.0.3-cp310-cp310-manylinux2014_x86_64.manylinux_2_17_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:f42d0984e947b8adf7dd6dde396e720934d12c506ce84eea8476409563607591", size = 20681, upload-time = "2025-09-27T18:36:08.881Z" }, + { url = "https://files.pythonhosted.org/packages/c9/2a/b5c12c809f1c3045c4d580b035a743d12fcde53cf685dbc44660826308da/markupsafe-3.0.3-cp310-cp310-manylinux_2_31_riscv64.manylinux_2_39_riscv64.whl", hash = "sha256:c0c0b3ade1c0b13b936d7970b1d37a57acde9199dc2aecc4c336773e1d86049c", size = 20705, upload-time = "2025-09-27T18:36:10.131Z" }, + { url = "https://files.pythonhosted.org/packages/cf/e3/9427a68c82728d0a88c50f890d0fc072a1484de2f3ac1ad0bfc1a7214fd5/markupsafe-3.0.3-cp310-cp310-musllinux_1_2_aarch64.whl", hash = "sha256:0303439a41979d9e74d18ff5e2dd8c43ed6c6001fd40e5bf2e43f7bd9bbc523f", size = 21524, upload-time = "2025-09-27T18:36:11.324Z" }, + { url = "https://files.pythonhosted.org/packages/bc/36/23578f29e9e582a4d0278e009b38081dbe363c5e7165113fad546918a232/markupsafe-3.0.3-cp310-cp310-musllinux_1_2_riscv64.whl", hash = "sha256:d2ee202e79d8ed691ceebae8e0486bd9a2cd4794cec4824e1c99b6f5009502f6", size = 20282, upload-time = "2025-09-27T18:36:12.573Z" }, + { url = "https://files.pythonhosted.org/packages/56/21/dca11354e756ebd03e036bd8ad58d6d7168c80ce1fe5e75218e4945cbab7/markupsafe-3.0.3-cp310-cp310-musllinux_1_2_x86_64.whl", hash = "sha256:177b5253b2834fe3678cb4a5f0059808258584c559193998be2601324fdeafb1", size = 20745, upload-time = "2025-09-27T18:36:13.504Z" }, + { url = "https://files.pythonhosted.org/packages/87/99/faba9369a7ad6e4d10b6a5fbf71fa2a188fe4a593b15f0963b73859a1bbd/markupsafe-3.0.3-cp310-cp310-win32.whl", hash = "sha256:2a15a08b17dd94c53a1da0438822d70ebcd13f8c3a95abe3a9ef9f11a94830aa", size = 14571, upload-time = "2025-09-27T18:36:14.779Z" }, + { url = "https://files.pythonhosted.org/packages/d6/25/55dc3ab959917602c96985cb1253efaa4ff42f71194bddeb61eb7278b8be/markupsafe-3.0.3-cp310-cp310-win_amd64.whl", hash = "sha256:c4ffb7ebf07cfe8931028e3e4c85f0357459a3f9f9490886198848f4fa002ec8", size = 15056, upload-time = "2025-09-27T18:36:16.125Z" }, + { url = "https://files.pythonhosted.org/packages/d0/9e/0a02226640c255d1da0b8d12e24ac2aa6734da68bff14c05dd53b94a0fc3/markupsafe-3.0.3-cp310-cp310-win_arm64.whl", hash = "sha256:e2103a929dfa2fcaf9bb4e7c091983a49c9ac3b19c9061b6d5427dd7d14d81a1", size = 13932, upload-time = "2025-09-27T18:36:17.311Z" }, + { url = "https://files.pythonhosted.org/packages/08/db/fefacb2136439fc8dd20e797950e749aa1f4997ed584c62cfb8ef7c2be0e/markupsafe-3.0.3-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:1cc7ea17a6824959616c525620e387f6dd30fec8cb44f649e31712db02123dad", size = 11631, upload-time = "2025-09-27T18:36:18.185Z" }, + { url = "https://files.pythonhosted.org/packages/e1/2e/5898933336b61975ce9dc04decbc0a7f2fee78c30353c5efba7f2d6ff27a/markupsafe-3.0.3-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:4bd4cd07944443f5a265608cc6aab442e4f74dff8088b0dfc8238647b8f6ae9a", size = 12058, upload-time = "2025-09-27T18:36:19.444Z" }, + { url = "https://files.pythonhosted.org/packages/1d/09/adf2df3699d87d1d8184038df46a9c80d78c0148492323f4693df54e17bb/markupsafe-3.0.3-cp311-cp311-manylinux2014_aarch64.manylinux_2_17_aarch64.manylinux_2_28_aarch64.whl", hash = "sha256:6b5420a1d9450023228968e7e6a9ce57f65d148ab56d2313fcd589eee96a7a50", size = 24287, upload-time = "2025-09-27T18:36:20.768Z" }, + { url = "https://files.pythonhosted.org/packages/30/ac/0273f6fcb5f42e314c6d8cd99effae6a5354604d461b8d392b5ec9530a54/markupsafe-3.0.3-cp311-cp311-manylinux2014_x86_64.manylinux_2_17_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:0bf2a864d67e76e5c9a34dc26ec616a66b9888e25e7b9460e1c76d3293bd9dbf", size = 22940, upload-time = "2025-09-27T18:36:22.249Z" }, + { url = "https://files.pythonhosted.org/packages/19/ae/31c1be199ef767124c042c6c3e904da327a2f7f0cd63a0337e1eca2967a8/markupsafe-3.0.3-cp311-cp311-manylinux_2_31_riscv64.manylinux_2_39_riscv64.whl", hash = "sha256:bc51efed119bc9cfdf792cdeaa4d67e8f6fcccab66ed4bfdd6bde3e59bfcbb2f", size = 21887, upload-time = "2025-09-27T18:36:23.535Z" }, + { url = "https://files.pythonhosted.org/packages/b2/76/7edcab99d5349a4532a459e1fe64f0b0467a3365056ae550d3bcf3f79e1e/markupsafe-3.0.3-cp311-cp311-musllinux_1_2_aarch64.whl", hash = "sha256:068f375c472b3e7acbe2d5318dea141359e6900156b5b2ba06a30b169086b91a", size = 23692, upload-time = "2025-09-27T18:36:24.823Z" }, + { url = "https://files.pythonhosted.org/packages/a4/28/6e74cdd26d7514849143d69f0bf2399f929c37dc2b31e6829fd2045b2765/markupsafe-3.0.3-cp311-cp311-musllinux_1_2_riscv64.whl", hash = "sha256:7be7b61bb172e1ed687f1754f8e7484f1c8019780f6f6b0786e76bb01c2ae115", size = 21471, upload-time = "2025-09-27T18:36:25.95Z" }, + { url = "https://files.pythonhosted.org/packages/62/7e/a145f36a5c2945673e590850a6f8014318d5577ed7e5920a4b3448e0865d/markupsafe-3.0.3-cp311-cp311-musllinux_1_2_x86_64.whl", hash = "sha256:f9e130248f4462aaa8e2552d547f36ddadbeaa573879158d721bbd33dfe4743a", size = 22923, upload-time = "2025-09-27T18:36:27.109Z" }, + { url = "https://files.pythonhosted.org/packages/0f/62/d9c46a7f5c9adbeeeda52f5b8d802e1094e9717705a645efc71b0913a0a8/markupsafe-3.0.3-cp311-cp311-win32.whl", hash = "sha256:0db14f5dafddbb6d9208827849fad01f1a2609380add406671a26386cdf15a19", size = 14572, upload-time = "2025-09-27T18:36:28.045Z" }, + { url = "https://files.pythonhosted.org/packages/83/8a/4414c03d3f891739326e1783338e48fb49781cc915b2e0ee052aa490d586/markupsafe-3.0.3-cp311-cp311-win_amd64.whl", hash = "sha256:de8a88e63464af587c950061a5e6a67d3632e36df62b986892331d4620a35c01", size = 15077, upload-time = "2025-09-27T18:36:29.025Z" }, + { url = "https://files.pythonhosted.org/packages/35/73/893072b42e6862f319b5207adc9ae06070f095b358655f077f69a35601f0/markupsafe-3.0.3-cp311-cp311-win_arm64.whl", hash = "sha256:3b562dd9e9ea93f13d53989d23a7e775fdfd1066c33494ff43f5418bc8c58a5c", size = 13876, upload-time = "2025-09-27T18:36:29.954Z" }, + { url = "https://files.pythonhosted.org/packages/5a/72/147da192e38635ada20e0a2e1a51cf8823d2119ce8883f7053879c2199b5/markupsafe-3.0.3-cp312-cp312-macosx_10_13_x86_64.whl", hash = "sha256:d53197da72cc091b024dd97249dfc7794d6a56530370992a5e1a08983ad9230e", size = 11615, upload-time = "2025-09-27T18:36:30.854Z" }, + { url = "https://files.pythonhosted.org/packages/9a/81/7e4e08678a1f98521201c3079f77db69fb552acd56067661f8c2f534a718/markupsafe-3.0.3-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:1872df69a4de6aead3491198eaf13810b565bdbeec3ae2dc8780f14458ec73ce", size = 12020, upload-time = "2025-09-27T18:36:31.971Z" }, + { url = "https://files.pythonhosted.org/packages/1e/2c/799f4742efc39633a1b54a92eec4082e4f815314869865d876824c257c1e/markupsafe-3.0.3-cp312-cp312-manylinux2014_aarch64.manylinux_2_17_aarch64.manylinux_2_28_aarch64.whl", hash = "sha256:3a7e8ae81ae39e62a41ec302f972ba6ae23a5c5396c8e60113e9066ef893da0d", size = 24332, upload-time = "2025-09-27T18:36:32.813Z" }, + { url = "https://files.pythonhosted.org/packages/3c/2e/8d0c2ab90a8c1d9a24f0399058ab8519a3279d1bd4289511d74e909f060e/markupsafe-3.0.3-cp312-cp312-manylinux2014_x86_64.manylinux_2_17_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:d6dd0be5b5b189d31db7cda48b91d7e0a9795f31430b7f271219ab30f1d3ac9d", size = 22947, upload-time = "2025-09-27T18:36:33.86Z" }, + { url = "https://files.pythonhosted.org/packages/2c/54/887f3092a85238093a0b2154bd629c89444f395618842e8b0c41783898ea/markupsafe-3.0.3-cp312-cp312-manylinux_2_31_riscv64.manylinux_2_39_riscv64.whl", hash = "sha256:94c6f0bb423f739146aec64595853541634bde58b2135f27f61c1ffd1cd4d16a", size = 21962, upload-time = "2025-09-27T18:36:35.099Z" }, + { url = "https://files.pythonhosted.org/packages/c9/2f/336b8c7b6f4a4d95e91119dc8521402461b74a485558d8f238a68312f11c/markupsafe-3.0.3-cp312-cp312-musllinux_1_2_aarch64.whl", hash = "sha256:be8813b57049a7dc738189df53d69395eba14fb99345e0a5994914a3864c8a4b", size = 23760, upload-time = "2025-09-27T18:36:36.001Z" }, + { url = "https://files.pythonhosted.org/packages/32/43/67935f2b7e4982ffb50a4d169b724d74b62a3964bc1a9a527f5ac4f1ee2b/markupsafe-3.0.3-cp312-cp312-musllinux_1_2_riscv64.whl", hash = "sha256:83891d0e9fb81a825d9a6d61e3f07550ca70a076484292a70fde82c4b807286f", size = 21529, upload-time = "2025-09-27T18:36:36.906Z" }, + { url = "https://files.pythonhosted.org/packages/89/e0/4486f11e51bbba8b0c041098859e869e304d1c261e59244baa3d295d47b7/markupsafe-3.0.3-cp312-cp312-musllinux_1_2_x86_64.whl", hash = "sha256:77f0643abe7495da77fb436f50f8dab76dbc6e5fd25d39589a0f1fe6548bfa2b", size = 23015, upload-time = "2025-09-27T18:36:37.868Z" }, + { url = "https://files.pythonhosted.org/packages/2f/e1/78ee7a023dac597a5825441ebd17170785a9dab23de95d2c7508ade94e0e/markupsafe-3.0.3-cp312-cp312-win32.whl", hash = "sha256:d88b440e37a16e651bda4c7c2b930eb586fd15ca7406cb39e211fcff3bf3017d", size = 14540, upload-time = "2025-09-27T18:36:38.761Z" }, + { url = "https://files.pythonhosted.org/packages/aa/5b/bec5aa9bbbb2c946ca2733ef9c4ca91c91b6a24580193e891b5f7dbe8e1e/markupsafe-3.0.3-cp312-cp312-win_amd64.whl", hash = "sha256:26a5784ded40c9e318cfc2bdb30fe164bdb8665ded9cd64d500a34fb42067b1c", size = 15105, upload-time = "2025-09-27T18:36:39.701Z" }, + { url = "https://files.pythonhosted.org/packages/e5/f1/216fc1bbfd74011693a4fd837e7026152e89c4bcf3e77b6692fba9923123/markupsafe-3.0.3-cp312-cp312-win_arm64.whl", hash = "sha256:35add3b638a5d900e807944a078b51922212fb3dedb01633a8defc4b01a3c85f", size = 13906, upload-time = "2025-09-27T18:36:40.689Z" }, + { url = "https://files.pythonhosted.org/packages/38/2f/907b9c7bbba283e68f20259574b13d005c121a0fa4c175f9bed27c4597ff/markupsafe-3.0.3-cp313-cp313-macosx_10_13_x86_64.whl", hash = "sha256:e1cf1972137e83c5d4c136c43ced9ac51d0e124706ee1c8aa8532c1287fa8795", size = 11622, upload-time = "2025-09-27T18:36:41.777Z" }, + { url = "https://files.pythonhosted.org/packages/9c/d9/5f7756922cdd676869eca1c4e3c0cd0df60ed30199ffd775e319089cb3ed/markupsafe-3.0.3-cp313-cp313-macosx_11_0_arm64.whl", hash = "sha256:116bb52f642a37c115f517494ea5feb03889e04df47eeff5b130b1808ce7c219", size = 12029, upload-time = "2025-09-27T18:36:43.257Z" }, + { url = "https://files.pythonhosted.org/packages/00/07/575a68c754943058c78f30db02ee03a64b3c638586fba6a6dd56830b30a3/markupsafe-3.0.3-cp313-cp313-manylinux2014_aarch64.manylinux_2_17_aarch64.manylinux_2_28_aarch64.whl", hash = "sha256:133a43e73a802c5562be9bbcd03d090aa5a1fe899db609c29e8c8d815c5f6de6", size = 24374, upload-time = "2025-09-27T18:36:44.508Z" }, + { url = "https://files.pythonhosted.org/packages/a9/21/9b05698b46f218fc0e118e1f8168395c65c8a2c750ae2bab54fc4bd4e0e8/markupsafe-3.0.3-cp313-cp313-manylinux2014_x86_64.manylinux_2_17_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:ccfcd093f13f0f0b7fdd0f198b90053bf7b2f02a3927a30e63f3ccc9df56b676", size = 22980, upload-time = "2025-09-27T18:36:45.385Z" }, + { url = "https://files.pythonhosted.org/packages/7f/71/544260864f893f18b6827315b988c146b559391e6e7e8f7252839b1b846a/markupsafe-3.0.3-cp313-cp313-manylinux_2_31_riscv64.manylinux_2_39_riscv64.whl", hash = "sha256:509fa21c6deb7a7a273d629cf5ec029bc209d1a51178615ddf718f5918992ab9", size = 21990, upload-time = "2025-09-27T18:36:46.916Z" }, + { url = "https://files.pythonhosted.org/packages/c2/28/b50fc2f74d1ad761af2f5dcce7492648b983d00a65b8c0e0cb457c82ebbe/markupsafe-3.0.3-cp313-cp313-musllinux_1_2_aarch64.whl", hash = "sha256:a4afe79fb3de0b7097d81da19090f4df4f8d3a2b3adaa8764138aac2e44f3af1", size = 23784, upload-time = "2025-09-27T18:36:47.884Z" }, + { url = "https://files.pythonhosted.org/packages/ed/76/104b2aa106a208da8b17a2fb72e033a5a9d7073c68f7e508b94916ed47a9/markupsafe-3.0.3-cp313-cp313-musllinux_1_2_riscv64.whl", hash = "sha256:795e7751525cae078558e679d646ae45574b47ed6e7771863fcc079a6171a0fc", size = 21588, upload-time = "2025-09-27T18:36:48.82Z" }, + { url = "https://files.pythonhosted.org/packages/b5/99/16a5eb2d140087ebd97180d95249b00a03aa87e29cc224056274f2e45fd6/markupsafe-3.0.3-cp313-cp313-musllinux_1_2_x86_64.whl", hash = "sha256:8485f406a96febb5140bfeca44a73e3ce5116b2501ac54fe953e488fb1d03b12", size = 23041, upload-time = "2025-09-27T18:36:49.797Z" }, + { url = "https://files.pythonhosted.org/packages/19/bc/e7140ed90c5d61d77cea142eed9f9c303f4c4806f60a1044c13e3f1471d0/markupsafe-3.0.3-cp313-cp313-win32.whl", hash = "sha256:bdd37121970bfd8be76c5fb069c7751683bdf373db1ed6c010162b2a130248ed", size = 14543, upload-time = "2025-09-27T18:36:51.584Z" }, + { url = "https://files.pythonhosted.org/packages/05/73/c4abe620b841b6b791f2edc248f556900667a5a1cf023a6646967ae98335/markupsafe-3.0.3-cp313-cp313-win_amd64.whl", hash = "sha256:9a1abfdc021a164803f4d485104931fb8f8c1efd55bc6b748d2f5774e78b62c5", size = 15113, upload-time = "2025-09-27T18:36:52.537Z" }, + { url = "https://files.pythonhosted.org/packages/f0/3a/fa34a0f7cfef23cf9500d68cb7c32dd64ffd58a12b09225fb03dd37d5b80/markupsafe-3.0.3-cp313-cp313-win_arm64.whl", hash = "sha256:7e68f88e5b8799aa49c85cd116c932a1ac15caaa3f5db09087854d218359e485", size = 13911, upload-time = "2025-09-27T18:36:53.513Z" }, + { url = "https://files.pythonhosted.org/packages/e4/d7/e05cd7efe43a88a17a37b3ae96e79a19e846f3f456fe79c57ca61356ef01/markupsafe-3.0.3-cp313-cp313t-macosx_10_13_x86_64.whl", hash = "sha256:218551f6df4868a8d527e3062d0fb968682fe92054e89978594c28e642c43a73", size = 11658, upload-time = "2025-09-27T18:36:54.819Z" }, + { url = "https://files.pythonhosted.org/packages/99/9e/e412117548182ce2148bdeacdda3bb494260c0b0184360fe0d56389b523b/markupsafe-3.0.3-cp313-cp313t-macosx_11_0_arm64.whl", hash = "sha256:3524b778fe5cfb3452a09d31e7b5adefeea8c5be1d43c4f810ba09f2ceb29d37", size = 12066, upload-time = "2025-09-27T18:36:55.714Z" }, + { url = "https://files.pythonhosted.org/packages/bc/e6/fa0ffcda717ef64a5108eaa7b4f5ed28d56122c9a6d70ab8b72f9f715c80/markupsafe-3.0.3-cp313-cp313t-manylinux2014_aarch64.manylinux_2_17_aarch64.manylinux_2_28_aarch64.whl", hash = "sha256:4e885a3d1efa2eadc93c894a21770e4bc67899e3543680313b09f139e149ab19", size = 25639, upload-time = "2025-09-27T18:36:56.908Z" }, + { url = "https://files.pythonhosted.org/packages/96/ec/2102e881fe9d25fc16cb4b25d5f5cde50970967ffa5dddafdb771237062d/markupsafe-3.0.3-cp313-cp313t-manylinux2014_x86_64.manylinux_2_17_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:8709b08f4a89aa7586de0aadc8da56180242ee0ada3999749b183aa23df95025", size = 23569, upload-time = "2025-09-27T18:36:57.913Z" }, + { url = "https://files.pythonhosted.org/packages/4b/30/6f2fce1f1f205fc9323255b216ca8a235b15860c34b6798f810f05828e32/markupsafe-3.0.3-cp313-cp313t-manylinux_2_31_riscv64.manylinux_2_39_riscv64.whl", hash = "sha256:b8512a91625c9b3da6f127803b166b629725e68af71f8184ae7e7d54686a56d6", size = 23284, upload-time = "2025-09-27T18:36:58.833Z" }, + { url = "https://files.pythonhosted.org/packages/58/47/4a0ccea4ab9f5dcb6f79c0236d954acb382202721e704223a8aafa38b5c8/markupsafe-3.0.3-cp313-cp313t-musllinux_1_2_aarch64.whl", hash = "sha256:9b79b7a16f7fedff2495d684f2b59b0457c3b493778c9eed31111be64d58279f", size = 24801, upload-time = "2025-09-27T18:36:59.739Z" }, + { url = "https://files.pythonhosted.org/packages/6a/70/3780e9b72180b6fecb83a4814d84c3bf4b4ae4bf0b19c27196104149734c/markupsafe-3.0.3-cp313-cp313t-musllinux_1_2_riscv64.whl", hash = "sha256:12c63dfb4a98206f045aa9563db46507995f7ef6d83b2f68eda65c307c6829eb", size = 22769, upload-time = "2025-09-27T18:37:00.719Z" }, + { url = "https://files.pythonhosted.org/packages/98/c5/c03c7f4125180fc215220c035beac6b9cb684bc7a067c84fc69414d315f5/markupsafe-3.0.3-cp313-cp313t-musllinux_1_2_x86_64.whl", hash = "sha256:8f71bc33915be5186016f675cd83a1e08523649b0e33efdb898db577ef5bb009", size = 23642, upload-time = "2025-09-27T18:37:01.673Z" }, + { url = "https://files.pythonhosted.org/packages/80/d6/2d1b89f6ca4bff1036499b1e29a1d02d282259f3681540e16563f27ebc23/markupsafe-3.0.3-cp313-cp313t-win32.whl", hash = "sha256:69c0b73548bc525c8cb9a251cddf1931d1db4d2258e9599c28c07ef3580ef354", size = 14612, upload-time = "2025-09-27T18:37:02.639Z" }, + { url = "https://files.pythonhosted.org/packages/2b/98/e48a4bfba0a0ffcf9925fe2d69240bfaa19c6f7507b8cd09c70684a53c1e/markupsafe-3.0.3-cp313-cp313t-win_amd64.whl", hash = "sha256:1b4b79e8ebf6b55351f0d91fe80f893b4743f104bff22e90697db1590e47a218", size = 15200, upload-time = "2025-09-27T18:37:03.582Z" }, + { url = "https://files.pythonhosted.org/packages/0e/72/e3cc540f351f316e9ed0f092757459afbc595824ca724cbc5a5d4263713f/markupsafe-3.0.3-cp313-cp313t-win_arm64.whl", hash = "sha256:ad2cf8aa28b8c020ab2fc8287b0f823d0a7d8630784c31e9ee5edea20f406287", size = 13973, upload-time = "2025-09-27T18:37:04.929Z" }, + { url = "https://files.pythonhosted.org/packages/33/8a/8e42d4838cd89b7dde187011e97fe6c3af66d8c044997d2183fbd6d31352/markupsafe-3.0.3-cp314-cp314-macosx_10_13_x86_64.whl", hash = "sha256:eaa9599de571d72e2daf60164784109f19978b327a3910d3e9de8c97b5b70cfe", size = 11619, upload-time = "2025-09-27T18:37:06.342Z" }, + { url = "https://files.pythonhosted.org/packages/b5/64/7660f8a4a8e53c924d0fa05dc3a55c9cee10bbd82b11c5afb27d44b096ce/markupsafe-3.0.3-cp314-cp314-macosx_11_0_arm64.whl", hash = "sha256:c47a551199eb8eb2121d4f0f15ae0f923d31350ab9280078d1e5f12b249e0026", size = 12029, upload-time = "2025-09-27T18:37:07.213Z" }, + { url = "https://files.pythonhosted.org/packages/da/ef/e648bfd021127bef5fa12e1720ffed0c6cbb8310c8d9bea7266337ff06de/markupsafe-3.0.3-cp314-cp314-manylinux2014_aarch64.manylinux_2_17_aarch64.manylinux_2_28_aarch64.whl", hash = "sha256:f34c41761022dd093b4b6896d4810782ffbabe30f2d443ff5f083e0cbbb8c737", size = 24408, upload-time = "2025-09-27T18:37:09.572Z" }, + { url = "https://files.pythonhosted.org/packages/41/3c/a36c2450754618e62008bf7435ccb0f88053e07592e6028a34776213d877/markupsafe-3.0.3-cp314-cp314-manylinux2014_x86_64.manylinux_2_17_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:457a69a9577064c05a97c41f4e65148652db078a3a509039e64d3467b9e7ef97", size = 23005, upload-time = "2025-09-27T18:37:10.58Z" }, + { url = "https://files.pythonhosted.org/packages/bc/20/b7fdf89a8456b099837cd1dc21974632a02a999ec9bf7ca3e490aacd98e7/markupsafe-3.0.3-cp314-cp314-manylinux_2_31_riscv64.manylinux_2_39_riscv64.whl", hash = "sha256:e8afc3f2ccfa24215f8cb28dcf43f0113ac3c37c2f0f0806d8c70e4228c5cf4d", size = 22048, upload-time = "2025-09-27T18:37:11.547Z" }, + { url = "https://files.pythonhosted.org/packages/9a/a7/591f592afdc734f47db08a75793a55d7fbcc6902a723ae4cfbab61010cc5/markupsafe-3.0.3-cp314-cp314-musllinux_1_2_aarch64.whl", hash = "sha256:ec15a59cf5af7be74194f7ab02d0f59a62bdcf1a537677ce67a2537c9b87fcda", size = 23821, upload-time = "2025-09-27T18:37:12.48Z" }, + { url = "https://files.pythonhosted.org/packages/7d/33/45b24e4f44195b26521bc6f1a82197118f74df348556594bd2262bda1038/markupsafe-3.0.3-cp314-cp314-musllinux_1_2_riscv64.whl", hash = "sha256:0eb9ff8191e8498cca014656ae6b8d61f39da5f95b488805da4bb029cccbfbaf", size = 21606, upload-time = "2025-09-27T18:37:13.485Z" }, + { url = "https://files.pythonhosted.org/packages/ff/0e/53dfaca23a69fbfbbf17a4b64072090e70717344c52eaaaa9c5ddff1e5f0/markupsafe-3.0.3-cp314-cp314-musllinux_1_2_x86_64.whl", hash = "sha256:2713baf880df847f2bece4230d4d094280f4e67b1e813eec43b4c0e144a34ffe", size = 23043, upload-time = "2025-09-27T18:37:14.408Z" }, + { url = "https://files.pythonhosted.org/packages/46/11/f333a06fc16236d5238bfe74daccbca41459dcd8d1fa952e8fbd5dccfb70/markupsafe-3.0.3-cp314-cp314-win32.whl", hash = "sha256:729586769a26dbceff69f7a7dbbf59ab6572b99d94576a5592625d5b411576b9", size = 14747, upload-time = "2025-09-27T18:37:15.36Z" }, + { url = "https://files.pythonhosted.org/packages/28/52/182836104b33b444e400b14f797212f720cbc9ed6ba34c800639d154e821/markupsafe-3.0.3-cp314-cp314-win_amd64.whl", hash = "sha256:bdc919ead48f234740ad807933cdf545180bfbe9342c2bb451556db2ed958581", size = 15341, upload-time = "2025-09-27T18:37:16.496Z" }, + { url = "https://files.pythonhosted.org/packages/6f/18/acf23e91bd94fd7b3031558b1f013adfa21a8e407a3fdb32745538730382/markupsafe-3.0.3-cp314-cp314-win_arm64.whl", hash = "sha256:5a7d5dc5140555cf21a6fefbdbf8723f06fcd2f63ef108f2854de715e4422cb4", size = 14073, upload-time = "2025-09-27T18:37:17.476Z" }, + { url = "https://files.pythonhosted.org/packages/3c/f0/57689aa4076e1b43b15fdfa646b04653969d50cf30c32a102762be2485da/markupsafe-3.0.3-cp314-cp314t-macosx_10_13_x86_64.whl", hash = "sha256:1353ef0c1b138e1907ae78e2f6c63ff67501122006b0f9abad68fda5f4ffc6ab", size = 11661, upload-time = "2025-09-27T18:37:18.453Z" }, + { url = "https://files.pythonhosted.org/packages/89/c3/2e67a7ca217c6912985ec766c6393b636fb0c2344443ff9d91404dc4c79f/markupsafe-3.0.3-cp314-cp314t-macosx_11_0_arm64.whl", hash = "sha256:1085e7fbddd3be5f89cc898938f42c0b3c711fdcb37d75221de2666af647c175", size = 12069, upload-time = "2025-09-27T18:37:19.332Z" }, + { url = "https://files.pythonhosted.org/packages/f0/00/be561dce4e6ca66b15276e184ce4b8aec61fe83662cce2f7d72bd3249d28/markupsafe-3.0.3-cp314-cp314t-manylinux2014_aarch64.manylinux_2_17_aarch64.manylinux_2_28_aarch64.whl", hash = "sha256:1b52b4fb9df4eb9ae465f8d0c228a00624de2334f216f178a995ccdcf82c4634", size = 25670, upload-time = "2025-09-27T18:37:20.245Z" }, + { url = "https://files.pythonhosted.org/packages/50/09/c419f6f5a92e5fadde27efd190eca90f05e1261b10dbd8cbcb39cd8ea1dc/markupsafe-3.0.3-cp314-cp314t-manylinux2014_x86_64.manylinux_2_17_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:fed51ac40f757d41b7c48425901843666a6677e3e8eb0abcff09e4ba6e664f50", size = 23598, upload-time = "2025-09-27T18:37:21.177Z" }, + { url = "https://files.pythonhosted.org/packages/22/44/a0681611106e0b2921b3033fc19bc53323e0b50bc70cffdd19f7d679bb66/markupsafe-3.0.3-cp314-cp314t-manylinux_2_31_riscv64.manylinux_2_39_riscv64.whl", hash = "sha256:f190daf01f13c72eac4efd5c430a8de82489d9cff23c364c3ea822545032993e", size = 23261, upload-time = "2025-09-27T18:37:22.167Z" }, + { url = "https://files.pythonhosted.org/packages/5f/57/1b0b3f100259dc9fffe780cfb60d4be71375510e435efec3d116b6436d43/markupsafe-3.0.3-cp314-cp314t-musllinux_1_2_aarch64.whl", hash = "sha256:e56b7d45a839a697b5eb268c82a71bd8c7f6c94d6fd50c3d577fa39a9f1409f5", size = 24835, upload-time = "2025-09-27T18:37:23.296Z" }, + { url = "https://files.pythonhosted.org/packages/26/6a/4bf6d0c97c4920f1597cc14dd720705eca0bf7c787aebc6bb4d1bead5388/markupsafe-3.0.3-cp314-cp314t-musllinux_1_2_riscv64.whl", hash = "sha256:f3e98bb3798ead92273dc0e5fd0f31ade220f59a266ffd8a4f6065e0a3ce0523", size = 22733, upload-time = "2025-09-27T18:37:24.237Z" }, + { url = "https://files.pythonhosted.org/packages/14/c7/ca723101509b518797fedc2fdf79ba57f886b4aca8a7d31857ba3ee8281f/markupsafe-3.0.3-cp314-cp314t-musllinux_1_2_x86_64.whl", hash = "sha256:5678211cb9333a6468fb8d8be0305520aa073f50d17f089b5b4b477ea6e67fdc", size = 23672, upload-time = "2025-09-27T18:37:25.271Z" }, + { url = "https://files.pythonhosted.org/packages/fb/df/5bd7a48c256faecd1d36edc13133e51397e41b73bb77e1a69deab746ebac/markupsafe-3.0.3-cp314-cp314t-win32.whl", hash = "sha256:915c04ba3851909ce68ccc2b8e2cd691618c4dc4c4232fb7982bca3f41fd8c3d", size = 14819, upload-time = "2025-09-27T18:37:26.285Z" }, + { url = "https://files.pythonhosted.org/packages/1a/8a/0402ba61a2f16038b48b39bccca271134be00c5c9f0f623208399333c448/markupsafe-3.0.3-cp314-cp314t-win_amd64.whl", hash = "sha256:4faffd047e07c38848ce017e8725090413cd80cbc23d86e55c587bf979e579c9", size = 15426, upload-time = "2025-09-27T18:37:27.316Z" }, + { url = "https://files.pythonhosted.org/packages/70/bc/6f1c2f612465f5fa89b95bead1f44dcb607670fd42891d8fdcd5d039f4f4/markupsafe-3.0.3-cp314-cp314t-win_arm64.whl", hash = "sha256:32001d6a8fc98c8cb5c947787c5d08b0a50663d139f1305bac5885d98d9b40fa", size = 14146, upload-time = "2025-09-27T18:37:28.327Z" }, +] + [[package]] name = "matplotlib-inline" version = "0.1.7" @@ -995,6 +1122,15 @@ wheels = [ { url = "https://files.pythonhosted.org/packages/28/7e/61c42657f6e4614a4258f1c3b0c5b93adc4d1f8575f5229d1906b483099b/ruff-0.12.12-py3-none-win_arm64.whl", hash = "sha256:2a8199cab4ce4d72d158319b63370abf60991495fb733db96cd923a34c52d093", size = 12256762, upload-time = "2025-09-04T16:50:15.737Z" }, ] +[[package]] +name = "smmap" +version = "5.0.2" +source = { registry = "https://pypi.org/simple" } +sdist = { url = "https://files.pythonhosted.org/packages/44/cd/a040c4b3119bbe532e5b0732286f805445375489fceaec1f48306068ee3b/smmap-5.0.2.tar.gz", hash = "sha256:26ea65a03958fa0c8a1c7e8c7a58fdc77221b8910f6be2131affade476898ad5", size = 22329, upload-time = "2025-01-02T07:14:40.909Z" } +wheels = [ + { url = "https://files.pythonhosted.org/packages/04/be/d09147ad1ec7934636ad912901c5fd7667e1c858e19d355237db0d0cd5e4/smmap-5.0.2-py3-none-any.whl", hash = "sha256:b30115f0def7d7531d22a0fb6502488d879e75b260a9db4d0819cfb25403af5e", size = 24303, upload-time = "2025-01-02T07:14:38.724Z" }, +] + [[package]] name = "stack-data" version = "0.6.3"