/usr/lib/python3/dist-packages/londiste/handler.py is in python3-londiste 3.3.0-1.
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 407 408 409 410 411 412 413 414 415 416 417 418 | """Table handler.
Per-table decision how to create trigger, copy data and apply events.
"""
from __future__ import division, absolute_import, print_function
import sys
import logging
import skytools
import londiste.handlers
_ = """
-- redirect & create table
partition by batch_time
partition by date field
-- sql handling:
cube1 - I/U/D -> partition, insert
cube2 - I/U/D -> partition, del/insert
field remap
name remap
bublin filter
- replay: filter events
- copy: additional where
- add: add trigger args
multimaster
- replay: conflict handling, add fncall to sql queue?
- add: add 'backup' arg to trigger
plain londiste:
- replay: add to sql queue
"""
__all__ = ['RowCache', 'BaseHandler', 'build_handler', 'EncodingValidator',
'load_handler_modules', 'create_handler_string']
class RowCache(object):
def __init__(self, table_name):
self.table_name = table_name
self.keys = {}
self.rows = []
def add_row(self, d):
row = [None] * len(self.keys)
for k, v in d.items():
try:
row[self.keys[k]] = v
except KeyError:
i = len(row)
self.keys[k] = i
row.append(v)
row = tuple(row)
self.rows.append(row)
def get_fields(self):
row = [None] * len(self.keys)
for k, i in self.keys.keys():
row[i] = k
return tuple(row)
def apply_rows(self, curs):
fields = self.get_fields()
skytools.magic_insert(curs, self.table_name, self.rows, fields)
class BaseHandler(object):
"""Defines base API, does nothing.
"""
handler_name = 'nop'
log = logging.getLogger('basehandler')
def __init__(self, table_name, args, dest_table):
self.table_name = table_name
self.dest_table = dest_table or table_name
self.fq_table_name = skytools.quote_fqident(self.table_name)
self.fq_dest_table = skytools.quote_fqident(self.dest_table)
self.args = args
self._check_args(args)
self.conf = self.get_config()
def _parse_args_from_doc(self):
doc = self.__doc__ or ""
params_descr = []
params_found = False
for line in doc.splitlines():
ln = line.strip()
if params_found:
if ln == "":
break
descr = ln.split(None, 1)
name, sep, ___rest = descr[0].partition('=')
if sep:
expr = descr[0].rstrip(":")
text = descr[1].lstrip(":- \t")
else:
name, expr, text = params_descr.pop()
text += "\n" + ln
params_descr.append((name, expr, text))
elif ln == "Parameters:":
params_found = True
return params_descr
def _check_args(self, args):
self.valid_arg_names = []
passed_arg_names = args.keys() if args else []
args_from_doc = self._parse_args_from_doc()
if args_from_doc:
self.valid_arg_names = list(zip(*args_from_doc)[0])
invalid = set(passed_arg_names) - set(self.valid_arg_names)
if invalid:
raise ValueError("Invalid handler argument: %s" % list(invalid))
def get_arg(self, name, value_list, default=None):
""" Return arg value or default; also check if value allowed. """
default = default or value_list[0]
val = type(default)(self.args.get(name, default))
if val not in value_list:
raise Exception('Bad argument %s value %r' % (name, val))
return val
def get_config(self):
""" Process args dict (into handler config). """
conf = skytools.dbdict()
return conf
def add(self, trigger_arg_list):
"""Called when table is added.
Can modify trigger args.
"""
pass
def reset(self):
"""Called before starting to process a batch.
Should clean any pending data.
"""
pass
def prepare_batch(self, batch_info, dst_curs):
"""Called on first event for this table in current batch."""
pass
def process_event(self, ev, sql_queue_func, arg):
"""Process a event.
Event should be added to sql_queue or executed directly.
"""
pass
def finish_batch(self, batch_info, dst_curs):
"""Called when batch finishes."""
pass
def get_copy_condition(self, src_curs, dst_curs):
""" Use if you want to filter data """
return ''
def real_copy(self, src_tablename, src_curs, dst_curs, column_list):
"""do actual table copy and return tuple with number of bytes and rows
copied
"""
condition = self.get_copy_condition(src_curs, dst_curs)
return skytools.full_copy(src_tablename, src_curs, dst_curs,
column_list, condition,
dst_tablename=self.dest_table)
def needs_table(self):
"""Does the handler need the table to exist on destination."""
return True
class TableHandler(BaseHandler):
"""Default Londiste handler, inserts events into tables with plain SQL.
Parameters:
encoding=ENC - Validate and fix incoming data from encoding.
Only 'utf8' is supported at the moment.
ignore_truncate=BOOL - Ignore truncate event. Default: 0; Values: 0,1.
"""
handler_name = 'londiste'
sql_command = {
'I': "insert into %s %s;",
'U': "update only %s set %s;",
'D': "delete from only %s where %s;",
}
allow_sql_event = 1
def __init__(self, table_name, args, dest_table):
super(TableHandler, self).__init__(table_name, args, dest_table)
enc = args.get('encoding')
if enc:
self.encoding_validator = EncodingValidator(self.log, enc)
else:
self.encoding_validator = None
def get_config(self):
conf = super(TableHandler, self).get_config()
conf.ignore_truncate = self.get_arg('ignore_truncate', [0, 1], 0)
return conf
def process_event(self, ev, sql_queue_func, arg):
row = self.parse_row_data(ev)
if len(ev.type) == 1:
# sql event
fqname = self.fq_dest_table
fmt = self.sql_command[ev.type]
sql = fmt % (fqname, row)
else:
# urlenc event
pklist = ev.type[2:].split(',')
op = ev.type[0]
tbl = self.dest_table
if op == 'I':
sql = skytools.mk_insert_sql(row, tbl, pklist)
elif op == 'U':
sql = skytools.mk_update_sql(row, tbl, pklist)
elif op == 'D':
sql = skytools.mk_delete_sql(row, tbl, pklist)
sql_queue_func(sql, arg)
def parse_row_data(self, ev):
"""Extract row data from event, with optional encoding fixes.
Returns either string (sql event) or dict (urlenc event).
"""
if len(ev.type) == 1:
if not self.allow_sql_event:
raise Exception('SQL events not supported by this handler')
if self.encoding_validator:
return self.encoding_validator.validate_string(ev.data, self.table_name)
return ev.data
else:
row = skytools.db_urldecode(ev.data)
if self.encoding_validator:
return self.encoding_validator.validate_dict(row, self.table_name)
return row
def real_copy(self, src_tablename, src_curs, dst_curs, column_list):
"""do actual table copy and return tuple with number of bytes and rows
copied
"""
if self.encoding_validator:
def _write_hook(obj, data):
return self.encoding_validator.validate_copy(data, column_list, src_tablename)
else:
_write_hook = None
condition = self.get_copy_condition(src_curs, dst_curs)
return skytools.full_copy(src_tablename, src_curs, dst_curs,
column_list, condition,
dst_tablename=self.dest_table,
write_hook=_write_hook)
#------------------------------------------------------------------------------
# ENCODING VALIDATOR
#------------------------------------------------------------------------------
class EncodingValidator(object):
def __init__(self, log, encoding='utf-8', replacement=u'\ufffd'):
"""validates the correctness of given encoding. when data contains
illegal symbols, replaces them with <replacement> and logs the
incident
"""
if encoding.lower() not in ('utf8', 'utf-8'):
raise Exception('only utf8 supported')
self.encoding = encoding
self.log = log
self.columns = None
self.error_count = 0
def show_error(self, col, val, pfx, unew):
if pfx:
col = pfx + '.' + col
self.log.info('Fixed invalid UTF8 in column <%s>', col)
self.log.debug('<%s>: old=%r new=%r', col, val, unew)
def validate_copy(self, data, columns, pfx=""):
"""Validate tab-separated fields"""
ok, _unicode = skytools.safe_utf8_decode(data)
if ok:
return data
# log error
vals = data.split('\t')
for i, v in enumerate(vals):
ok, tmp = skytools.safe_utf8_decode(v)
if not ok:
self.show_error(columns[i], v, pfx, tmp)
# return safe data
return _unicode.encode('utf8')
def validate_dict(self, data, pfx=""):
"""validates data in dict"""
for k, v in data.items():
if v:
ok, u = skytools.safe_utf8_decode(v)
if not ok:
self.show_error(k, v, pfx, u)
data[k] = u.encode('utf8')
return data
def validate_string(self, value, pfx=""):
"""validate string"""
ok, u = skytools.safe_utf8_decode(value)
if ok:
return value
_pfx = pfx and (pfx+': ') or ""
self.log.info('%sFixed invalid UTF8 in string <%s>', _pfx, value)
return u.encode('utf8')
#
# handler management
#
_handler_map = {
'londiste': TableHandler,
}
_handler_list = list(_handler_map.keys())
def register_handler_module(modname):
"""Import and module and register handlers."""
try:
__import__(modname)
except ImportError:
print("Failed to load handler module: %s" % (modname,))
return
m = sys.modules[modname]
for h in m.__londiste_handlers__:
_handler_map[h.handler_name] = h
_handler_list.append(h.handler_name)
def _parse_arglist(arglist):
args = {}
for arg in arglist or []:
key, _, val = arg.partition('=')
key = key.strip()
if key in args:
raise Exception('multiple handler arguments: %s' % key)
args[key] = val.strip()
return args
def create_handler_string(name, arglist):
handler = name
if name.find('(') >= 0:
raise Exception('invalid handler name: %s' % name)
if arglist:
args = _parse_arglist(arglist)
astr = skytools.db_urlencode(args)
handler = '%s(%s)' % (handler, astr)
return handler
def _parse_handler(hstr):
"""Parse result of create_handler_string()."""
args = {}
name = hstr
pos = hstr.find('(')
if pos > 0:
name = hstr[ : pos]
if hstr[-1] != ')':
raise Exception('invalid handler format: %s' % hstr)
astr = hstr[pos + 1 : -1]
if astr:
astr = astr.replace(',', '&')
args = skytools.db_urldecode(astr)
return (name, args)
def build_handler(tblname, hstr, dest_table=None):
"""Parse and initialize handler.
hstr is result of create_handler_string()."""
hname, args = _parse_handler(hstr)
# when no handler specified, use londiste
hname = hname or 'londiste'
klass = _handler_map[hname]
if not dest_table:
dest_table = tblname
return klass(tblname, args, dest_table)
def load_handler_modules(cf):
"""Load and register modules from config."""
lst = londiste.handlers.DEFAULT_HANDLERS
lst += cf.getlist('handler_modules', [])
for m in lst:
register_handler_module(m)
def show(mods):
if not mods:
#names = _handler_map.keys()
#names.sort()
names = _handler_list
for n in names:
kls = _handler_map[n]
desc = kls.__doc__ or ''
if desc:
desc = desc.strip().split('\n', 1)[0]
print("%s - %s" % (n, desc))
else:
for n in mods:
kls = _handler_map[n]
desc = kls.__doc__ or ''
if desc:
desc = desc.strip()
print("%s - %s" % (n, desc))
|