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
|
from copy import copy
import sqlalchemy as sa
from sqlalchemy.ext.declarative import declared_attr, has_inherited_table
from sqlalchemy_utils.functions import get_declarative_base, get_primary_keys
from .builders import HybridPropertyBuilder, RelationshipBuilder
from .utils import all_translated_columns, is_string
class BaseTranslationMixin(object):
pass
def translation_base(
parent_cls,
base_class_factory=None,
foreign_key_args=None
):
if base_class_factory is None:
base_class_factory = get_declarative_base
if foreign_key_args is None:
foreign_key_args = {}
foreign_key_args.setdefault('ondelete', 'CASCADE')
class TranslationMixin(
base_class_factory(parent_cls),
BaseTranslationMixin
):
__abstract__ = True
__parent_class__ = parent_cls
@declared_attr
def __table_args__(cls):
if has_inherited_table(cls):
return tuple()
else:
names = list(get_primary_keys(parent_cls).keys())
return (
sa.schema.ForeignKeyConstraint(
names,
[
'%s.%s' % (parent_cls.__tablename__, name)
for name in names
],
**foreign_key_args
),
)
for column in parent_cls.__table__.c:
if column.primary_key:
column_copy = column._copy()
column_copy.autoincrement = False
setattr(
TranslationMixin,
column.key,
column_copy
)
TranslationMixin.locale = sa.Column(
sa.String(10), primary_key=True
)
return TranslationMixin
class TranslationManager(object):
def __init__(self):
self.class_map = {}
self.pending_classes = []
self.options = {
'locales': [],
'auto_create_locales': True,
'fallback_locale': 'en',
'exclude_hybrid_properties': [],
'translations_relationship_args': {}
}
def instrument_translation_classes(self, mapper, cls):
"""
SQLAlchemy class instrumentation listener that adds all translation
classes to pending classes list. These classes are later on processed
by configure_translatable_classes listener.
:param mapper: SQLAlchemy mapper
:param cls: SQLAlchemy declarative class
"""
if issubclass(cls, BaseTranslationMixin):
self.pending_classes.append(cls)
def configure_translatable_classes(self):
"""
This SQLAlchemy after_configured listener configures all translation
classes, builds hybrid properties for translation parent classes and
finally builds relationships between translation and parent classes.
"""
for cls in self.pending_classes:
self.class_map[cls.__parent_class__] = cls
parent_cls = cls.__parent_class__
# Args need to be copied to avoid scenarios where many child
# classes inherit the __translatable__ dict from parent class and
# then have the same reference to same dict.
parent_cls.__translatable__ = copy(parent_cls.__translatable__)
parent_cls.__translatable__['manager'] = self
parent_cls.__translatable__['class'] = cls
HybridPropertyBuilder(self, cls)()
RelationshipBuilder(self, cls)()
self.pending_classes = []
def option(self, model, name):
"""
Returns the option value for given model. If the option is not found
from given model falls back to default values of this manager object.
If the option is not found from this manager object either this method
throws a KeyError.
:param model: SQLAlchemy declarative object
:param name: name of the translation option
"""
try:
return model.__translatable__[name]
except (AttributeError, KeyError):
return self.options[name]
def set_not_nullables_to_empty_strings(self, locale, obj):
for column in all_translated_columns(obj.__class__):
if (
not column.nullable and
is_string(column.type) and
column.default is None and
column.server_default is None and
getattr(obj.translations[locale], column.name) is None
):
setattr(obj.translations[locale], column.name, u'')
def create_missing_locales(self, obj):
"""
Creates empty locale objects for given SQLAlchemy declarative object.
:param model: SQLAlchemy declarative model object
"""
session = sa.orm.session.object_session(obj)
for locale in self.option(obj, 'locales'):
if obj.translations[locale] is None:
class_ = obj.__translatable__['class']
obj.translations[locale] = class_(
translation_parent=obj,
locale=locale
)
self.set_not_nullables_to_empty_strings(locale, obj)
session.add(obj)
def auto_create_translations(self, session, flush_context, instances):
if self.options['auto_create_locales']:
for obj in session.new:
if hasattr(obj, '__translatable__'):
self.create_missing_locales(obj)
translation_manager = TranslationManager()
|