-
Notifications
You must be signed in to change notification settings - Fork 150
/
Copy pathgenerate_hal_matrix.py
executable file
·254 lines (215 loc) · 9.57 KB
/
generate_hal_matrix.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
# Copyright (c) 2018, Niklas Hauser
#
# This file is part of the modm project.
#
# This Source Code Form is subject to the terms of the Mozilla Public
# License, v. 2.0. If a copy of the MPL was not distributed with this
# file, You can obtain one at http://mozilla.org/MPL/2.0/.
# -----------------------------------------------------------------------------
import lbuild, re, functools, sys, subprocess
from collections import defaultdict
from jinja2 import Environment
from pathlib import Path
repopath = lambda path: Path(__file__).parents[2] / path
def hal_get_modules():
builder = lbuild.api.Builder()
builder._load_repositories(repopath("repo.lb"))
# Get me a condensed list of targets
target_option = builder.parser.find_option(":target")
minimal_targets = defaultdict(list)
for target in target_option.values:
target_option.value = target
target = target_option.value._identifier
short_id = target.copy()
if target.platform == "avr":
short_id.naming_schema = short_id.naming_schema \
.replace("{type}-{speed}{package}", "") \
.replace("-{speed}{package}", "")
elif target.platform == "stm32":
short_id.naming_schema = "{platform}{family}{name}"
elif target.platform == "hosted":
short_id.naming_schema = "{platform}-{family}"
elif target.platform == "sam":
short_id.naming_schema = "{platform}{series}"
short_id.set("platform", target.platform) # invalidate caches
minimal_targets[short_id.string].append(target)
targets = []
# Sort the targets by name in their category
# And choose the last one (assumed to be the "largest" devices)
for key, values in minimal_targets.items():
targets.append(sorted(values, key=lambda d: d.string)[-1])
# print(targets)
# Prime the repositories and get all module files
mfiles = []
target_option.value = targets[0].string
for repo in builder.parser._findall(builder.parser.Type.REPOSITORY):
repo.prepare()
mfiles.extend([(repo, file) for file in repo._module_files])
print("Querying for {} targets...".format(len(targets)))
# targets = [t for t in targets if t.platform == "avr"]
all_targets = {}
file_cache = {}
mapping = defaultdict(set)
for target in targets:
target_option.value = target.string
device = target_option.value
device.get_driver("core")
drivers = set(d["name"] for d in device._properties["driver"])
# print(sorted(list(drivers)))
modules = set()
# We only care about some modm:platform:* modules here
not_interested = {"bitbang", "common", "heap", "core", "fault", "cortex-m", "uart.spi", "itm", "rtt", "pwm", "bdma"}
imodules = (m for (repo, mfile) in mfiles for m in lbuild.module.load_module_from_file(repo, mfile)
if m.available and m.fullname.startswith("modm:platform:") and
all(p not in m.fullname for p in not_interested) and
m.fullname not in {"modm:platform:clock"})
for module in imodules:
# lookup the mapping of a module onto the hardware names
if module.filename not in file_cache:
deps = re.findall(r'\.(has_driver|get_driver|get_all_drivers)\("(.*?)"\)',
Path(module.filename).read_text())
deps = set(m[1].split(":")[0] for m in deps)
deps -= {'core'} # Remove false positives
file_cache[module.filename] = deps
mname = module.fullname.replace("modm:platform:", "").split(":")[0]
# Remap naming to be common between devices and better understood
remap = {
"comp": "Comparator",
"eth": "Ethernet",
"random": "Random Generator",
"id": "Unique ID",
"rcc": "System Clock",
"gclk": "System Clock",
"clocks": "System Clock",
"clockgen": "System Clock",
"extint": "External Interrupt",
"exti": "External Interrupt",
"fsmc": "External Memory",
"flash": "Internal Flash",
"timer": "Timer",
"i2c": "I<sup>2</sup>C",
"usart": "UART"
}
mname = remap.get(mname, mname.upper())
modules.add(mname)
mapping[mname].update(file_cache[module.filename])
# External interrupt is currently part of the GPIO module
if target.platform in ["avr"] and "GPIO" in modules:
modules.add("External Interrupt")
# print(target, dict(modules))
print(target, end=" ", flush=True)
all_targets[target] = (drivers, modules)
# Some information cannot be extracted from the module.lb files
mapping["ADC"].add("afec")
mapping["DAC"].add("dacc")
mapping["Ethernet"].add("gmac")
mapping["Random Generator"].add("trng")
mapping["UART"].update({"usi", "sercom"})
mapping["Timer"].update({"tc", "tcc", "timer"})
mapping["SPI"].add("sercom")
mapping["I<sup>2</sup>C"].update({"sercom", "twihs"})
mapping["USB"].update({"usb", "usbhs"})
mapping["CAN"].update({"fdcan", "mcan"})
mapping["DMA"].update({"dmac", "xdmac", "gpdma"})
mapping["Comparator"].update({"ac", "acc"})
mapping["Internal Flash"].update({"efc", "nvmctrl"})
mapping["External Memory"].update({"sdramc", "smc", "quadspi", "xip_ssi", "octospi"})
print(); print()
return (all_targets, mapping)
def _n2f(name):
if name == "d21": return "d";
if name == "g55": return "g";
if name == "v70": return "v";
return name
def hal_module_filter(targets, family):
family = _n2f(family)
drivers = [v[0] for k,v in targets[0].items() if k.family == family]
modules = [v[1] for k,v in targets[0].items() if k.family == family]
all_peripherals = functools.reduce(lambda l, r: l.union(r), drivers, set())
implemented_peripherals = functools.reduce(lambda l, r: l.union(r), modules, set())
return (all_peripherals, implemented_peripherals)
def _f2n(family):
if family == "d": return "d21";
if family == "g": return "g55";
if family == "v": return "v70";
return family
def hal_create_table(targets, platforms, common_table=False):
families = set((t.platform.replace("avr", "at"), _f2n(t.family))
for t in targets[0] if any(t.platform == p for p in platforms))
if not families: return (None, None) if common_table else None;
modules = {f:hal_module_filter(targets, f[1]) for f in families}
drivers = {f:v[1] for f, v in modules.items()}
all_drivers = functools.reduce(lambda l, r: l.union(r), drivers.values())
common_drivers = functools.reduce(lambda l, r: l.intersection(r), drivers.values())
if common_table:
all_drivers -= common_drivers
common_pre = list(set(f[0] for f in families))[0]
mapping = targets[1]
print(platforms, dict(mapping))
values = defaultdict(lambda: defaultdict(lambda: "✕"))
for driver in all_drivers:
for f, v in modules.items():
# mapping from driver to peripheral
if driver in v[1]:
values[f][driver] = "✅"
elif any(p in v[0] for p in mapping[driver]):
values[f][driver] = "○"
colspan = [(p, len([fp for fp in families if fp[0] == p]))
for p in set(f[0] for f in families)]
colspan = list(reversed(sorted(colspan)))
print(families, colspan)
families = sorted(list(families),
key=lambda f: ([c[0] for c in colspan].index(f[0]), f[1]))
subs = {"pers": all_drivers, "families": families,
"values": values, "colspan": colspan}
TABLE_HTML = r"""
<table>
<tr>
<th align="center"></th>
{% for pre, span in colspan -%}
<th align="center" colspan="{{ span }}">{{ pre | upper }}</th>
{% endfor %}</tr><tr>
<th align="left">Peripheral</th>
{% for fam in families -%}
{% if fam[0] == "sam" -%}
<th align="center">{{ fam[1] | upper | replace("X", "x") | replace("/", "<br/>") }}</th>
{% else -%}
<th align="center">{{ fam[1] | capitalize }}</th>
{% endif -%}
{% endfor %}
{%- for per in pers | sort %}</tr><tr>
<td align="left">{{ per }}</td>
{%- for fam in families %}
<td align="center">{{ values[fam][per] }}</td>
{%- endfor %}
{% endfor %}</tr>
</table>
"""
return Environment().from_string(TABLE_HTML).render(subs)
def hal_format_tables():
tables = {}
targets = hal_get_modules()
# tables["avr"] = hal_create_table(targets, ["avr"])
# tables["stm32"] = hal_create_table(targets, ["stm32"])
# tables["sam"] = hal_create_table(targets, ["sam"])
tables["all"] = hal_create_table(targets, ["avr", "stm32", "sam", "rp"])
return tables
hal_tables = hal_format_tables()
readme = repopath("README.md")
readme.write_text(re.sub(
r"<!--alltable-->.*?<!--/alltable-->",
"<!--alltable-->{}<!--/alltable-->".format(hal_tables["all"]),
readme.read_text(), flags=re.DOTALL | re.MULTILINE))
# Check git differences and fail
if "-d" in sys.argv:
differences = subprocess.run("git diff", shell=True, cwd=repopath("."),
stdout=subprocess.PIPE).stdout.decode("utf-8").strip(" \n")
if len(differences):
subprocess.run("git --no-pager diff", shell=True, cwd=repopath("."))
print("\nPlease synchronize the HAL implementation table:\n\n"
" $ python3 tools/scripts/generate_hal_matrix.py\n\n"
"and then commit the results!")
exit(1)
exit(0)