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
|
import sys
from rpython.rlib.rstring import StringBuilder
from rpython.rlib.objectmodel import specialize, always_inline, r_dict
from rpython.rlib import rfloat, runicode
from rpython.rtyper.lltypesystem import lltype, rffi
from pypy.interpreter.error import oefmt, OperationError
from pypy.interpreter import unicodehelper
OVF_DIGITS = len(str(sys.maxint))
def is_whitespace(ch):
return ch == ' ' or ch == '\t' or ch == '\r' or ch == '\n'
# precomputing negative powers of 10 is MUCH faster than using e.g. math.pow
# at runtime
NEG_POW_10 = [10.0**-i for i in range(16)]
def neg_pow_10(x, exp):
if exp >= len(NEG_POW_10):
return 0.0
return x * NEG_POW_10[exp]
def strslice2unicode_latin1(s, start, end):
"""
Convert s[start:end] to unicode. s is supposed to be an RPython string
encoded in latin-1, which means that the numeric value of each char is the
same as the corresponding unicode code point.
Internally it's implemented at the level of low-level helpers, to avoid
the extra copy we would need if we take the actual slice first.
No bound checking is done, use carefully.
"""
from rpython.rtyper.annlowlevel import llstr, hlunicode
from rpython.rtyper.lltypesystem.rstr import malloc, UNICODE
from rpython.rtyper.lltypesystem.lltype import cast_primitive, UniChar
length = end-start
ll_s = llstr(s)
ll_res = malloc(UNICODE, length)
ll_res.hash = 0
for i in range(length):
ch = ll_s.chars[start+i]
ll_res.chars[i] = cast_primitive(UniChar, ch)
return hlunicode(ll_res)
def slice_eq(a, b):
(ll_chars1, start1, length1, _) = a
(ll_chars2, start2, length2, _) = b
if length1 != length2:
return False
j = start2
for i in range(start1, start1 + length1):
if ll_chars1[i] != ll_chars2[j]:
return False
j += 1
return True
def slice_hash(a):
(ll_chars, start, length, h) = a
return h
class DecoderError(Exception):
def __init__(self, msg, pos):
self.msg = msg
self.pos = pos
TYPE_UNKNOWN = 0
TYPE_STRING = 1
class JSONDecoder(object):
def __init__(self, space, s):
self.space = space
self.s = s
# we put our string in a raw buffer so:
# 1) we automatically get the '\0' sentinel at the end of the string,
# which means that we never have to check for the "end of string"
# 2) we can pass the buffer directly to strtod
self.ll_chars = rffi.str2charp(s)
self.end_ptr = lltype.malloc(rffi.CCHARPP.TO, 1, flavor='raw')
self.pos = 0
self.cache = r_dict(slice_eq, slice_hash, simple_hash_eq=True)
def close(self):
rffi.free_charp(self.ll_chars)
lltype.free(self.end_ptr, flavor='raw')
def getslice(self, start, end):
assert start >= 0
assert end >= 0
return self.s[start:end]
def skip_whitespace(self, i):
while True:
ch = self.ll_chars[i]
if is_whitespace(ch):
i+=1
else:
break
return i
def decode_any(self, i):
i = self.skip_whitespace(i)
ch = self.ll_chars[i]
if ch == '"':
return self.decode_string(i+1)
elif ch == '[':
return self.decode_array(i+1)
elif ch == '{':
return self.decode_object(i+1)
elif ch == 'n':
return self.decode_null(i+1)
elif ch == 't':
return self.decode_true(i+1)
elif ch == 'f':
return self.decode_false(i+1)
elif ch == 'I':
return self.decode_infinity(i+1)
elif ch == 'N':
return self.decode_nan(i+1)
elif ch == '-':
if self.ll_chars[i+1] == 'I':
return self.decode_infinity(i+2, sign=-1)
return self.decode_numeric(i)
elif ch.isdigit():
return self.decode_numeric(i)
else:
raise DecoderError("Unexpected '%s' at" % ch, i)
def decode_null(self, i):
if (self.ll_chars[i] == 'u' and
self.ll_chars[i+1] == 'l' and
self.ll_chars[i+2] == 'l'):
self.pos = i+3
return self.space.w_None
raise DecoderError("Error when decoding null at", i)
def decode_true(self, i):
if (self.ll_chars[i] == 'r' and
self.ll_chars[i+1] == 'u' and
self.ll_chars[i+2] == 'e'):
self.pos = i+3
return self.space.w_True
raise DecoderError("Error when decoding true at", i)
def decode_false(self, i):
if (self.ll_chars[i] == 'a' and
self.ll_chars[i+1] == 'l' and
self.ll_chars[i+2] == 's' and
self.ll_chars[i+3] == 'e'):
self.pos = i+4
return self.space.w_False
raise DecoderError("Error when decoding false at", i)
def decode_infinity(self, i, sign=1):
if (self.ll_chars[i] == 'n' and
self.ll_chars[i+1] == 'f' and
self.ll_chars[i+2] == 'i' and
self.ll_chars[i+3] == 'n' and
self.ll_chars[i+4] == 'i' and
self.ll_chars[i+5] == 't' and
self.ll_chars[i+6] == 'y'):
self.pos = i+7
return self.space.newfloat(rfloat.INFINITY * sign)
raise DecoderError("Error when decoding Infinity at", i)
def decode_nan(self, i):
if (self.ll_chars[i] == 'a' and
self.ll_chars[i+1] == 'N'):
self.pos = i+2
return self.space.newfloat(rfloat.NAN)
raise DecoderError("Error when decoding NaN at", i)
def decode_numeric(self, i):
start = i
i, ovf_maybe, intval = self.parse_integer(i)
#
# check for the optional fractional part
ch = self.ll_chars[i]
if ch == '.':
if not self.ll_chars[i+1].isdigit():
raise DecoderError("Expected digit at", i+1)
return self.decode_float(start)
elif ch == 'e' or ch == 'E':
return self.decode_float(start)
elif ovf_maybe:
return self.decode_int_slow(start)
self.pos = i
return self.space.newint(intval)
def decode_float(self, i):
from rpython.rlib import rdtoa
start = rffi.ptradd(self.ll_chars, i)
floatval = rdtoa.dg_strtod(start, self.end_ptr)
diff = rffi.cast(rffi.LONG, self.end_ptr[0]) - rffi.cast(rffi.LONG, start)
self.pos = i + diff
return self.space.newfloat(floatval)
def decode_int_slow(self, i):
start = i
if self.ll_chars[i] == '-':
i += 1
while self.ll_chars[i].isdigit():
i += 1
s = self.getslice(start, i)
self.pos = i
return self.space.call_function(self.space.w_int, self.space.newtext(s))
@always_inline
def parse_integer(self, i):
"Parse a decimal number with an optional minus sign"
sign = 1
# parse the sign
if self.ll_chars[i] == '-':
sign = -1
i += 1
elif self.ll_chars[i] == '+':
i += 1
#
if self.ll_chars[i] == '0':
i += 1
return i, False, 0
intval = 0
start = i
while True:
ch = self.ll_chars[i]
if ch.isdigit():
intval = intval*10 + ord(ch)-ord('0')
i += 1
else:
break
count = i - start
if count == 0:
raise DecoderError("Expected digit at", i)
# if the number has more digits than OVF_DIGITS, it might have
# overflowed
ovf_maybe = (count >= OVF_DIGITS)
return i, ovf_maybe, sign * intval
def decode_array(self, i):
w_list = self.space.newlist([])
start = i
i = self.skip_whitespace(start)
if self.ll_chars[i] == ']':
self.pos = i+1
return w_list
#
while True:
w_item = self.decode_any(i)
i = self.pos
self.space.call_method(w_list, 'append', w_item)
i = self.skip_whitespace(i)
ch = self.ll_chars[i]
i += 1
if ch == ']':
self.pos = i
return w_list
elif ch == ',':
pass
elif ch == '\0':
raise DecoderError("Unterminated array starting at", start)
else:
raise DecoderError("Unexpected '%s' when decoding array" % ch,
i-1)
def decode_object(self, i):
start = i
i = self.skip_whitespace(i)
if self.ll_chars[i] == '}':
self.pos = i+1
return self.space.newdict()
d = {}
while True:
# parse a key: value
name = self.decode_key(i)
i = self.skip_whitespace(self.pos)
ch = self.ll_chars[i]
if ch != ':':
raise DecoderError("No ':' found at", i)
i += 1
i = self.skip_whitespace(i)
#
w_value = self.decode_any(i)
d[name] = w_value
i = self.skip_whitespace(self.pos)
ch = self.ll_chars[i]
i += 1
if ch == '}':
self.pos = i
return self._create_dict(d)
elif ch == ',':
pass
elif ch == '\0':
raise DecoderError("Unterminated object starting at", start)
else:
raise DecoderError("Unexpected '%s' when decoding object" % ch,
i-1)
def _create_dict(self, d):
from pypy.objspace.std.dictmultiobject import from_unicode_key_dict
return from_unicode_key_dict(self.space, d)
def decode_string(self, i):
start = i
bits = 0
while True:
# this loop is a fast path for strings which do not contain escape
# characters
ch = self.ll_chars[i]
i += 1
bits |= ord(ch)
if ch == '"':
self.pos = i
return self.space.newunicode(
self._create_string(start, i - 1, bits))
elif ch == '\\' or ch < '\x20':
self.pos = i-1
return self.decode_string_escaped(start)
def _create_string(self, start, end, bits):
if bits & 0x80:
# the 8th bit is set, it's an utf8 string
content_utf8 = self.getslice(start, end)
return unicodehelper.decode_utf8(self.space, content_utf8)
else:
# ascii only, fast path (ascii is a strict subset of
# latin1, and we already checked that all the chars are <
# 128)
return strslice2unicode_latin1(self.s, start, end)
def decode_string_escaped(self, start):
i = self.pos
builder = StringBuilder((i - start) * 2) # just an estimate
assert start >= 0
assert i >= 0
builder.append_slice(self.s, start, i)
while True:
ch = self.ll_chars[i]
i += 1
if ch == '"':
content_utf8 = builder.build()
content_unicode = unicodehelper.decode_utf8(self.space, content_utf8, allow_surrogates=True)
self.pos = i
return self.space.newunicode(content_unicode)
elif ch == '\\':
i = self.decode_escape_sequence(i, builder)
elif ch < '\x20':
if ch == '\0':
raise DecoderError("Unterminated string starting at",
start - 1)
else:
raise DecoderError("Invalid control character at", i-1)
else:
builder.append(ch)
def decode_escape_sequence(self, i, builder):
ch = self.ll_chars[i]
i += 1
put = builder.append
if ch == '\\': put('\\')
elif ch == '"': put('"' )
elif ch == '/': put('/' )
elif ch == 'b': put('\b')
elif ch == 'f': put('\f')
elif ch == 'n': put('\n')
elif ch == 'r': put('\r')
elif ch == 't': put('\t')
elif ch == 'u':
return self.decode_escape_sequence_unicode(i, builder)
else:
raise DecoderError("Invalid \\escape: %s" % ch, i-1)
return i
def decode_escape_sequence_unicode(self, i, builder):
# at this point we are just after the 'u' of the \u1234 sequence.
start = i
i += 4
hexdigits = self.getslice(start, i)
try:
val = int(hexdigits, 16)
if sys.maxunicode > 65535 and 0xd800 <= val <= 0xdfff:
# surrogate pair
if self.ll_chars[i] == '\\' and self.ll_chars[i+1] == 'u':
val = self.decode_surrogate_pair(i, val)
i += 6
except ValueError:
raise DecoderError("Invalid \\uXXXX escape", i-1)
#
uchr = runicode.code_to_unichr(val) # may be a surrogate pair again
utf8_ch = unicodehelper.encode_utf8(
self.space, uchr, allow_surrogates=True)
builder.append(utf8_ch)
return i
def decode_surrogate_pair(self, i, highsurr):
""" uppon enter the following must hold:
chars[i] == "\\" and chars[i+1] == "u"
"""
i += 2
hexdigits = self.getslice(i, i+4)
lowsurr = int(hexdigits, 16) # the possible ValueError is caugth by the caller
return 0x10000 + (((highsurr - 0xd800) << 10) | (lowsurr - 0xdc00))
def decode_key(self, i):
""" returns an unwrapped unicode """
from rpython.rlib.rarithmetic import intmask
i = self.skip_whitespace(i)
ll_chars = self.ll_chars
ch = ll_chars[i]
if ch != '"':
raise DecoderError("Key name must be string at char", i)
i += 1
start = i
bits = 0
strhash = ord(ll_chars[i]) << 7
while True:
ch = ll_chars[i]
i += 1
if ch == '"':
break
elif ch == '\\' or ch < '\x20':
self.pos = i-1
return self.space.unicode_w(self.decode_string_escaped(start))
strhash = intmask((1000003 * strhash) ^ ord(ll_chars[i]))
bits |= ord(ch)
length = i - start - 1
if length == 0:
strhash = -1
else:
strhash ^= length
strhash = intmask(strhash)
self.pos = i
# check cache first:
key = (ll_chars, start, length, strhash)
try:
return self.cache[key]
except KeyError:
pass
res = self._create_string(start, i - 1, bits)
self.cache[key] = res
return res
def loads(space, w_s, w_errorcls=None):
s = space.text_w(w_s)
decoder = JSONDecoder(space, s)
try:
w_res = decoder.decode_any(0)
i = decoder.skip_whitespace(decoder.pos)
if i < len(s):
start = i
raise DecoderError('Extra data', start)
return w_res
except DecoderError as e:
if w_errorcls is None:
w_errorcls = space.w_ValueError
w_e = space.call_function(w_errorcls, space.newtext(e.msg), w_s,
space.newint(e.pos))
raise OperationError(w_errorcls, w_e)
finally:
decoder.close()
|