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
|
"""The builtin tuple implementation"""
import sys
from pypy.interpreter.baseobjspace import W_Root
from pypy.interpreter.error import OperationError, oefmt
from pypy.interpreter.gateway import (
WrappedDefault, interp2app, interpindirect2app, unwrap_spec)
from pypy.interpreter.typedef import TypeDef
from pypy.objspace.std.objectobject import ObjectObjectDocstrings
from pypy.objspace.std.sliceobject import (W_SliceObject, unwrap_start_stop,
normalize_simple_slice)
from pypy.objspace.std.util import negate, IDTAG_SPECIAL, IDTAG_SHIFT, \
generic_alias_class_getitem, builtinclass_new_args_check
from rpython.rlib import jit
from rpython.rlib.debug import make_sure_not_resized
from rpython.rlib.rarithmetic import intmask, r_ulonglong, r_uint
UNROLL_CUTOFF = 10
def _unroll_condition_cmp(self, space, other):
return self._unroll_condition() or other._unroll_condition()
def get_printable_location(tp):
return "tuple.contains [%s]" % (tp.getname(tp.space), )
contains_driver = jit.JitDriver(greens = ['tp'], reds = 'auto',
name = 'tuple.contains',
get_printable_location=get_printable_location)
def get_printable_location(w_type):
return "tuple.hash [%s]" % (w_type.getname(w_type.space), )
hash_driver = jit.JitDriver(
name='tuple.hash',
greens=['w_type'],
reds='auto',
get_printable_location=get_printable_location
)
class W_AbstractTupleObject(W_Root):
__slots__ = ()
def is_w(self, space, w_other):
if not isinstance(w_other, W_AbstractTupleObject):
return False
if self is w_other:
return True
if self.user_overridden_class or w_other.user_overridden_class:
return False
# empty tuples are unique-ified
return 0 == w_other.length() == self.length()
def immutable_unique_id(self, space):
if self.user_overridden_class or self.length() > 0:
return None
# empty tuple: base value 258
uid = (258 << IDTAG_SHIFT) | IDTAG_SPECIAL
return space.newint(uid)
def __repr__(self):
"""representation for debugging purposes"""
reprlist = [repr(w_item) for w_item in self.tolist()]
return "%s(%s)" % (self.__class__.__name__, ', '.join(reprlist))
def unwrap(self, space):
items = [space.unwrap(w_item) for w_item in self.tolist()]
return tuple(items)
def tolist(self):
"""Returns the items, as a fixed-size list."""
raise NotImplementedError
def getitems_copy(self):
"""Returns a copy of the items, as a resizable list."""
raise NotImplementedError
def length(self):
raise NotImplementedError
def getitem(self, space, item):
raise NotImplementedError
def descr_len(self, space):
result = self.length()
return space.newint(result)
def descr_iter(self, space):
from pypy.objspace.std import iterobject
return iterobject.W_FastTupleIterObject(self, self.tolist())
@staticmethod
def descr_new(space, w_tupletype, w_sequence=None, __posonly__=None, __args__=None):
builtinclass_new_args_check(space, "tuple", space.w_tuple, w_tupletype, __args__)
if w_sequence is None:
tuple_w = []
elif (space.is_w(w_tupletype, space.w_tuple) and
space.is_w(space.type(w_sequence), space.w_tuple)):
return w_sequence
else:
tuple_w = space.fixedview(w_sequence)
w_obj = space.allocate_instance(W_TupleObject, w_tupletype)
W_TupleObject.__init__(w_obj, tuple_w)
return w_obj
def descr_repr(self, space):
items = self.tolist()
if len(items) == 1:
return space.newtext(
b"(" + space.utf8_w(space.repr(items[0])) + b",)")
tmp = b", ".join([space.utf8_w(space.repr(item))
for item in items])
return space.newtext(b"(" + tmp + b")")
def descr_hash(self, space):
raise NotImplementedError
def descr_eq(self, space, w_other):
raise NotImplementedError
def descr_ne(self, space, w_other):
raise NotImplementedError
def _make_tuple_comparison(name):
import operator
op = getattr(operator, name)
def compare_tuples(self, space, w_other):
if not isinstance(w_other, W_AbstractTupleObject):
return space.w_NotImplemented
return _compare_tuples(self, space, w_other)
@jit.look_inside_iff(_unroll_condition_cmp)
def _compare_tuples(self, space, w_other):
items1 = self.tolist()
items2 = w_other.tolist()
ncmp = min(len(items1), len(items2))
# Search for the first index where items are different
for p in range(ncmp):
if not space.eq_w(items1[p], items2[p]):
return getattr(space, name)(items1[p], items2[p])
# No more items to compare -- compare sizes
return space.newbool(op(len(items1), len(items2)))
compare_tuples.__name__ = 'descr_' + name
return compare_tuples
descr_lt = _make_tuple_comparison('lt')
descr_le = _make_tuple_comparison('le')
descr_gt = _make_tuple_comparison('gt')
descr_ge = _make_tuple_comparison('ge')
def descr_contains(self, space, w_obj):
if self._unroll_condition():
return self._descr_contains_unroll_safe(space, w_obj)
else:
return self._descr_contains_jmp(space, w_obj)
@jit.unroll_safe
def _descr_contains_unroll_safe(self, space, w_obj):
for w_item in self.tolist():
if space.eq_w(w_obj, w_item):
return space.w_True
return space.w_False
def _descr_contains_jmp(self, space, w_obj):
tp = space.type(w_obj)
list_w = self.tolist()
i = 0
while i < len(list_w):
contains_driver.jit_merge_point(tp=tp)
w_item = list_w[i]
if space.eq_w(w_item, w_obj):
return space.w_True
i += 1
return space.w_False
def descr_add(self, space, w_other):
if not isinstance(w_other, W_AbstractTupleObject):
return space.w_NotImplemented
items1 = self.tolist()
items2 = w_other.tolist()
return space.newtuple(items1 + items2)
def descr_mul(self, space, w_times):
try:
times = space.getindex_w(w_times, space.w_OverflowError)
except OperationError as e:
if e.match(space, space.w_TypeError):
return space.w_NotImplemented
raise
if times == 1 and space.type(self) == space.w_tuple:
return self
items = self.tolist()
return space.newtuple(items * times)
def descr_getitem(self, space, w_index):
if isinstance(w_index, W_SliceObject):
return self._getslice(space, w_index)
index = space.getindex_w(w_index, space.w_IndexError, "tuple")
return self.getitem(space, index)
def _getslice(self, space, w_index):
items = self.tolist()
length = len(items)
start, stop, step, slicelength = w_index.indices4(space, length)
if slicelength == 0:
subitems = []
elif step == 1:
assert 0 <= start <= stop
subitems = items[start:stop]
else:
subitems = self._getslice_advanced(items, start, step, slicelength)
return space.newtuple(subitems)
@staticmethod
def _getslice_advanced(items, start, step, slicelength):
assert slicelength >= 0
subitems = [None] * slicelength
for i in range(slicelength):
subitems[i] = items[start]
start += step
return subitems
def descr_getnewargs(self, space):
return space.newtuple([space.newtuple(self.tolist())])
@jit.look_inside_iff(lambda self, _1, _2: self._unroll_condition())
def descr_count(self, space, w_obj):
"""count(obj) -> number of times obj appears in the tuple"""
count = 0
for w_item in self.tolist():
if space.eq_w(w_item, w_obj):
count += 1
return space.newint(count)
@unwrap_spec(w_start=WrappedDefault(0), w_stop=WrappedDefault(sys.maxint))
@jit.look_inside_iff(lambda self, _1, _2, _3, _4: self._unroll_condition())
def descr_index(self, space, w_obj, w_start, w_stop):
"""index(obj, [start, [stop]]) -> first index that obj appears in the
tuple
"""
length = self.length()
start, stop = unwrap_start_stop(space, length, w_start, w_stop)
for i in range(start, min(stop, length)):
w_item = self.tolist()[i]
if space.eq_w(w_item, w_obj):
return space.newint(i)
raise oefmt(space.w_ValueError, "tuple.index(x): x not in tuple")
def _unroll_condition(self):
raise NotImplementedError("abstract base class")
class TupleDocstrings:
def __eq__():
"""x.__eq__(y) <==> x==y'"""
def __ne__():
"""x.__ne__(y) <==> x!=y"""
def __lt__():
"""x.__lt__(y) <==> x<y"""
def __le__():
"""x.__le__(y) <==> x<=y"""
def __gt__():
"""x.__gt__(y) <==> x>y"""
def __ge__():
"""x.__ge__(y) <==> x>=y"""
def __len__():
"""x.__len__() <==> len(x)"""
def __iter__():
"""x.__iter__() <==> iter(x)"""
def __contains__():
"""x.__contains__(y) <==> y in x"""
def __add__():
"""x.__add__(y) <==> x+y"""
def __mul__():
"""x.__mul__(n) <==> x*n"""
def __rmul__():
"""x.__rmul__(n) <==> n*x"""
def __getitem__():
"""x.__getitem__(y) <==> x[y]"""
def __getslice__():
"""x.__getslice__(i, j) <==> x[i:j]
Use of negative indices is not supported."""
def __getnewargs__():
"""""" # empty
def count():
"""T.count(value) -> integer -- return number of occurrences of value"""
def index():
""""T.index(value, [start, [stop]]) -> integer -- return first index of value.
Raises ValueError if the value is not present."""
W_AbstractTupleObject.typedef = TypeDef(
"tuple",
__doc__ = """tuple() -> an empty tuple
tuple(sequence) -> tuple initialized from sequence's items
If the argument is a tuple, the return value is the same object.""",
__new__ = interp2app(W_AbstractTupleObject.descr_new,
doc=ObjectObjectDocstrings.__new__.__doc__),
__repr__ = interp2app(W_AbstractTupleObject.descr_repr,
doc=ObjectObjectDocstrings.__repr__.__doc__),
__hash__ = interpindirect2app(W_AbstractTupleObject.descr_hash),
__eq__ = interpindirect2app(W_AbstractTupleObject.descr_eq),
__ne__ = interpindirect2app(W_AbstractTupleObject.descr_ne),
__lt__ = interp2app(W_AbstractTupleObject.descr_lt,
doc=TupleDocstrings.__lt__.__doc__),
__le__ = interp2app(W_AbstractTupleObject.descr_le,
doc=TupleDocstrings.__le__.__doc__),
__gt__ = interp2app(W_AbstractTupleObject.descr_gt,
doc=TupleDocstrings.__gt__.__doc__),
__ge__ = interp2app(W_AbstractTupleObject.descr_ge,
doc=TupleDocstrings.__ge__.__doc__),
__len__ = interp2app(W_AbstractTupleObject.descr_len,
doc=TupleDocstrings.__len__.__doc__),
__iter__ = interp2app(W_AbstractTupleObject.descr_iter,
doc=TupleDocstrings.__iter__.__doc__),
__contains__ = interp2app(W_AbstractTupleObject.descr_contains,
doc=TupleDocstrings.__contains__.__doc__),
__add__ = interp2app(W_AbstractTupleObject.descr_add,
doc=TupleDocstrings.__add__.__doc__),
__mul__ = interp2app(W_AbstractTupleObject.descr_mul,
doc=TupleDocstrings.__mul__.__doc__),
__rmul__ = interp2app(W_AbstractTupleObject.descr_mul,
doc=TupleDocstrings.__rmul__.__doc__),
__getitem__ = interp2app(W_AbstractTupleObject.descr_getitem,
doc=TupleDocstrings.__getitem__.__doc__),
__getnewargs__ = interp2app(W_AbstractTupleObject.descr_getnewargs,
doc=TupleDocstrings.__getnewargs__.__doc__),
__class_getitem__ = interp2app(
generic_alias_class_getitem, as_classmethod=True),
count = interp2app(W_AbstractTupleObject.descr_count,
doc=TupleDocstrings.count.__doc__),
index = interp2app(W_AbstractTupleObject.descr_index,
doc=TupleDocstrings.index.__doc__)
)
W_AbstractTupleObject.typedef.flag_sequence_bug_compat = True
if sys.maxint == 2 ** 31 - 1:
XXPRIME_1 = r_uint(2654435761)
XXPRIME_2 = r_uint(2246822519)
XXPRIME_5 = r_uint(374761393)
xxrotate = lambda x: ((x << 13) | (x >> 19)) # rotate left 13 bits
uhash_type = r_uint
else:
XXPRIME_1 = r_ulonglong(11400714785074694791)
XXPRIME_2 = r_ulonglong(14029467366897019727)
XXPRIME_5 = r_ulonglong(2870177450012600261)
xxrotate = lambda x: ((x << 31) | (x >> 33)) # Rotate left 31 bits
uhash_type = r_ulonglong
class W_TupleObject(W_AbstractTupleObject):
_immutable_fields_ = ['wrappeditems[*]']
def __init__(self, wrappeditems):
make_sure_not_resized(wrappeditems)
self.wrappeditems = wrappeditems
def tolist(self):
return self.wrappeditems
def getitems_copy(self):
return self.wrappeditems[:] # returns a resizable list
def length(self):
return len(self.wrappeditems)
def descr_hash(self, space):
if self._unroll_condition():
acc = self._descr_hash_unroll(space)
else:
acc = self._descr_hash_jitdriver(space)
# Add input length, mangled to keep the historical value of hash(())
acc += len(self.wrappeditems) ^ (XXPRIME_5 ^ uhash_type(3527539))
acc += (acc == uhash_type(-1)) * uhash_type(1546275796 + 1)
return space.newint(intmask(acc))
@jit.unroll_safe
def _descr_hash_unroll(self, space):
# Hash for tuples. This is a slightly simplified version of the xxHash
# non-cryptographic hash:
# - we do not use any parallellism, there is only 1 accumulator.
# - we drop the final mixing since this is just a permutation of the
# output space: it does not help against collisions.
# - at the end, we mangle the length with a single constant.
# For the xxHash specification, see
# https://github.com/Cyan4973/xxHash/blob/master/doc/xxhash_spec.md
# Below are the official constants from the xxHash specification. Optimizing
# compilers should emit a single "rotate" instruction for the
# _PyHASH_XXROTATE() expansion. If that doesn't happen for some important
# platform, the macro could be changed to expand to a platform-specific rotate
# spelling instead.
acc = XXPRIME_5
for w_item in self.wrappeditems:
lane = uhash_type(space.hash_w(w_item))
acc += lane * XXPRIME_2
acc = xxrotate(acc)
acc *= XXPRIME_1
return acc
def _descr_hash_jitdriver(self, space):
# see comments above
acc = XXPRIME_5
w_type = space.type(self.wrappeditems[0])
wrappeditems = self.wrappeditems
i = 0
while i < len(wrappeditems):
hash_driver.jit_merge_point(w_type=w_type)
w_item = wrappeditems[i]
lane = uhash_type(space.hash_w(w_item))
acc += lane * XXPRIME_2
acc = xxrotate(acc)
acc *= XXPRIME_1
i += 1
return acc
def descr_eq(self, space, w_other):
if not isinstance(w_other, W_AbstractTupleObject):
return space.w_NotImplemented
return self._descr_eq(space, w_other)
@jit.look_inside_iff(_unroll_condition_cmp)
def _descr_eq(self, space, w_other):
items1 = self.wrappeditems
items2 = w_other.tolist()
lgt1 = len(items1)
lgt2 = len(items2)
if lgt1 != lgt2:
return space.w_False
# XXX do we need a jit driver?
for i in range(lgt1):
item1 = items1[i]
item2 = items2[i]
if not space.eq_w(item1, item2):
return space.w_False
return space.w_True
descr_ne = negate(descr_eq)
def getitem(self, space, index):
try:
return self.wrappeditems[index]
except IndexError:
raise oefmt(space.w_IndexError, "tuple index out of range")
def _unroll_condition(self):
return jit.loop_unrolling_heuristic(
self.wrappeditems, self.length(), UNROLL_CUTOFF)
def wraptuple(space, list_w):
if space.config.objspace.std.withspecialisedtuple:
from specialisedtupleobject import makespecialisedtuple, NotSpecialised
try:
return makespecialisedtuple(space, list_w)
except NotSpecialised:
pass
return W_TupleObject(list_w)
def wraptuple2(space, w_a, w_b):
if space.config.objspace.std.withspecialisedtuple:
from specialisedtupleobject import makespecialisedtuple2, NotSpecialised
try:
return makespecialisedtuple2(space, w_a, w_b)
except NotSpecialised:
pass
return W_TupleObject([w_a, w_b])
|