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 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665
|
"""
The code needed to flow and annotate low-level helpers -- the ll_*() functions
"""
from rpython.tool.sourcetools import valid_identifier
from rpython.annotator import model as annmodel
from rpython.annotator.policy import AnnotatorPolicy
from rpython.annotator.signature import Sig
from rpython.annotator.specialize import flatten_star_args
from rpython.rtyper.llannotation import (
SomePtr, annotation_to_lltype, lltype_to_annotation)
from rpython.rtyper.normalizecalls import perform_normalizations
from rpython.rtyper.lltypesystem import lltype, llmemory
from rpython.flowspace.model import Constant
from rpython.rlib.objectmodel import specialize
from rpython.rtyper import extregistry
from rpython.rtyper.rmodel import warning
class KeyComp(object):
def __init__(self, val):
self.val = val
def __eq__(self, other):
return self.__class__ is other.__class__ and self.val == other.val
def __ne__(self, other):
return not (self == other)
def __hash__(self):
return hash(self.val)
def __str__(self):
val = self.val
if isinstance(val, lltype.LowLevelType):
return val._short_name() + 'LlT'
s = getattr(val, '__name__', None)
if s is None:
compact = getattr(val, 'compact_repr', None)
if compact is None:
s = repr(val)
else:
s = compact()
return s + 'Const'
__repr__ = __str__
class LowLevelAnnotatorPolicy(AnnotatorPolicy):
def __init__(self, rtyper=None):
self.rtyper = rtyper
@staticmethod
def lowlevelspecialize(funcdesc, args_s, key_for_args):
args_s, key1, builder = flatten_star_args(funcdesc, args_s)
key = []
new_args_s = []
for i, s_obj in enumerate(args_s):
if i in key_for_args:
key.append(key_for_args[i])
new_args_s.append(s_obj)
elif isinstance(s_obj, annmodel.SomePBC):
assert s_obj.is_constant(), "ambiguous low-level helper specialization"
key.append(KeyComp(s_obj.const))
new_args_s.append(s_obj)
elif isinstance(s_obj, annmodel.SomeNone):
key.append(KeyComp(None))
new_args_s.append(s_obj)
else:
new_args_s.append(annmodel.not_const(s_obj))
try:
key.append(annotation_to_lltype(s_obj))
except ValueError:
# passing non-low-level types to a ll_* function is allowed
# for module/ll_*
key.append(s_obj.__class__)
key = (tuple(key),)
if key1 is not None:
key += (key1,)
flowgraph = funcdesc.cachedgraph(key, builder=builder)
args_s[:] = new_args_s
return flowgraph
@staticmethod
def default_specialize(funcdesc, args_s):
return LowLevelAnnotatorPolicy.lowlevelspecialize(funcdesc, args_s, {})
specialize__ll = default_specialize
@staticmethod
def specialize__ll_and_arg(funcdesc, args_s, *argindices):
keys = {}
for i in argindices:
keys[i] = args_s[i].const
return LowLevelAnnotatorPolicy.lowlevelspecialize(funcdesc, args_s,
keys)
def annotate_lowlevel_helper(annotator, ll_function, args_s, policy=None):
if policy is None:
policy = LowLevelAnnotatorPolicy()
return annotator.annotate_helper(ll_function, args_s, policy)
# ___________________________________________________________________
# Mix-level helpers: combining RPython and ll-level
class MixLevelAnnotatorPolicy(LowLevelAnnotatorPolicy):
def __init__(self, annhelper):
self.rtyper = annhelper.rtyper
def default_specialize(self, funcdesc, args_s):
name = funcdesc.name
if name.startswith('ll_') or name.startswith('_ll_'): # xxx can we do better?
return super(MixLevelAnnotatorPolicy, self).default_specialize(
funcdesc, args_s)
else:
return AnnotatorPolicy.default_specialize(funcdesc, args_s)
def specialize__arglltype(self, funcdesc, args_s, i):
key = self.rtyper.getrepr(args_s[i]).lowleveltype
alt_name = funcdesc.name+"__for_%sLlT" % key._short_name()
return funcdesc.cachedgraph(key, alt_name=valid_identifier(alt_name))
def specialize__genconst(self, funcdesc, args_s, i):
# XXX this is specific to the JIT
TYPE = annotation_to_lltype(args_s[i], 'genconst')
args_s[i] = lltype_to_annotation(TYPE)
alt_name = funcdesc.name + "__%s" % (TYPE._short_name(),)
return funcdesc.cachedgraph(TYPE, alt_name=valid_identifier(alt_name))
class MixLevelHelperAnnotator(object):
def __init__(self, rtyper):
self.rtyper = rtyper
self.policy = MixLevelAnnotatorPolicy(self)
self.pending = [] # list of (ll_function, graph, args_s, s_result)
self.delayedreprs = set()
self.delayedconsts = []
self.delayedfuncs = []
self.newgraphs = set()
def getgraph(self, ll_function, args_s, s_result):
# get the graph of the mix-level helper ll_function and prepare it for
# being annotated. Annotation and RTyping should be done in a single shot
# at the end with finish().
graph, args_s = self.rtyper.annotator.get_call_parameters(
ll_function, args_s, policy = self.policy)
for v_arg, s_arg in zip(graph.getargs(), args_s):
self.rtyper.annotator.setbinding(v_arg, s_arg)
self.rtyper.annotator.setbinding(graph.getreturnvar(), s_result)
#self.rtyper.annotator.annotated[graph.returnblock] = graph
self.pending.append((ll_function, graph, args_s, s_result))
return graph
def delayedfunction(self, ll_function, args_s, s_result, needtype=False):
# get a delayed pointer to the low-level function, annotated as
# specified. The pointer is only valid after finish() was called.
graph = self.getgraph(ll_function, args_s, s_result)
if needtype:
ARGS = [self.getdelayedrepr(s_arg, False).lowleveltype
for s_arg in args_s]
RESULT = self.getdelayedrepr(s_result, False).lowleveltype
FUNCTYPE = lltype.FuncType(ARGS, RESULT)
else:
FUNCTYPE = None
return self.graph2delayed(graph, FUNCTYPE)
def constfunc(self, ll_function, args_s, s_result):
p = self.delayedfunction(ll_function, args_s, s_result)
return Constant(p, lltype.typeOf(p))
def graph2delayed(self, graph, FUNCTYPE=None):
if FUNCTYPE is None:
FUNCTYPE = lltype.ForwardReference()
# obscure hack: embed the name of the function in the string, so
# that the genc database can get it even before the delayedptr
# is really computed
name = "delayed!%s" % (graph.name,)
delayedptr = lltype._ptr(lltype.Ptr(FUNCTYPE), name, solid=True)
self.delayedfuncs.append((delayedptr, graph))
return delayedptr
def graph2const(self, graph):
p = self.graph2delayed(graph)
return Constant(p, lltype.typeOf(p))
def getdelayedrepr(self, s_value, check_never_seen=True):
"""Like rtyper.getrepr(), but the resulting repr will not be setup() at
all before finish() is called.
"""
r = self.rtyper.getrepr(s_value)
if check_never_seen:
r.set_setup_delayed(True)
delayed = True
else:
delayed = r.set_setup_maybe_delayed()
if delayed:
self.delayedreprs.add(r)
return r
def s_r_instanceof(self, cls, can_be_None=True, check_never_seen=True):
classdesc = self.rtyper.annotator.bookkeeper.getdesc(cls)
classdef = classdesc.getuniqueclassdef()
s_instance = annmodel.SomeInstance(classdef, can_be_None)
r_instance = self.getdelayedrepr(s_instance, check_never_seen)
return s_instance, r_instance
def delayedconst(self, repr, obj):
if repr.is_setup_delayed():
# record the existence of this 'obj' for the bookkeeper - e.g.
# if 'obj' is an instance, this will populate the classdef with
# the prebuilt attribute values of the instance
bk = self.rtyper.annotator.bookkeeper
bk.immutablevalue(obj)
delayedptr = lltype._ptr(repr.lowleveltype, "delayed!")
self.delayedconsts.append((delayedptr, repr, obj))
return delayedptr
else:
return repr.convert_const(obj)
def finish(self):
self.finish_annotate()
self.finish_rtype()
def finish_annotate(self):
# push all the graphs into the annotator's pending blocks dict at once
rtyper = self.rtyper
ann = rtyper.annotator
bk = ann.bookkeeper
translator = ann.translator
original_graph_count = len(translator.graphs)
for ll_function, graph, args_s, s_result in self.pending:
# mark the return block as already annotated, because the return var
# annotation was forced in getgraph() above. This prevents temporary
# less general values reaching the return block from crashing the
# annotator (on the assert-that-new-binding-is-not-less-general).
ann.annotated[graph.returnblock] = graph
s_function = bk.immutablevalue(ll_function)
bk.emulate_pbc_call(graph, s_function, args_s)
self.newgraphs.add(graph)
ann.complete_helpers(self.policy)
for ll_function, graph, args_s, s_result in self.pending:
s_real_result = ann.binding(graph.getreturnvar())
if s_real_result != s_result:
raise Exception("wrong annotation for the result of %r:\n"
"originally specified: %r\n"
" found by annotating: %r" %
(graph, s_result, s_real_result))
del self.pending[:]
for graph in translator.graphs[original_graph_count:]:
self.newgraphs.add(graph)
def finish_rtype(self):
rtyper = self.rtyper
translator = rtyper.annotator.translator
original_graph_count = len(translator.graphs)
perform_normalizations(rtyper.annotator)
for r in self.delayedreprs:
r.set_setup_delayed(False)
rtyper.call_all_setups()
for p, repr, obj in self.delayedconsts:
p._become(repr.convert_const(obj))
rtyper.call_all_setups()
for p, graph in self.delayedfuncs:
self.newgraphs.add(graph)
real_p = rtyper.getcallable(graph)
REAL = lltype.typeOf(real_p).TO
FUNCTYPE = lltype.typeOf(p).TO
if isinstance(FUNCTYPE, lltype.ForwardReference):
FUNCTYPE.become(REAL)
assert FUNCTYPE == REAL
p._become(real_p)
rtyper.specialize_more_blocks()
self.delayedreprs.clear()
del self.delayedconsts[:]
del self.delayedfuncs[:]
for graph in translator.graphs[original_graph_count:]:
self.newgraphs.add(graph)
def backend_optimize(self, **flags):
# only optimize the newly created graphs
from rpython.translator.backendopt.all import backend_optimizations
translator = self.rtyper.annotator.translator
newgraphs = list(self.newgraphs)
backend_optimizations(translator, newgraphs, secondary=True,
inline_graph_from_anywhere=True, **flags)
self.newgraphs.clear()
# ____________________________________________________________
class PseudoHighLevelCallable(object):
"""A gateway to a low-level function pointer. To high-level RPython
code it looks like a normal function, taking high-level arguments
and returning a high-level result.
"""
def __init__(self, llfnptr, args_s, s_result):
self.llfnptr = llfnptr
self.args_s = args_s
self.s_result = s_result
def __call__(self, *args):
raise Exception("PseudoHighLevelCallable objects are not really "
"callable directly")
class PseudoHighLevelCallableEntry(extregistry.ExtRegistryEntry):
_type_ = PseudoHighLevelCallable
def compute_result_annotation(self, *args_s):
return self.instance.s_result
def specialize_call(self, hop):
args_r = [hop.rtyper.getrepr(s) for s in self.instance.args_s]
r_res = hop.rtyper.getrepr(self.instance.s_result)
vlist = hop.inputargs(*args_r)
p = self.instance.llfnptr
TYPE = lltype.typeOf(p)
c_func = Constant(p, TYPE)
FUNCTYPE = TYPE.TO
for r_arg, ARGTYPE in zip(args_r, FUNCTYPE.ARGS):
assert r_arg.lowleveltype == ARGTYPE
assert r_res.lowleveltype == FUNCTYPE.RESULT
hop.exception_is_here()
return hop.genop('direct_call', [c_func] + vlist, resulttype = r_res)
# ____________________________________________________________
def llhelper(F, f):
"""Gives a low-level function pointer of type F which, when called,
invokes the RPython function f().
"""
# Example - the following code can be either run or translated:
#
# def my_rpython_code():
# g = llhelper(F, my_other_rpython_function)
# assert typeOf(g) == F
# ...
# g()
#
# however the following doesn't translate (xxx could be fixed with hacks):
#
# prebuilt_g = llhelper(F, f)
# def my_rpython_code():
# prebuilt_g()
# the next line is the implementation for the purpose of direct running
return lltype.functionptr(F.TO, f.func_name, _callable=f)
def llhelper_args(f, ARGS, RESULT):
return llhelper(lltype.Ptr(lltype.FuncType(ARGS, RESULT)), f)
class LLHelperEntry(extregistry.ExtRegistryEntry):
_about_ = llhelper
def compute_result_annotation(self, s_F, s_callable):
from rpython.annotator.description import FunctionDesc
assert s_F.is_constant()
assert isinstance(s_callable, annmodel.SomePBC)
F = s_F.const
FUNC = F.TO
args_s = [lltype_to_annotation(T) for T in FUNC.ARGS]
for desc in s_callable.descriptions:
assert isinstance(desc, FunctionDesc)
assert desc.pyobj is not None
if s_callable.is_constant():
assert s_callable.const is desc.pyobj
key = (llhelper, desc.pyobj)
s_res = self.bookkeeper.emulate_pbc_call(key, s_callable, args_s)
assert lltype_to_annotation(FUNC.RESULT).contains(s_res)
return SomePtr(F)
def specialize_call(self, hop):
hop.exception_cannot_occur()
if hop.args_s[1].is_constant():
return hop.args_r[1].get_unique_llfn()
else:
F = hop.args_s[0].const
assert hop.args_r[1].lowleveltype == F
return hop.inputarg(hop.args_r[1], 1)
# ____________________________________________________________
def make_string_entries(strtype):
assert strtype in (str, unicode)
def hlstr(ll_s):
if not ll_s:
return None
if hasattr(ll_s, 'chars'):
if strtype is str:
return ''.join(ll_s.chars)
else:
return u''.join(ll_s.chars)
else:
return ll_s._str
class HLStrEntry(extregistry.ExtRegistryEntry):
_about_ = hlstr
def compute_result_annotation(self, s_ll_str):
if strtype is str:
return annmodel.SomeString(can_be_None=True)
else:
return annmodel.SomeUnicodeString(can_be_None=True)
def specialize_call(self, hop):
hop.exception_cannot_occur()
assert hop.args_r[0].lowleveltype == hop.r_result.lowleveltype
v_ll_str, = hop.inputargs(*hop.args_r)
return hop.genop('same_as', [v_ll_str],
resulttype = hop.r_result.lowleveltype)
def llstr(s):
from rpython.rtyper.lltypesystem.rstr import mallocstr, mallocunicode
from rpython.rtyper.lltypesystem.rstr import STR, UNICODE
if strtype is str:
if s is None:
return lltype.nullptr(STR)
ll_s = mallocstr(len(s))
else:
if s is None:
return lltype.nullptr(UNICODE)
ll_s = mallocunicode(len(s))
for i, c in enumerate(s):
ll_s.chars[i] = c
return ll_s
class LLStrEntry(extregistry.ExtRegistryEntry):
_about_ = llstr
def compute_result_annotation(self, s_str):
from rpython.rtyper.lltypesystem.rstr import STR, UNICODE
if strtype is str:
return lltype_to_annotation(lltype.Ptr(STR))
else:
return lltype_to_annotation(lltype.Ptr(UNICODE))
def specialize_call(self, hop):
from rpython.rtyper.lltypesystem.rstr import (string_repr,
unicode_repr)
hop.exception_cannot_occur()
if strtype is str:
v_ll_str = hop.inputarg(string_repr, 0)
else:
v_ll_str = hop.inputarg(unicode_repr, 0)
return hop.genop('same_as', [v_ll_str],
resulttype = hop.r_result.lowleveltype)
return hlstr, llstr
hlstr, llstr = make_string_entries(str)
hlunicode, llunicode = make_string_entries(unicode)
# ____________________________________________________________
def cast_object_to_ptr(PTR, object):
"""NOT_RPYTHON: hack. The object may be disguised as a PTR now.
Limited to casting a given object to a single type.
"""
if hasattr(object, '_freeze_'):
warning("Trying to cast a frozen object to pointer")
if isinstance(PTR, lltype.Ptr):
TO = PTR.TO
else:
TO = PTR
if not hasattr(object, '_carry_around_for_tests'):
if object is None:
return lltype.nullptr(PTR.TO)
assert not hasattr(object, '_TYPE')
object._carry_around_for_tests = True
object._TYPE = TO
else:
assert object._TYPE == TO
#
if isinstance(PTR, lltype.Ptr):
return lltype._ptr(PTR, object, True)
else:
raise NotImplementedError("cast_object_to_ptr(%r, ...)" % PTR)
@specialize.argtype(0)
def cast_instance_to_base_ptr(instance):
from rpython.rtyper.rclass import OBJECTPTR
return cast_object_to_ptr(OBJECTPTR, instance)
@specialize.argtype(0)
def cast_instance_to_gcref(instance):
return lltype.cast_opaque_ptr(llmemory.GCREF,
cast_instance_to_base_ptr(instance))
@specialize.argtype(0)
def cast_nongc_instance_to_base_ptr(instance):
from rpython.rtyper.rclass import NONGCOBJECTPTR
return cast_object_to_ptr(NONGCOBJECTPTR, instance)
@specialize.argtype(0)
def cast_nongc_instance_to_adr(instance):
return llmemory.cast_ptr_to_adr(cast_nongc_instance_to_base_ptr(instance))
class CastObjectToPtrEntry(extregistry.ExtRegistryEntry):
_about_ = cast_object_to_ptr
def compute_result_annotation(self, s_PTR, s_object):
assert s_PTR.is_constant()
if isinstance(s_PTR.const, lltype.Ptr):
return SomePtr(s_PTR.const)
else:
assert False
def specialize_call(self, hop):
from rpython.rtyper.rnone import NoneRepr
PTR = hop.r_result.lowleveltype
if isinstance(PTR, lltype.Ptr):
T = lltype.Ptr
opname = 'cast_pointer'
null = lltype.nullptr(PTR.TO)
else:
assert False
hop.exception_cannot_occur()
if isinstance(hop.args_r[1], NoneRepr):
return hop.inputconst(PTR, null)
v_arg = hop.inputarg(hop.args_r[1], arg=1)
assert isinstance(v_arg.concretetype, T)
return hop.genop(opname, [v_arg], resulttype = PTR)
# ____________________________________________________________
def cast_base_ptr_to_instance(Class, ptr):
"""NOT_RPYTHON: hack. Reverse the hacking done in cast_object_to_ptr()."""
if isinstance(lltype.typeOf(ptr), lltype.Ptr):
ptr = ptr._as_obj()
if ptr is None:
return None
if not isinstance(ptr, Class):
raise NotImplementedError("cast_base_ptr_to_instance: casting %r to %r"
% (ptr, Class))
return ptr
cast_base_ptr_to_nongc_instance = cast_base_ptr_to_instance
@specialize.arg(0)
def cast_gcref_to_instance(Class, ptr):
"""Reverse the hacking done in cast_instance_to_gcref()."""
from rpython.rtyper.rclass import OBJECTPTR
ptr = lltype.cast_opaque_ptr(OBJECTPTR, ptr)
return cast_base_ptr_to_instance(Class, ptr)
@specialize.arg(0)
def cast_adr_to_nongc_instance(Class, ptr):
from rpython.rtyper.rclass import NONGCOBJECTPTR
ptr = llmemory.cast_adr_to_ptr(ptr, NONGCOBJECTPTR)
return cast_base_ptr_to_nongc_instance(Class, ptr)
class CastBasePtrToInstanceEntry(extregistry.ExtRegistryEntry):
_about_ = cast_base_ptr_to_instance
def compute_result_annotation(self, s_Class, s_ptr):
assert s_Class.is_constant()
classdef = self.bookkeeper.getuniqueclassdef(s_Class.const)
return annmodel.SomeInstance(classdef, can_be_None=True)
def specialize_call(self, hop):
v_arg = hop.inputarg(hop.args_r[1], arg=1)
if isinstance(v_arg.concretetype, lltype.Ptr):
opname = 'cast_pointer'
else:
assert False
hop.exception_cannot_occur()
return hop.genop(opname, [v_arg],
resulttype = hop.r_result.lowleveltype)
# ____________________________________________________________
def placeholder_sigarg(s):
if s == "self":
def expand(s_self, *args_s):
assert isinstance(s_self, SomePtr)
return s_self
elif s == "SELF":
raise NotImplementedError
else:
assert s.islower()
def expand(s_self, *args_s):
assert isinstance(s_self, SomePtr)
return getattr(s_self.ll_ptrtype.TO, s.upper())
return expand
def typemeth_placeholder_sigarg(s):
if s == "SELF":
def expand(s_TYPE, *args_s):
assert isinstance(s_TYPE, annmodel.SomePBC)
assert s_TYPE.is_constant()
return s_TYPE
elif s == "self":
def expand(s_TYPE, *args_s):
assert isinstance(s_TYPE, annmodel.SomePBC)
assert s_TYPE.is_constant()
return lltype.Ptr(s_TYPE.const)
else:
assert s.islower()
def expand(s_TYPE, *args_s):
assert isinstance(s_TYPE, annmodel.SomePBC)
assert s_TYPE.is_constant()
return getattr(s_TYPE.const, s.upper())
return expand
class ADTInterface(object):
def __init__(self, base, sigtemplates):
self.sigtemplates = sigtemplates
self.base = base
sigs = {}
if base is not None:
sigs.update(base.sigs)
for name, template in sigtemplates.items():
args, result = template
if args[0] == "self":
make_expand = placeholder_sigarg
elif args[0] == "SELF":
make_expand = typemeth_placeholder_sigarg
else:
assert False, ("ADTInterface signature should start with"
" 'SELF' or 'self'")
sigargs = []
for arg in args:
if isinstance(arg, str):
arg = make_expand(arg)
sigargs.append(arg)
sigs[name] = Sig(*sigargs)
self.sigs = sigs
def __call__(self, adtmeths):
for name, sig in self.sigs.items():
meth = adtmeths[name]
prevsig = getattr(meth, '_annenforceargs_', None)
if prevsig:
assert prevsig is sig
else:
meth._annenforceargs_ = sig
return adtmeths
# ____________________________________________________________
class cachedtype(type):
"""Metaclass for classes that should only have one instance per
tuple of arguments given to the constructor."""
def __init__(selfcls, name, bases, dict):
super(cachedtype, selfcls).__init__(name, bases, dict)
selfcls._instancecache = {}
def __call__(selfcls, *args):
d = selfcls._instancecache
try:
return d[args]
except KeyError:
instance = d[args] = selfcls.__new__(selfcls, *args)
try:
instance.__init__(*args)
except:
# If __init__ fails, remove the 'instance' from d.
# That's a "best effort" attempt, it's not really enough
# in theory because some other place might have grabbed
# a reference to the same broken 'instance' in the meantime
del d[args]
raise
return instance
|