/usr/lib/python2.7/dist-packages/pycassa/marshal.py is in python-pycassa 1.11.1-2.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
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 | """
Tools for marshalling and unmarshalling data stored
in Cassandra.
"""
import uuid
import struct
import calendar
from datetime import datetime
from decimal import Decimal
import pycassa.util as util
_number_types = frozenset((int, long, float))
def make_packer(fmt_string):
return struct.Struct(fmt_string)
_bool_packer = make_packer('>B')
_float_packer = make_packer('>f')
_double_packer = make_packer('>d')
_long_packer = make_packer('>q')
_int_packer = make_packer('>i')
_short_packer = make_packer('>H')
_BASIC_TYPES = ('BytesType', 'LongType', 'IntegerType', 'UTF8Type',
'AsciiType', 'LexicalUUIDType', 'TimeUUIDType',
'CounterColumnType', 'FloatType', 'DoubleType',
'DateType', 'BooleanType', 'UUIDType', 'Int32Type',
'DecimalType', 'TimestampType')
def extract_type_name(typestr):
if typestr is None:
return 'BytesType'
if "DynamicCompositeType" in typestr:
return _get_composite_name(typestr)
if "CompositeType" in typestr:
return _get_composite_name(typestr)
if "ReversedType" in typestr:
return _get_inner_type(typestr)
index = typestr.rfind('.')
if index != -1:
typestr = typestr[index + 1:]
if typestr not in _BASIC_TYPES:
typestr = 'BytesType'
return typestr
def _get_inner_type(typestr):
""" Given a str like 'org.apache...ReversedType(LongType)',
return just 'LongType' """
first_paren = typestr.find('(')
return typestr[first_paren + 1:-1]
def _get_inner_types(typestr):
""" Given a str like 'org.apache...CompositeType(LongType, DoubleType)',
return a tuple of the inner types, like ('LongType', 'DoubleType') """
internal_str = _get_inner_type(typestr)
return map(str.strip, internal_str.split(','))
def _get_composite_name(typestr):
types = map(extract_type_name, _get_inner_types(typestr))
return "CompositeType(" + ", ".join(types) + ")"
def _to_timestamp(v):
# Expects Value to be either date or datetime
try:
converted = calendar.timegm(v.utctimetuple())
converted = converted * 1e3 + getattr(v, 'microsecond', 0) / 1e3
except AttributeError:
# Ints and floats are valid timestamps too
if type(v) not in _number_types:
raise TypeError('DateType arguments must be a datetime or timestamp')
converted = v * 1e3
return long(converted)
def get_composite_packer(typestr=None, composite_type=None):
assert (typestr or composite_type), "Must provide typestr or " + \
"CompositeType instance"
if typestr:
packers = map(packer_for, _get_inner_types(typestr))
elif composite_type:
packers = [c.pack for c in composite_type.components]
len_packer = _short_packer.pack
def pack_composite(items, slice_start=None):
last_index = len(items) - 1
s = ''
for i, (item, packer) in enumerate(zip(items, packers)):
eoc = '\x00'
if isinstance(item, tuple):
item, inclusive = item
if inclusive:
if slice_start:
eoc = '\xff'
elif slice_start is False:
eoc = '\x01'
else:
if slice_start:
eoc = '\x01'
elif slice_start is False:
eoc = '\xff'
elif i == last_index:
if slice_start:
eoc = '\xff'
elif slice_start is False:
eoc = '\x01'
packed = packer(item)
s += ''.join((len_packer(len(packed)), packed, eoc))
return s
return pack_composite
def get_composite_unpacker(typestr=None, composite_type=None):
assert (typestr or composite_type), "Must provide typestr or " + \
"CompositeType instance"
if typestr:
unpackers = map(unpacker_for, _get_inner_types(typestr))
elif composite_type:
unpackers = [c.unpack for c in composite_type.components]
len_unpacker = lambda v: _short_packer.unpack(v)[0]
def unpack_composite(bytestr):
# The composite format for each component is:
# <len> <value> <eoc>
# 2 bytes | ? bytes | 1 byte
components = []
i = iter(unpackers)
while bytestr:
unpacker = i.next()
length = len_unpacker(bytestr[:2])
components.append(unpacker(bytestr[2:2 + length]))
bytestr = bytestr[3 + length:]
return tuple(components)
return unpack_composite
def get_dynamic_composite_packer(typestr):
cassandra_types = {}
for inner_type in _get_inner_types(typestr):
alias, cassandra_type = inner_type.split('=>')
cassandra_types[alias] = cassandra_type
len_packer = _short_packer.pack
def pack_dynamic_composite(items, slice_start=None):
last_index = len(items) - 1
s = ''
i = 0
for (alias, item) in items:
eoc = '\x00'
if isinstance(alias, tuple):
inclusive = item
alias, item = alias
if inclusive:
if slice_start:
eoc = '\xff'
elif slice_start is False:
eoc = '\x01'
else:
if slice_start:
eoc = '\x01'
elif slice_start is False:
eoc = '\xff'
elif i == last_index:
if slice_start:
eoc = '\xff'
elif slice_start is False:
eoc = '\x01'
if isinstance(alias, str) and len(alias) == 1:
header = '\x80' + alias
packer = packer_for(cassandra_types[alias])
else:
cassandra_type = str(alias).split('(')[0]
header = len_packer(len(cassandra_type)) + cassandra_type
packer = packer_for(cassandra_type)
i += 1
packed = packer(item)
s += ''.join((header, len_packer(len(packed)), packed, eoc))
return s
return pack_dynamic_composite
def get_dynamic_composite_unpacker(typestr):
cassandra_types = {}
for inner_type in _get_inner_types(typestr):
alias, cassandra_type = inner_type.split('=>')
cassandra_types[alias] = cassandra_type
len_unpacker = lambda v: _short_packer.unpack(v)[0]
def unpack_dynamic_composite(bytestr):
# The composite format for each component is:
# <header> <len> <value> <eoc>
# ? bytes | 2 bytes | ? bytes | 1 byte
types = []
components = []
while bytestr:
header = len_unpacker(bytestr[:2])
if header & 0x8000:
alias = bytestr[1]
types.append(alias)
unpacker = unpacker_for(cassandra_types[alias])
bytestr = bytestr[2:]
else:
cassandra_type = bytestr[2:2 + header]
types.append(cassandra_type)
unpacker = unpacker_for(cassandra_type)
bytestr = bytestr[2 + header:]
length = len_unpacker(bytestr[:2])
components.append(unpacker(bytestr[2:2 + length]))
bytestr = bytestr[3 + length:]
return tuple(zip(types, components))
return unpack_dynamic_composite
def packer_for(typestr):
if typestr is None:
return lambda v: v
if "DynamicCompositeType" in typestr:
return get_dynamic_composite_packer(typestr)
if "CompositeType" in typestr:
return get_composite_packer(typestr)
if "ReversedType" in typestr:
return packer_for(_get_inner_type(typestr))
data_type = extract_type_name(typestr)
if data_type in ('DateType', 'TimestampType'):
def pack_date(v, _=None):
return _long_packer.pack(_to_timestamp(v))
return pack_date
elif data_type == 'BooleanType':
def pack_bool(v, _=None):
return _bool_packer.pack(bool(v))
return pack_bool
elif data_type == 'DoubleType':
def pack_double(v, _=None):
return _double_packer.pack(v)
return pack_double
elif data_type == 'FloatType':
def pack_float(v, _=None):
return _float_packer.pack(v)
return pack_float
elif data_type == 'DecimalType':
def pack_decimal(dec, _=None):
sign, digits, exponent = dec.as_tuple()
unscaled = int(''.join(map(str, digits)))
if sign:
unscaled *= -1
scale = _int_packer.pack(-exponent)
unscaled = encode_int(unscaled)
return scale + unscaled
return pack_decimal
elif data_type == 'LongType':
def pack_long(v, _=None):
return _long_packer.pack(v)
return pack_long
elif data_type == 'Int32Type':
def pack_int32(v, _=None):
return _int_packer.pack(v)
return pack_int32
elif data_type == 'IntegerType':
return encode_int
elif data_type == 'UTF8Type':
def pack_utf8(v, _=None):
try:
return v.encode('utf-8')
except UnicodeDecodeError:
# v is already utf-8 encoded
return v
return pack_utf8
elif 'UUIDType' in data_type:
def pack_uuid(value, slice_start=None):
if slice_start is None:
value = util.convert_time_to_uuid(value,
randomize=True)
else:
value = util.convert_time_to_uuid(value,
lowest_val=slice_start,
randomize=False)
if not hasattr(value, 'bytes'):
raise TypeError("%s is not valid for UUIDType" % value)
return value.bytes
return pack_uuid
elif data_type == "CounterColumnType":
def noop(value, slice_start=None):
return value
return noop
else: # data_type == 'BytesType' or something unknown
def pack_bytes(v, _=None):
if not isinstance(v, basestring):
raise TypeError("A str or unicode value was expected, " +
"but %s was received instead (%s)"
% (v.__class__.__name__, str(v)))
return v
return pack_bytes
def unpacker_for(typestr):
if typestr is None:
return lambda v: v
if "DynamicCompositeType" in typestr:
return get_dynamic_composite_unpacker(typestr)
if "CompositeType" in typestr:
return get_composite_unpacker(typestr)
if "ReversedType" in typestr:
return unpacker_for(_get_inner_type(typestr))
data_type = extract_type_name(typestr)
if data_type == 'BytesType':
return lambda v: v
elif data_type in ('DateType', 'TimestampType'):
return lambda v: datetime.utcfromtimestamp(
_long_packer.unpack(v)[0] / 1e3)
elif data_type == 'BooleanType':
return lambda v: bool(_bool_packer.unpack(v)[0])
elif data_type == 'DoubleType':
return lambda v: _double_packer.unpack(v)[0]
elif data_type == 'FloatType':
return lambda v: _float_packer.unpack(v)[0]
elif data_type == 'DecimalType':
def unpack_decimal(v):
scale = _int_packer.unpack(v[:4])[0]
unscaled = decode_int(v[4:])
return Decimal('%de%d' % (unscaled, -scale))
return unpack_decimal
elif data_type == 'LongType':
return lambda v: _long_packer.unpack(v)[0]
elif data_type == 'Int32Type':
return lambda v: _int_packer.unpack(v)[0]
elif data_type == 'IntegerType':
return decode_int
elif data_type == 'UTF8Type':
return lambda v: v.decode('utf-8')
elif 'UUIDType' in data_type:
return lambda v: uuid.UUID(bytes=v)
else:
return lambda v: v
def encode_int(x, *args):
if x >= 0:
out = []
while x >= 256:
out.append(struct.pack('B', 0xff & x))
x >>= 8
out.append(struct.pack('B', 0xff & x))
if x > 127:
out.append('\x00')
else:
x = -1 - x
out = []
while x >= 256:
out.append(struct.pack('B', 0xff & ~x))
x >>= 8
if x <= 127:
out.append(struct.pack('B', 0xff & ~x))
else:
out.append(struct.pack('>H', 0xffff & ~x))
return ''.join(reversed(out))
def decode_int(term, *args):
if term != "":
val = int(term.encode('hex'), 16)
if (ord(term[0]) & 128) != 0:
val = val - (1 << (len(term) * 8))
return val
|