blob: 1e550e17930be8ee7a3bfa20524051ab5339f2b5 [file] [log] [blame]
Eunchan Kim632c6f72019-09-30 11:11:51 -07001# Copyright lowRISC contributors.
2# Licensed under the Apache License, Version 2.0, see LICENSE for details.
3# SPDX-License-Identifier: Apache-2.0
4
5import logging as log
Weicai Yang1b018de2020-08-10 15:55:36 -07006import re
7import sys
8from collections import OrderedDict
Eunchan Kim632c6f72019-09-30 11:11:51 -07009from copy import deepcopy
10from pathlib import Path
Eunchan Kim632c6f72019-09-30 11:11:51 -070011
Weicai Yang1b018de2020-08-10 15:55:36 -070012import hjson
Eunchan Kim632c6f72019-09-30 11:11:51 -070013
Eunchan Kim40098a92020-04-17 12:22:36 -070014# Ignore flake8 warning as the function is used in the template
Weicai Yang1b018de2020-08-10 15:55:36 -070015# disable isort formating, as conflicting with flake8
16from .intermodule import find_otherside_modules # noqa : F401 # isort:skip
17from .intermodule import im_portname, im_defname, im_netname # noqa : F401 # isort:skip
Eunchan Kim40098a92020-04-17 12:22:36 -070018
Eunchan Kim632c6f72019-09-30 11:11:51 -070019
20def is_ipcfg(ip: Path) -> bool: # return bool
21 log.info("IP Path: %s" % repr(ip))
22 ip_name = ip.parents[1].name
23 hjson_name = ip.name
24
25 log.info("IP Name(%s) and HJSON name (%s)" % (ip_name, hjson_name))
26
27 if ip_name + ".hjson" == hjson_name or ip_name + "_reg.hjson" == hjson_name:
28 return True
29 return False
30
31
32def search_ips(ip_path): # return list of config files
Philipp Wagner14a3fee2019-11-21 10:07:02 +000033 # list the every Hjson file
Tobias Wölfel4c5fbec2019-10-23 12:43:17 +020034 p = ip_path.glob('*/data/*.hjson')
Eunchan Kim632c6f72019-09-30 11:11:51 -070035
Tobias Wölfel4c5fbec2019-10-23 12:43:17 +020036 # filter only ip_name/data/ip_name{_reg|''}.hjson
Eunchan Kim632c6f72019-09-30 11:11:51 -070037 ips = [x for x in p if is_ipcfg(x)]
38
39 log.info("Filtered-in IP files: %s" % repr(ips))
40 return ips
41
42
43def is_xbarcfg(xbar_obj):
44 if "type" in xbar_obj and xbar_obj["type"] == "xbar":
45 return True
46
47 return False
48
49
50def get_hjsonobj_xbars(xbar_path):
Philipp Wagner14a3fee2019-11-21 10:07:02 +000051 """ Search crossbars Hjson files from given path.
Eunchan Kim632c6f72019-09-30 11:11:51 -070052
Philipp Wagner14a3fee2019-11-21 10:07:02 +000053 Search every Hjson in the directory and check Hjson type.
Eunchan Kim632c6f72019-09-30 11:11:51 -070054 It could be type: "top" or type: "xbar"
55 returns [(name, obj), ... ]
56 """
57 p = xbar_path.glob('*.hjson')
58 try:
Eunchan Kim6a4b49e2020-02-18 10:33:39 -080059 xbar_objs = [
60 hjson.load(x.open('r'),
61 use_decimal=True,
62 object_pairs_hook=OrderedDict) for x in p
63 ]
Eunchan Kim632c6f72019-09-30 11:11:51 -070064 except ValueError:
Eunchan Kim6599ba92020-04-13 15:27:16 -070065 raise SystemExit(sys.exc_info()[1])
Eunchan Kim632c6f72019-09-30 11:11:51 -070066
67 xbar_objs = [x for x in xbar_objs if is_xbarcfg(x)]
68
69 return xbar_objs
70
71
72def get_module_by_name(top, name):
73 """Search in top["module"] by name
74 """
75 module = None
76 for m in top["module"]:
77 if m["name"] == name:
78 module = m
79 break
80
81 return module
82
83
Eunchan Kime4a85072020-02-05 16:00:00 -080084def intersignal_to_signalname(top, m_name, s_name) -> str:
85
86 # TODO: Find the signal in the `inter_module_list` and get the correct signal name
87
88 return "{m_name}_{s_name}".format(m_name=m_name, s_name=s_name)
89
90
91def get_package_name_by_intermodule_signal(top, struct) -> str:
92 """Search inter-module signal package with the struct name
93
94 For instance, if `flash_ctrl` has inter-module signal package,
95 this function returns the package name
96 """
97 instances = top["module"] + top["memory"]
98
99 intermodule_instances = [
Eunchan Kim6599ba92020-04-13 15:27:16 -0700100 x["inter_signal_list"] for x in instances if "inter_signal_list" in x
Eunchan Kime4a85072020-02-05 16:00:00 -0800101 ]
102
103 for m in intermodule_instances:
104 if m["name"] == struct and "package" in m:
105 return m["package"]
106 return ""
107
108
Eunchan Kim632c6f72019-09-30 11:11:51 -0700109def get_signal_by_name(module, name):
110 """Return the signal struct with the type input/output/inout
111 """
112 result = None
113 for s in module["available_input_list"] + module[
114 "available_output_list"] + module["available_inout_list"]:
115 if s["name"] == name:
116 result = s
117 break
118
119 return result
120
121
Sam Elliott0938b332020-04-22 14:05:49 +0100122def add_module_prefix_to_signal(signal, module):
123 """Add module prefix to module signal format { name: "sig_name", width: NN }
Eunchan Kim632c6f72019-09-30 11:11:51 -0700124 """
125 result = deepcopy(signal)
126
Eunchan Kim6599ba92020-04-13 15:27:16 -0700127 if "name" not in signal:
Eunchan Kim632c6f72019-09-30 11:11:51 -0700128 raise SystemExit("signal {} doesn't have name field".format(signal))
129
Sam Elliott0938b332020-04-22 14:05:49 +0100130 result["name"] = module + "_" + signal["name"]
131 result["module_name"] = module
Eunchan Kim632c6f72019-09-30 11:11:51 -0700132
133 return result
134
135
136def get_ms_name(name):
137 """Split module_name.signal_name to module_name , signal_name
138 """
139
140 tokens = name.split('.')
141
142 if len(tokens) == 0:
143 raise SystemExit("This to be catched in validate.py")
144
145 module = tokens[0]
146 signal = None
147 if len(tokens) == 2:
148 signal = tokens[1]
149
150 return module, signal
151
152
153def parse_pad_field(padstr):
154 """Parse PadName[NN...NN] or PadName[NN] or just PadName
155 """
156 match = re.match(r'^([A-Za-z0-9_]+)(\[([0-9]+)(\.\.([0-9]+))?\]|)', padstr)
157 return match.group(1), match.group(3), match.group(5)
158
159
160def get_pad_list(padstr):
161 pads = []
162
163 pad, first, last = parse_pad_field(padstr)
164 if first is None:
165 first = 0
166 last = 0
167 elif last is None:
168 last = first
169 first = int(first, 0)
170 last = int(last, 0)
Eunchan Kim6599ba92020-04-13 15:27:16 -0700171 # width = first - last + 1
Eunchan Kim632c6f72019-09-30 11:11:51 -0700172
173 for p in range(first, last + 1):
Eunchan Kim6a4b49e2020-02-18 10:33:39 -0800174 pads.append(OrderedDict([("name", pad), ("index", p)]))
Eunchan Kim632c6f72019-09-30 11:11:51 -0700175
176 return pads
Eunchan Kim436d2242019-10-29 17:25:51 -0700177
178
179# Template functions
180def ljust(x, width):
181 return "{:<{width}}".format(x, width=width)
182
183
184def bitarray(d, width):
185 """Print Systemverilog bit array
186
187 @param d the bit width of the signal
188 @param width max character width of the signal group
189
190 For instance, if width is 4, the max d value in the signal group could be
191 9999. If d is 2, then this function pads 3 spaces at the end of the bit
192 slice.
193
194 "[1:0] " <- d:=2, width=4
195 "[9999:0]" <- max d-1 value
196
197 If d is 1, it means array slice isn't necessary. So it returns empty spaces
198 """
199
200 if d <= 0:
201 log.error("lib.bitarray: Given value {} is smaller than 1".format(d))
202 raise ValueError
203 if d == 1:
204 return " " * (width + 4) # [x:0] needs 4 more space than char_width
205
206 out = "[{}:0]".format(d - 1)
207 return out + (" " * (width - len(str(d))))
208
209
210def parameterize(text):
211 """Return the value wrapping with quote if not integer nor bits
212 """
Eunchan Kim6599ba92020-04-13 15:27:16 -0700213 if re.match(r'(\d+\'[hdb]\s*[0-9a-f_A-F]+|[0-9]+)', text) is None:
Eunchan Kim436d2242019-10-29 17:25:51 -0700214 return "\"{}\"".format(text)
215
216 return text
Eunchan Kim6599ba92020-04-13 15:27:16 -0700217
218
219def index(i: int) -> str:
220 """Return index if it is not -1
221 """
222 return "[{}]".format(i) if i != -1 else ""
Timothy Chene8cb3bd2020-04-14 16:12:26 -0700223
Eunchan Kim40098a92020-04-17 12:22:36 -0700224
Timothy Chen0550d692020-04-20 17:19:35 -0700225def get_clk_name(clk):
226 """Return the appropriate clk name
227 """
228 if clk == 'main':
229 return 'clk_i'
230 else:
231 return "clk_{}_i".format(clk)
232
Eunchan Kim529134b2020-04-24 09:51:06 -0700233
Timothy Chen7f8cc8e2020-11-11 13:15:57 -0800234def get_reset_path(reset, domain, reset_cfg):
Timothy Chene8cb3bd2020-04-14 16:12:26 -0700235 """Return the appropriate reset path given name
236 """
Timothy Chen7f8cc8e2020-11-11 13:15:57 -0800237 # find matching node for reset
238 node_match = [node for node in reset_cfg['nodes'] if node['name'] == reset]
239 assert len(node_match) == 1
240 reset_type = node_match[0]['type']
Timothy Chene8cb3bd2020-04-14 16:12:26 -0700241
Timothy Chen7f8cc8e2020-11-11 13:15:57 -0800242 # find matching path
243 hier_path = ""
244 if reset_type == "int":
245 log.debug("{} used as internal reset".format(reset["name"]))
246 else:
247 hier_path = reset_cfg['hier_paths'][reset_type]
248
249 # find domain selection
250 domain_sel = ''
251 if reset_type not in ["ext", "int"]:
252 domain_sel = "[rstmgr_pkg::Domain{}Sel]".format(domain)
253
254 reset_path = ""
255 if reset_type == "ext":
256 reset_path = reset
257 else:
258 reset_path = "{}rst_{}_n{}".format(hier_path, reset, domain_sel)
259
260 return reset_path
261
262
263def get_unused_resets(top):
264 """Return dict of unused resets and associated domain
265 """
266 unused_resets = OrderedDict()
Weicai Yang53b0d4d2020-11-30 15:28:33 -0800267 unused_resets = {
268 reset['name']: domain
269 for reset in top['resets']['nodes']
270 for domain in top['power']['domains']
271 if reset['type'] == 'top' and domain not in reset['domains']
272 }
Timothy Chen7f8cc8e2020-11-11 13:15:57 -0800273
274 log.debug("Unused resets are {}".format(unused_resets))
275 return unused_resets