用棉花糖序列化日期时间的简短方法

Short way to serialize datetime with marshmallow

这是我的情况:我在 MSSQL 中存储了一些日期时间,我通过 SQLAlchemy 在我的 python 应用程序中获取了它,然后通过 Marshmallow 将其序列化,如下所示:

class MyVisitSchema(Schema):
    cafe = fields.Nested(CafeSchema)
    started_at = fields.DateTime()
    ended_at = fields.DateTime()

    class Meta:
        additional = ('duration',)
        ordered = True

但这里的问题是:序列化后我得到类似 "started_at": "1994-05-20T00:00:00+00:00" 的内容,它表示 UTC+0,但我将所有日期存储在没有任何时区信息的数据库中,但在 UTC+3 中。

我知道我可以使用 fields.Method() 来更改输出时区,但它看起来很不方便。有什么想法可以让我的序列化器正常工作吗?)

在官方纪录片中找到了一些信息。所以,我的问题可以使用

解决

started_at = fields.DateTime('%Y-%m-%dT%H:%M:%S+03:00')

硬编码了一点,但看起来比使用 fields.Method()

的附加功能更好

如果不行,使用关键字format

started_at = fields.DateTime(format='%Y-%m-%dT%H:%M:%S+03:00')

我宁愿使用datetimeformat,参见:https://marshmallow.readthedocs.io/en/3.0/api_reference.html

示例:

class MyVisitSchema(Schema):
    cafe = fields.Nested(CafeSchema)
    started_at = fields.DateTime()
    ended_at = fields.DateTime()

    class Meta:
        additional = ('duration',)
        ordered = True
        # dateformat = '%Y-%m-%dT%H:%M:%S%z'
        dateformat = '%Y-%m-%dT%H:%M:%S+03:00'

我更喜欢:

class BaseSchema(Schema):
    class Meta:
        dateformat = '%Y-%m-%dT%H:%M:%S+03:00'


class MyVisitSchema(BaseSchema):
    cafe = fields.Nested(CafeSchema)
    started_at = fields.DateTime()
    ended_at = fields.DateTime()

    class Meta(BaseSchema.Meta):
        additional = ('duration',)
        ordered = True