forked from openMetadataInitiative/openMINDS_Python
-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathbuild.py
More file actions
164 lines (137 loc) · 6.68 KB
/
build.py
File metadata and controls
164 lines (137 loc) · 6.68 KB
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
import argparse
from collections import defaultdict
import json
import os.path
import shutil
import subprocess
import sys
from time import perf_counter
from urllib.request import urlopen, HTTPError
from jinja2 import Environment, select_autoescape, FileSystemLoader
from pipeline.translator import PythonBuilder
from pipeline.utils import clone_sources, SchemaLoader, InstanceLoader
include_instances = True # to speed up the build during development, set this to False
parser = argparse.ArgumentParser(prog=sys.argv[0], description="Generate Python package for openMINDS")
parser.add_argument("--branch", help="The branch to build from ('main' or 'development')", default="main")
args = parser.parse_args()
print("*******************************************************************************")
print(f"Triggering the generation of Python package for openMINDS, from the {args.branch} branch")
print("*******************************************************************************")
start_time = perf_counter()
# Step 0 - read code for additional methods
additional_methods = {}
with open("pipeline/src/additional_methods/by_name.py.txt") as fp:
code = fp.read()
additional_methods["by_name"] = code
# Step 1 - clone central repository in main or development branch to get the latest sources
clone_sources(args.branch)
schema_loader = SchemaLoader()
instance_loader = InstanceLoader()
if os.path.exists("target"):
shutil.rmtree("target")
print(f"Cloned {args.branch} branch of central repository ({perf_counter() - start_time} s)")
# Step 2 - load instances
instances = {}
if include_instances:
for version in instance_loader.get_instance_versions():
instances[version] = defaultdict(list)
for instance_path in instance_loader.find_instances(version):
with open(instance_path) as fp:
instance_data = json.load(fp)
instances[version][instance_data["@type"]].append(instance_data)
print(f"Loaded instances ({perf_counter() - start_time} s)")
python_modules = defaultdict(list)
for schema_version in schema_loader.get_schema_versions():
# Step 3 - find all involved schemas for the current version
schemas_file_paths = schema_loader.find_schemas(schema_version)
# Step 4a - figure out which schemas are embedded and which are linked
embedded = set()
linked = set()
class_to_module_map = {}
for schema_file_path in schemas_file_paths:
emb, lnk = PythonBuilder(schema_file_path, schema_loader.schemas_sources).get_edges()
class_to_module_map = PythonBuilder(
schema_file_path, schema_loader.schemas_sources
).update_class_to_module_map(class_to_module_map)
embedded.update(emb)
linked.update(lnk)
conflicts = linked.intersection(embedded)
if conflicts:
print(f"Found schema(s) in version {schema_version} " f"that are both linked and embedded: {conflicts}")
# conflicts should not happen in new versions.
# There is one conflict in v1.0, QuantitativeValue,
# which we treat as embedded
for schema_identifier in conflicts:
linked.remove(schema_identifier)
# Step 4b - translate and build each openMINDS schema as a Python class
for schema_file_path in schemas_file_paths:
module_path, class_name = PythonBuilder(
schema_file_path,
schema_loader.schemas_sources,
instances=instances.get(schema_version, None),
additional_methods=additional_methods,
).build(embedded=embedded, class_to_module_map=class_to_module_map)
parts = module_path.split(".")
parent_path = ".".join(parts[:-1])
python_modules[parent_path].append((parts[-1], class_name))
print(f"Processed schemas ({perf_counter() - start_time} s)")
# Step 5 - create additional files, e.g. __init__.py
openminds_modules = defaultdict(set)
for path in sorted(python_modules):
classes = python_modules[path]
dir_path = ["target", "openminds"] + path.split(".")
openminds_modules[dir_path[2]].add(dir_path[3])
init_file_path = os.path.join(*(dir_path + ["__init__.py"]))
with open(init_file_path, "w") as fp:
for class_module, class_name in sorted(classes):
fp.write(f"from .{class_module} import {class_name}\n")
while len(dir_path) > 3:
child_dir = dir_path[-1]
dir_path = dir_path[:-1]
init_file_path = os.path.join(*(dir_path + ["__init__.py"]))
with open(init_file_path, "a") as fp:
if len(dir_path) > 3:
class_names = ", ".join(sorted(class_name for _, class_name in classes))
fp.write(f"from .{child_dir} import ({class_names})\n")
for version, module_list in openminds_modules.items():
init_file_path = os.path.join("target", "openminds", version, "__init__.py")
with open(init_file_path, "w") as fp:
fp.write(f"from . import ({', '.join(sorted(module_list))})\n")
env = Environment(loader=FileSystemLoader(os.path.dirname(os.path.realpath(__file__))), autoescape=select_autoescape())
context = {
"version": "0.5.1.dev.0",
}
with open("target/pyproject.toml", "w") as fp:
contents = env.get_template("pipeline/src/pyproject_template.toml.txt").render(context)
fp.write(contents)
with open("target/openminds/__init__.py", "w") as fp:
contents = env.get_template("pipeline/src/init_template.py.txt").render(context)
fp.write(contents)
shutil.copy("pipeline/src/base.py", "target/openminds/base.py")
shutil.copy("pipeline/src/properties.py", "target/openminds/properties.py")
shutil.copy("pipeline/src/registry.py", "target/openminds/registry.py")
shutil.copy("pipeline/src/collection.py", "target/openminds/collection.py")
shutil.copy("pipeline/src/README.md", "target/README.md")
shutil.copy("./LICENSE", "target/LICENSE")
shutil.copy("./CHANGELOG.md", "target/CHANGELOG.md")
# Complete the codemeta.json template
try:
with urlopen(f"https://pypi.org/pypi/openminds/json") as handle:
pypi_metadata = json.loads(handle.read())
except HTTPError:
pypi_metadata = None
if pypi_metadata:
with open("pipeline/src/codemeta.json") as fp:
codemeta = json.load(fp)
codemeta["version"] = pypi_metadata["info"]["version"]
for item in pypi_metadata["urls"]:
if item["packagetype"] == "sdist":
codemeta["downloadUrl"] = item["url"]
codemeta["dateModified"] = item["upload_time"].split("T")[0]
break
with open("target/codemeta.json", "w") as fp:
json.dump(codemeta, fp, indent=2)
print(f"Generated additional files ({perf_counter() - start_time} s)")
# Step 6 - run formatter
subprocess.call(["ruff", "format", "--quiet", "target"])
print(f"Formatted all files ({perf_counter() - start_time} s)")