Files
@ 2b9fc9794d5e
Branch filter:
Location: rattail-project/rattail/rattail/db/changes.py
2b9fc9794d5e
7.3 KiB
text/x-python
Add RotatingFileHandler to sample config.
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 | #!/usr/bin/env python
# -*- coding: utf-8 -*-
################################################################################
#
# Rattail -- Retail Software Framework
# Copyright © 2010-2012 Lance Edgar
#
# This file is part of Rattail.
#
# Rattail is free software: you can redistribute it and/or modify it under the
# terms of the GNU Affero General Public License as published by the Free
# Software Foundation, either version 3 of the License, or (at your option)
# any later version.
#
# Rattail is distributed in the hope that it will be useful, but WITHOUT ANY
# WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS
# FOR A PARTICULAR PURPOSE. See the GNU Affero General Public License for
# more details.
#
# You should have received a copy of the GNU Affero General Public License
# along with Rattail. If not, see <http://www.gnu.org/licenses/>.
#
################################################################################
"""
Data Changes
"""
from sqlalchemy.event import listen
from sqlalchemy.orm import object_mapper, RelationshipProperty
from . import model
from ..core import get_uuid
__all__ = ['record_changes']
import logging
log = logging.getLogger(__name__)
def record_changes(session, ignore_role_changes=True):
"""
Record all changes which occur within a session.
:param session: A ``sqlalchemy.orm.sessionmaker`` class, or an instance
thereof.
:param ignore_role_changes: Whether changes involving roles and role
membership should be ignored. This defaults to ``True``, which means
each database will be responsible for maintaining its own role (and by
extension, permissions) data.
"""
listen(session, 'before_flush', ChangeRecorder(ignore_role_changes))
class ChangeRecorder(object):
"""
Listener for session ``before_flush`` events.
This class is responsible for adding stub records to the ``changes`` table,
which will in turn be used by the database synchronizer to manage change
data propagation.
"""
def __init__(self, ignore_role_changes=True):
self.ignore_role_changes = ignore_role_changes
def __call__(self, session, flush_context, instances):
"""
Method invoked when session ``before_flush`` event occurs.
"""
for instance in session.deleted:
log.debug("ChangeRecorder: found deleted instance: {0}".format(repr(instance)))
self.record_change(session, instance, deleted=True)
for instance in session.new:
log.debug("ChangeRecorder: found new instance: {0}".format(repr(instance)))
self.record_change(session, instance)
for instance in session.dirty:
if session.is_modified(instance, passive=True):
# Orphaned objects which really are pending deletion show up in
# session.dirty instead of session.deleted, hence this check.
# See also https://groups.google.com/d/msg/sqlalchemy/H4nQTHphc0M/Xr8-Cgra0Z4J
if self.is_deletable_orphan(instance):
log.debug("ChangeRecorder: found orphan pending deletion: {0}".format(repr(instance)))
self.record_change(session, instance, deleted=True)
else:
log.debug("ChangeRecorder: found dirty instance: {0}".format(repr(instance)))
self.record_change(session, instance)
def is_deletable_orphan(self, instance):
"""
Determine if an object is an orphan and pending deletion.
"""
mapper = object_mapper(instance)
for property_ in mapper.iterate_properties:
if isinstance(property_, RelationshipProperty):
relationship = property_
# Does this relationship refer back to the instance class?
backref = relationship.backref or relationship.back_populates
if backref:
# Does the other class mapper's relationship wish to delete orphans?
# other_relationship = relationship.mapper.relationships[backref]
other_relationship = relationship.mapper.get_property(backref)
if other_relationship.cascade.delete_orphan:
# Is this instance an orphan?
if getattr(instance, relationship.key) is None:
return True
return False
def record_change(self, session, instance, deleted=False):
"""
Record a change record in the database.
If ``instance`` represents a change in which we are interested, then
this method will create (or update) a :class:`rattail.db.model.Change`
record.
:returns: ``True`` if a change was recorded, or ``False`` if it was
ignored.
"""
# No need to record changes for changes. Must not use `isinstance()`
# here due to mocking in tests.
if (hasattr(instance.__class__, '__tablename__')
and instance.__class__.__tablename__ == 'changes'):
return False
# No need to record changes for batch data.
if isinstance(instance, (model.Batch, model.BatchColumn, model.BatchRow)):
return False
# Ignore instances which don't use UUID.
if not hasattr(instance, 'uuid'):
return False
# Ignore Role instances, if so configured.
if self.ignore_role_changes and isinstance(instance, (model.Role, model.UserRole)):
return False
# Provide an UUID value, if necessary.
self.ensure_uuid(instance)
# Record the change.
change = session.query(model.Change).get(
(instance.__class__.__name__, instance.uuid))
if not change:
change = model.Change(
class_name=instance.__class__.__name__,
uuid=instance.uuid)
session.add(change)
change.deleted = deleted
log.debug("ChangeRecorder.record_change: recorded change: %s" % repr(change))
return True
def ensure_uuid(self, instance):
"""
Ensure the given instance has a UUID value.
This uses the following logic:
* If the instance already has a UUID, nothing will be done.
* If the instance contains a foreign key to another table, then that
relationship will be traversed and the foreign object's UUID will be used
to populate that of the instance.
* Otherwise, a new UUID will be generated for the instance.
"""
if instance.uuid:
return
mapper = object_mapper(instance)
if not mapper.columns['uuid'].foreign_keys:
instance.uuid = get_uuid()
return
for prop in mapper.iterate_properties:
if (isinstance(prop, RelationshipProperty)
and len(prop.remote_side) == 1
and list(prop.remote_side)[0].key == 'uuid'):
foreign_instance = getattr(instance, prop.key)
if foreign_instance:
self.ensure_uuid(foreign_instance)
instance.uuid = foreign_instance.uuid
return
instance.uuid = get_uuid()
log.error("ChangeRecorder.ensure_uuid: unexpected scenario; generated new UUID for instance: {0}".format(repr(instance)))
|