98 lines
3.4 KiB
Python
98 lines
3.4 KiB
Python
from importlib import import_module
|
|
import datetime
|
|
|
|
from sqlalchemy import BigInteger, util
|
|
from sqlalchemy.dialects import mysql, sqlite
|
|
from sqlalchemy.types import DateTime, TypeDecorator
|
|
|
|
|
|
class ModelSerializeMixin:
|
|
"""Mixin class used for models to serialize them automatically
|
|
Ignores private and protected members as well as members marked as not to publish (name ends with _)
|
|
"""
|
|
|
|
def __is_optional(self, param):
|
|
import typing
|
|
|
|
module = import_module("flaschengeist.models").__dict__
|
|
|
|
try:
|
|
hint = typing.get_type_hints(self.__class__, globalns=module, locals=locals())[param]
|
|
if (
|
|
typing.get_origin(hint) is typing.Union
|
|
and len(typing.get_args(hint)) == 2
|
|
and typing.get_args(hint)[1] is type(None)
|
|
):
|
|
return getattr(self, param) is None
|
|
except:
|
|
pass
|
|
|
|
def serialize(self):
|
|
"""Serialize class to dict
|
|
Returns:
|
|
Dict of all not private or protected annotated member variables.
|
|
"""
|
|
d = {
|
|
param: getattr(self, param)
|
|
for param in self.__class__.__annotations__
|
|
if not param.startswith("_") and not param.endswith("_") and not self.__is_optional(param)
|
|
}
|
|
if len(d) == 1:
|
|
_, value = d.popitem()
|
|
return value
|
|
return d
|
|
|
|
def __str__(self) -> str:
|
|
return self.serialize().__str__()
|
|
|
|
|
|
class Serial(TypeDecorator):
|
|
"""Same as MariaDB Serial used for IDs"""
|
|
|
|
cache_ok = True
|
|
impl = BigInteger().with_variant(mysql.BIGINT(unsigned=True), "mysql").with_variant(sqlite.INTEGER(), "sqlite")
|
|
|
|
# https://alembic.sqlalchemy.org/en/latest/autogenerate.html?highlight=custom%20column#affecting-the-rendering-of-types-themselves
|
|
def __repr__(self) -> str:
|
|
return util.generic_repr(self)
|
|
|
|
|
|
class UtcDateTime(TypeDecorator):
|
|
"""Almost equivalent to `sqlalchemy.types.DateTime` with
|
|
``timezone=True`` option, but it differs from that by:
|
|
|
|
- Never silently take naive :class:`datetime.datetime`, instead it
|
|
always raise :exc:`ValueError` unless time zone aware value.
|
|
- :class:`datetime.datetime` value's :attr:`datetime.datetime.tzinfo`
|
|
is always converted to UTC.
|
|
- Unlike SQLAlchemy's built-in :class:`sqlalchemy.types.DateTime`,
|
|
it never return naive :class:`datetime.datetime`, but time zone
|
|
aware value, even with SQLite or MySQL.
|
|
"""
|
|
|
|
cache_ok = True
|
|
impl = DateTime(timezone=True)
|
|
|
|
@staticmethod
|
|
def current_utc():
|
|
return datetime.datetime.now(tz=datetime.timezone.utc)
|
|
|
|
def process_bind_param(self, value, dialect):
|
|
if value is not None:
|
|
if not isinstance(value, datetime.datetime):
|
|
raise TypeError("expected datetime.datetime, not " + repr(value))
|
|
elif value.tzinfo is None:
|
|
raise ValueError("naive datetime is disallowed")
|
|
return value.astimezone(datetime.timezone.utc)
|
|
|
|
def process_result_value(self, value, dialect):
|
|
if value is not None:
|
|
if value.tzinfo is not None:
|
|
value = value.astimezone(datetime.timezone.utc)
|
|
value = value.replace(tzinfo=datetime.timezone.utc)
|
|
return value
|
|
|
|
# https://alembic.sqlalchemy.org/en/latest/autogenerate.html?highlight=custom%20column#affecting-the-rendering-of-types-themselves
|
|
def __repr__(self) -> str:
|
|
return util.generic_repr(self)
|