-
Notifications
You must be signed in to change notification settings - Fork 1.2k
/
Copy pathtargetconfig.py
322 lines (266 loc) · 9.59 KB
/
targetconfig.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
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
"""
This module contains utils for manipulating target configurations such as
compiler flags.
"""
import re
import zlib
import base64
from types import MappingProxyType
from numba.core import utils
class Option:
"""An option to be used in ``TargetConfig``.
"""
__slots__ = "_type", "_default", "_doc"
def __init__(self, type, *, default, doc):
"""
Parameters
----------
type :
Type of the option value. It can be a callable.
The setter always calls ``self._type(value)``.
default :
The default value for the option.
doc : str
Docstring for the option.
"""
self._type = type
self._default = default
self._doc = doc
@property
def type(self):
return self._type
@property
def default(self):
return self._default
@property
def doc(self):
return self._doc
class _FlagsStack(utils.ThreadLocalStack, stack_name="flags"):
pass
class ConfigStack:
"""A stack for tracking target configurations in the compiler.
It stores the stack in a thread-local class attribute. All instances in the
same thread will see the same stack.
"""
@classmethod
def top_or_none(cls):
"""Get the TOS or return None if no config is set.
"""
self = cls()
if self:
flags = self.top()
else:
# Note: should this be the default flag for the target instead?
flags = None
return flags
def __init__(self):
self._stk = _FlagsStack()
def top(self):
return self._stk.top()
def __len__(self):
return len(self._stk)
def enter(self, flags):
"""Returns a contextmanager that performs ``push(flags)`` on enter and
``pop()`` on exit.
"""
return self._stk.enter(flags)
class _MetaTargetConfig(type):
"""Metaclass for ``TargetConfig``.
When a subclass of ``TargetConfig`` is created, all ``Option`` defined
as class members will be parsed and corresponding getters, setters, and
delters will be inserted.
"""
def __init__(cls, name, bases, dct):
"""Invoked when subclass is created.
Insert properties for each ``Option`` that are class members.
All the options will be grouped inside the ``.options`` class
attribute.
"""
# Gather options from base classes and class dict
opts = {}
# Reversed scan into the base classes to follow MRO ordering such that
# the closest base class is overriding
for base_cls in reversed(bases):
opts.update(base_cls.options)
opts.update(cls.find_options(dct))
# Store the options into class attribute as a ready-only mapping.
cls.options = MappingProxyType(opts)
# Make properties for each of the options
def make_prop(name, option):
def getter(self):
return self._values.get(name, option.default)
def setter(self, val):
self._values[name] = option.type(val)
def delter(self):
del self._values[name]
return property(getter, setter, delter, option.doc)
for name, option in cls.options.items():
setattr(cls, name, make_prop(name, option))
def find_options(cls, dct):
"""Returns a new dict with all the items that are a mapping to an
``Option``.
"""
return {k: v for k, v in dct.items() if isinstance(v, Option)}
class _NotSetType:
def __repr__(self):
return "<NotSet>"
_NotSet = _NotSetType()
class TargetConfig(metaclass=_MetaTargetConfig):
"""Base class for ``TargetConfig``.
Subclass should fill class members with ``Option``. For example:
>>> class MyTargetConfig(TargetConfig):
>>> a_bool_option = Option(type=bool, default=False, doc="a bool")
>>> an_int_option = Option(type=int, default=0, doc="an int")
The metaclass will insert properties for each ``Option``. For example:
>>> tc = MyTargetConfig()
>>> tc.a_bool_option = True # invokes the setter
>>> print(tc.an_int_option) # print the default
"""
__slots__ = ["_values"]
# Used for compression in mangling.
# Set to -15 to disable the header and checksum for smallest output.
_ZLIB_CONFIG = {"wbits": -15}
def __init__(self, copy_from=None):
"""
Parameters
----------
copy_from : TargetConfig or None
if None, creates an empty ``TargetConfig``.
Otherwise, creates a copy.
"""
self._values = {}
if copy_from is not None:
assert isinstance(copy_from, TargetConfig)
self._values.update(copy_from._values)
def __repr__(self):
# NOTE: default options will be placed at the end and grouped inside
# a square bracket; i.e. [optname=optval, ...]
args = []
defs = []
for k in self.options:
msg = f"{k}={getattr(self, k)}"
if not self.is_set(k):
defs.append(msg)
else:
args.append(msg)
clsname = self.__class__.__name__
return f"{clsname}({', '.join(args)}, [{', '.join(defs)}])"
def __hash__(self):
return hash(tuple(sorted(self.values())))
def __eq__(self, other):
if isinstance(other, TargetConfig):
return self.values() == other.values()
else:
return NotImplemented
def values(self):
"""Returns a dict of all the values
"""
return {k: getattr(self, k) for k in self.options}
def is_set(self, name):
"""Is the option set?
"""
self._guard_option(name)
return name in self._values
def discard(self, name):
"""Remove the option by name if it is defined.
After this, the value for the option will be set to its default value.
"""
self._guard_option(name)
self._values.pop(name, None)
def inherit_if_not_set(self, name, default=_NotSet):
"""Inherit flag from ``ConfigStack``.
Parameters
----------
name : str
Option name.
default : optional
When given, it overrides the default value.
It is only used when the flag is not defined locally and there is
no entry in the ``ConfigStack``.
"""
self._guard_option(name)
if not self.is_set(name):
cstk = ConfigStack()
if cstk:
# inherit
top = cstk.top()
setattr(self, name, getattr(top, name))
elif default is not _NotSet:
setattr(self, name, default)
def copy(self):
"""Clone this instance.
"""
return type(self)(self)
def summary(self) -> str:
"""Returns a ``str`` that summarizes this instance.
In contrast to ``__repr__``, only options that are explicitly set will
be shown.
"""
args = [f"{k}={v}" for k, v in self._summary_args()]
clsname = self.__class__.__name__
return f"{clsname}({', '.join(args)})"
def _guard_option(self, name):
if name not in self.options:
msg = f"{name!r} is not a valid option for {type(self)}"
raise ValueError(msg)
def _summary_args(self):
"""returns a sorted sequence of 2-tuple containing the
``(flag_name, flag_value)`` for flag that are set with a non-default
value.
"""
args = []
for k in sorted(self.options):
opt = self.options[k]
if self.is_set(k):
flagval = getattr(self, k)
if opt.default != flagval:
v = (k, flagval)
args.append(v)
return args
@classmethod
def _make_compression_dictionary(cls) -> bytes:
"""Returns a ``bytes`` object suitable for use as a dictionary for
compression.
"""
buf = []
# include package name
buf.append("numba")
# include class name
buf.append(cls.__class__.__name__)
# include common values
buf.extend(["True", "False"])
# include all options name and their default value
for k, opt in cls.options.items():
buf.append(k)
buf.append(str(opt.default))
return ''.join(buf).encode()
def get_mangle_string(self) -> str:
"""Return a string suitable for symbol mangling.
"""
zdict = self._make_compression_dictionary()
comp = zlib.compressobj(zdict=zdict, level=zlib.Z_BEST_COMPRESSION,
**self._ZLIB_CONFIG)
# The mangled string is a compressed and base64 encoded version of the
# summary
buf = [comp.compress(self.summary().encode())]
buf.append(comp.flush())
return base64.b64encode(b''.join(buf)).decode()
@classmethod
def demangle(cls, mangled: str) -> str:
"""Returns the demangled result from ``.get_mangle_string()``
"""
# unescape _XX sequence
def repl(x):
return chr(int('0x' + x.group(0)[1:], 16))
unescaped = re.sub(r"_[a-zA-Z0-9][a-zA-Z0-9]", repl, mangled)
# decode base64
raw = base64.b64decode(unescaped)
# decompress
zdict = cls._make_compression_dictionary()
dc = zlib.decompressobj(zdict=zdict, **cls._ZLIB_CONFIG)
buf = []
while raw:
buf.append(dc.decompress(raw))
raw = dc.unconsumed_tail
buf.append(dc.flush())
return b''.join(buf).decode()