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
|
"""
The Bookkeeper class.
"""
from __future__ import absolute_import
import sys, types, inspect, weakref
from contextlib import contextmanager
from collections import OrderedDict
from rpython.flowspace.model import Constant
from rpython.annotator.model import (
SomeOrderedDict, SomeString, SomeChar, SomeFloat, unionof, SomeInstance,
SomeDict, SomeBuiltin, SomePBC, SomeInteger, TLS, SomeUnicodeCodePoint,
s_None, s_ImpossibleValue, SomeBool, SomeTuple, SomeException,
SomeImpossibleValue, SomeUnicodeString, SomeList, HarmlesslyBlocked,
SomeWeakRef, SomeByteArray, SomeConstantType, SomeProperty)
from rpython.annotator.classdesc import ClassDef, ClassDesc
from rpython.annotator.listdef import ListDef, ListItem
from rpython.annotator.dictdef import DictDef
from rpython.annotator import description
from rpython.annotator.signature import annotationoftype
from rpython.annotator.argument import simple_args
from rpython.rlib.objectmodel import r_dict, r_ordereddict, Symbolic
from rpython.tool.algo.unionfind import UnionFind
from rpython.rtyper import extregistry
BUILTIN_ANALYZERS = {}
def analyzer_for(func):
def wrapped(ann_func):
BUILTIN_ANALYZERS[func] = ann_func
return ann_func
return wrapped
class Bookkeeper(object):
"""The log of choices that have been made while analysing the operations.
It ensures that the same 'choice objects' will be returned if we ask
again during reflowing. Like ExecutionContext, there is an implicit
Bookkeeper that can be obtained from a thread-local variable.
Currently used for factories and user-defined classes."""
def __setstate__(self, dic):
self.__dict__.update(dic) # normal action
self.register_builtins()
def __init__(self, annotator):
self.annotator = annotator
self.policy = annotator.policy
self.descs = {} # map Python objects to their XxxDesc wrappers
self.methoddescs = {} # map (funcdesc, classdef) to the MethodDesc
self.classdefs = [] # list of all ClassDefs
self.seen_mutable = {}
self.listdefs = {} # map position_keys to ListDefs
self.dictdefs = {} # map position_keys to DictDefs
self.immutable_cache = {}
self.classpbc_attr_families = {} # {'attr': UnionFind(ClassAttrFamily)}
self.frozenpbc_attr_families = UnionFind(description.FrozenAttrFamily)
self.pbc_maximal_call_families = UnionFind(description.CallFamily)
self.emulated_pbc_calls = {}
self.all_specializations = {} # {FuncDesc: specialization-info}
self.pending_specializations = [] # list of callbacks
self.external_class_cache = {} # cache of ExternalType classes
self.needs_generic_instantiate = {}
self.thread_local_fields = set()
self.register_builtins()
def register_builtins(self):
import rpython.annotator.builtin # for side-effects
from rpython.annotator.exception import standardexceptions
for cls in standardexceptions:
self.getuniqueclassdef(cls)
def enter(self, position_key):
"""Start of an operation.
The operation is uniquely identified by the given key."""
assert not hasattr(self, 'position_key'), "don't call enter() nestedly"
self.position_key = position_key
TLS.bookkeeper = self
def leave(self):
"""End of an operation."""
del TLS.bookkeeper
del self.position_key
@contextmanager
def at_position(self, pos):
"""A context manager calling `self.enter()` and `self.leave()`"""
if hasattr(self, 'position_key') and pos is None:
yield
return
self.enter(pos)
try:
yield
finally:
self.leave()
def compute_at_fixpoint(self):
# getbookkeeper() needs to work during this function, so provide
# one with a dummy position
with self.at_position(None):
for call_op in self.annotator.call_sites():
self.consider_call_site(call_op)
for pbc, args_s in self.emulated_pbc_calls.itervalues():
args = simple_args(args_s)
pbc.consider_call_site(args, s_ImpossibleValue, None)
self.emulated_pbc_calls = {}
def check_no_flags_on_instances(self):
# sanity check: no flags attached to heap stored instances
seen = set()
def check_no_flags(s_value_or_def):
if isinstance(s_value_or_def, SomeInstance):
assert not s_value_or_def.flags, "instance annotation with flags escaped to the heap"
check_no_flags(s_value_or_def.classdef)
elif isinstance(s_value_or_def, SomeList):
check_no_flags(s_value_or_def.listdef.listitem)
elif isinstance(s_value_or_def, SomeDict):
check_no_flags(s_value_or_def.dictdef.dictkey)
check_no_flags(s_value_or_def.dictdef.dictvalue)
elif isinstance(s_value_or_def, SomeTuple):
for s_item in s_value_or_def.items:
check_no_flags(s_item)
elif isinstance(s_value_or_def, ClassDef):
if s_value_or_def in seen:
return
seen.add(s_value_or_def)
for attr in s_value_or_def.attrs.itervalues():
s_attr = attr.s_value
check_no_flags(s_attr)
elif isinstance(s_value_or_def, ListItem):
if s_value_or_def in seen:
return
seen.add(s_value_or_def)
check_no_flags(s_value_or_def.s_value)
for clsdef in self.classdefs:
check_no_flags(clsdef)
def consider_call_site(self, call_op):
from rpython.rtyper.llannotation import SomeLLADTMeth, lltype_to_annotation
annotation = self.annotator.annotation
s_callable = annotation(call_op.args[0])
args_s = [annotation(arg) for arg in call_op.args[1:]]
if isinstance(s_callable, SomeLLADTMeth):
adtmeth = s_callable
s_callable = self.immutablevalue(adtmeth.func)
args_s = [lltype_to_annotation(adtmeth.ll_ptrtype)] + args_s
if isinstance(s_callable, SomePBC):
s_result = annotation(call_op.result)
if s_result is None:
s_result = s_ImpossibleValue
args = call_op.build_args(args_s)
s_callable.consider_call_site(args, s_result, call_op)
def getuniqueclassdef(self, cls):
"""Get the ClassDef associated with the given user cls."""
assert cls is not object
desc = self.getdesc(cls)
return desc.getuniqueclassdef()
def new_exception(self, exc_classes):
clsdefs = {self.getuniqueclassdef(cls) for cls in exc_classes}
return SomeException(clsdefs)
def getlistdef(self, **flags_if_new):
"""Get the ListDef associated with the current position."""
try:
listdef = self.listdefs[self.position_key]
except KeyError:
listdef = self.listdefs[self.position_key] = ListDef(self)
listdef.listitem.__dict__.update(flags_if_new)
return listdef
def newlist(self, *s_values, **flags):
"""Make a SomeList associated with the current position, general
enough to contain the s_values as items."""
listdef = self.getlistdef(**flags)
for s_value in s_values:
listdef.generalize(s_value)
if flags:
assert flags.keys() == ['range_step']
listdef.generalize_range_step(flags['range_step'])
return SomeList(listdef)
def getdictdef(self, is_r_dict=False, force_non_null=False):
"""Get the DictDef associated with the current position."""
try:
dictdef = self.dictdefs[self.position_key]
except KeyError:
dictdef = DictDef(self, is_r_dict=is_r_dict,
force_non_null=force_non_null)
self.dictdefs[self.position_key] = dictdef
return dictdef
def newdict(self):
"""Make a so-far empty SomeDict associated with the current
position."""
return SomeDict(self.getdictdef())
def immutablevalue(self, x):
"""The most precise SomeValue instance that contains the
immutable value x."""
# convert unbound methods to the underlying function
if hasattr(x, 'im_self') and x.im_self is None:
x = x.im_func
assert not hasattr(x, 'im_self')
tp = type(x)
if issubclass(tp, Symbolic): # symbolic constants support
result = x.annotation()
result.const_box = Constant(x)
return result
if tp is bool:
result = SomeBool()
elif tp is int:
result = SomeInteger(nonneg = x>=0)
elif tp is long:
if -sys.maxint-1 <= x <= sys.maxint:
x = int(x)
result = SomeInteger(nonneg = x>=0)
else:
# XXX: better error reporting?
raise ValueError("seeing a prebuilt long (value %s)" % hex(x))
elif issubclass(tp, str): # py.lib uses annotated str subclasses
no_nul = not '\x00' in x
if len(x) == 1:
result = SomeChar(no_nul=no_nul)
else:
result = SomeString(no_nul=no_nul)
elif tp is unicode:
no_nul = not u'\x00' in x
if len(x) == 1:
result = SomeUnicodeCodePoint(no_nul=no_nul)
else:
result = SomeUnicodeString(no_nul=no_nul)
elif tp is bytearray:
result = SomeByteArray()
elif tp is tuple:
result = SomeTuple(items = [self.immutablevalue(e) for e in x])
elif tp is float:
result = SomeFloat()
elif tp is list:
key = Constant(x)
try:
return self.immutable_cache[key]
except KeyError:
result = SomeList(ListDef(self, s_ImpossibleValue))
self.immutable_cache[key] = result
for e in x:
result.listdef.generalize(self.immutablevalue(e))
result.const_box = key
return result
elif (tp is dict or tp is r_dict or
tp is OrderedDict or tp is r_ordereddict):
key = Constant(x)
try:
return self.immutable_cache[key]
except KeyError:
if tp is OrderedDict or tp is r_ordereddict:
cls = SomeOrderedDict
else:
cls = SomeDict
is_r_dict = issubclass(tp, r_dict)
result = cls(DictDef(self,
s_ImpossibleValue,
s_ImpossibleValue,
is_r_dict = is_r_dict))
self.immutable_cache[key] = result
if is_r_dict:
s_eqfn = self.immutablevalue(x.key_eq)
s_hashfn = self.immutablevalue(x.key_hash)
result.dictdef.dictkey.update_rdict_annotations(s_eqfn,
s_hashfn)
seen_elements = 0
while seen_elements != len(x):
items = x.items()
for ek, ev in items:
result.dictdef.generalize_key(self.immutablevalue(ek))
result.dictdef.generalize_value(self.immutablevalue(ev))
result.dictdef.seen_prebuilt_key(ek)
seen_elements = len(items)
# if the dictionary grew during the iteration,
# start over again
result.const_box = key
return result
elif tp is weakref.ReferenceType:
x1 = x()
if x1 is None:
result = SomeWeakRef(None) # dead weakref
else:
s1 = self.immutablevalue(x1)
assert isinstance(s1, SomeInstance)
result = SomeWeakRef(s1.classdef)
elif tp is property:
return SomeProperty(x)
elif ishashable(x) and x in BUILTIN_ANALYZERS:
_module = getattr(x,"__module__","unknown")
result = SomeBuiltin(BUILTIN_ANALYZERS[x], methodname="%s.%s" % (_module, x.__name__))
elif extregistry.is_registered(x):
entry = extregistry.lookup(x)
result = entry.compute_annotation_bk(self)
elif tp is type:
result = SomeConstantType(x, self)
elif callable(x):
if hasattr(x, 'im_self') and hasattr(x, 'im_func'):
# on top of PyPy, for cases like 'l.append' where 'l' is a
# global constant list, the find_method() returns non-None
s_self = self.immutablevalue(x.im_self)
result = s_self.find_method(x.im_func.__name__)
elif hasattr(x, '__self__') and x.__self__ is not None:
# for cases like 'l.append' where 'l' is a global constant list
s_self = self.immutablevalue(x.__self__)
result = s_self.find_method(x.__name__)
assert result is not None
else:
result = None
if result is None:
result = SomePBC([self.getdesc(x)])
elif hasattr(x, '_freeze_'):
assert x._freeze_() is True
# user-defined classes can define a method _freeze_(), which
# is called when a prebuilt instance is found. If the method
# returns True, the instance is considered immutable and becomes
# a SomePBC(). Otherwise it's just SomeInstance().
result = SomePBC([self.getdesc(x)])
elif hasattr(x, '__class__') \
and x.__class__.__module__ != '__builtin__':
if hasattr(x, '_cleanup_'):
x._cleanup_()
classdef = self.getuniqueclassdef(x.__class__)
classdef.see_instance(x)
result = SomeInstance(classdef)
elif x is None:
return s_None
else:
raise Exception("Don't know how to represent %r" % (x,))
result.const = x
return result
def getdesc(self, pyobj):
# get the XxxDesc wrapper for the given Python object, which must be
# one of:
# * a user-defined Python function
# * a Python type or class (but not a built-in one like 'int')
# * a user-defined bound or unbound method object
# * a frozen pre-built constant (with _freeze_() == True)
# * a bound method of a frozen pre-built constant
obj_key = Constant(pyobj)
try:
return self.descs[obj_key]
except KeyError:
if isinstance(pyobj, types.FunctionType):
result = description.FunctionDesc(self, pyobj)
elif isinstance(pyobj, (type, types.ClassType)):
if pyobj is object:
raise Exception("ClassDesc for object not supported")
if pyobj.__module__ == '__builtin__': # avoid making classdefs for builtin types
result = self.getfrozen(pyobj)
else:
result = ClassDesc(self, pyobj)
elif isinstance(pyobj, types.MethodType):
if pyobj.im_self is None: # unbound
return self.getdesc(pyobj.im_func)
if hasattr(pyobj.im_self, '_cleanup_'):
pyobj.im_self._cleanup_()
if hasattr(pyobj.im_self, '_freeze_'): # method of frozen
assert pyobj.im_self._freeze_() is True
result = description.MethodOfFrozenDesc(self,
self.getdesc(pyobj.im_func), # funcdesc
self.getdesc(pyobj.im_self)) # frozendesc
else: # regular method
origincls, name = origin_of_meth(pyobj)
classdef = self.getuniqueclassdef(pyobj.im_class)
classdef.see_instance(pyobj.im_self)
assert pyobj == getattr(pyobj.im_self, name), (
"%r is not %s.%s ??" % (pyobj, pyobj.im_self, name))
# emulate a getattr to make sure it's on the classdef
classdef.find_attribute(name)
result = self.getmethoddesc(
self.getdesc(pyobj.im_func), # funcdesc
self.getuniqueclassdef(origincls), # originclassdef
classdef, # selfclassdef
name)
else:
# must be a frozen pre-built constant, but let's check
if hasattr(pyobj, '_freeze_'):
assert pyobj._freeze_() is True
else:
if hasattr(pyobj, '__call__'):
msg = "object with a __call__ is not RPython"
else:
msg = "unexpected prebuilt constant"
raise Exception("%s: %r" % (msg, pyobj))
result = self.getfrozen(pyobj)
self.descs[obj_key] = result
return result
def getfrozen(self, pyobj):
return description.FrozenDesc(self, pyobj)
def getmethoddesc(self, funcdesc, originclassdef, selfclassdef, name,
flags={}):
flagskey = flags.items()
flagskey.sort()
key = funcdesc, originclassdef, selfclassdef, name, tuple(flagskey)
try:
return self.methoddescs[key]
except KeyError:
result = description.MethodDesc(self, funcdesc, originclassdef,
selfclassdef, name, flags)
self.methoddescs[key] = result
return result
def valueoftype(self, t):
return annotationoftype(t, self)
def get_classpbc_attr_families(self, attrname):
"""Return the UnionFind for the ClassAttrFamilies corresponding to
attributes of the given name.
"""
map = self.classpbc_attr_families
try:
access_sets = map[attrname]
except KeyError:
access_sets = map[attrname] = UnionFind(description.ClassAttrFamily)
return access_sets
def pbc_getattr(self, pbc, s_attr):
assert s_attr.is_constant()
attr = s_attr.const
descs = list(pbc.descriptions)
first = descs[0]
if len(descs) == 1:
return first.s_read_attribute(attr)
change = first.mergeattrfamilies(descs[1:], attr)
attrfamily = first.getattrfamily(attr)
position = self.position_key
attrfamily.read_locations[position] = True
actuals = []
for desc in descs:
actuals.append(desc.s_read_attribute(attr))
s_result = unionof(*actuals)
s_oldvalue = attrfamily.get_s_value(attr)
attrfamily.set_s_value(attr, unionof(s_result, s_oldvalue))
if change:
for position in attrfamily.read_locations:
self.annotator.reflowfromposition(position)
if isinstance(s_result, SomeImpossibleValue):
for desc in descs:
try:
attrs = desc.read_attribute('_attrs_')
except AttributeError:
continue
if isinstance(attrs, Constant):
attrs = attrs.value
if attr in attrs:
raise HarmlesslyBlocked("getattr on enforced attr")
return s_result
def getattr_locations(self, clsdesc, attrname):
attrdef = clsdesc.classdef.find_attribute(attrname)
return attrdef.read_locations
def record_getattr(self, clsdesc, attrname):
locations = self.getattr_locations(clsdesc, attrname)
locations.add(self.position_key)
def update_attr(self, clsdef, attrdef):
locations = self.getattr_locations(clsdef.classdesc, attrdef.name)
for position in locations:
self.annotator.reflowfromposition(position)
attrdef.validate(homedef=clsdef)
def pbc_call(self, pbc, args, emulated=None):
"""Analyse a call to a SomePBC() with the given args (list of
annotations).
"""
if emulated is None:
whence = self.position_key
# fish the existing annotation for the result variable,
# needed by some kinds of specialization.
fn, block, i = self.position_key
op = block.operations[i]
s_previous_result = self.annotator.annotation(op.result)
if s_previous_result is None:
s_previous_result = s_ImpossibleValue
else:
if emulated is True:
whence = None
else:
whence = emulated # callback case
op = None
s_previous_result = s_ImpossibleValue
results = []
for desc in pbc.descriptions:
results.append(desc.pycall(whence, args, s_previous_result, op))
s_result = unionof(*results)
return s_result
def emulate_pbc_call(self, unique_key, pbc, args_s, replace=[], callback=None):
"""For annotating some operation that causes indirectly a Python
function to be called. The annotation of the function is "pbc",
and the list of annotations of arguments is "args_s".
Can be called in various contexts, but from compute_annotation()
or compute_result_annotation() of an ExtRegistryEntry, call it
with both "unique_key" and "callback" set to
"self.bookkeeper.position_key". If there are several calls from
the same operation, they need their own "unique_key", like
(position_key, "first") and (position_key, "second").
In general, "unique_key" should somehow uniquely identify where
the call is in the source code, and "callback" can be either a
position_key to reflow from when we see more general results,
or a real callback function that will be called with arguments
# "(annotator, called_graph)" whenever the result is generalized.
"replace" can be set to a list of old unique_key values to
forget now, because the given "unique_key" replaces them.
"""
with self.at_position(None):
emulated_pbc_calls = self.emulated_pbc_calls
prev = [unique_key]
prev.extend(replace)
for other_key in prev:
if other_key in emulated_pbc_calls:
del emulated_pbc_calls[other_key]
emulated_pbc_calls[unique_key] = pbc, args_s
args = simple_args(args_s)
if callback is None:
emulated = True
else:
emulated = callback
return self.pbc_call(pbc, args, emulated=emulated)
def whereami(self):
return self.annotator.whereami(self.position_key)
def event(self, what, x):
return self.annotator.policy.event(self, what, x)
def warning(self, msg):
return self.annotator.warning(msg)
def origin_of_meth(boundmeth):
func = boundmeth.im_func
candname = func.func_name
for cls in inspect.getmro(boundmeth.im_class):
dict = cls.__dict__
if dict.get(candname) is func:
return cls, candname
for name, value in dict.iteritems():
if value is func:
return cls, name
raise Exception("could not match bound-method to attribute name: %r" % (boundmeth,))
def ishashable(x):
try:
hash(x)
except TypeError:
return False
else:
return True
# get current bookkeeper
def getbookkeeper():
"""Get the current Bookkeeper.
Only works during the analysis of an operation."""
try:
return TLS.bookkeeper
except AttributeError:
return None
def immutablevalue(x):
return getbookkeeper().immutablevalue(x)
|