marshmallow
摘自 https://www.cnblogs.com/ChangAn223/p/11305376.html
marshmallow 是一个用来将复杂的 orm 对象与 python 原生数据类型之间相互转换的库,简而言之,就是实现 object -> dict, objects -> list,string -> dict 和 string -> list。
marshmallow 的两个主要功能:数据转换和数据校验
快速开始
要进行序列化或反序列化,首先我们需要一个用来操作的 object,这里我们先定义一个类:
1
2
3
4
5
6
7
8
| import datetime as dt
class User:
def __init__(self, name, email):
self.name = name
self.email = email
self.created_time = dt.datetime.now()
|
Schema
要对一个类或者一个 json 数据实现相互转换 (即序列化和反序列化),需要一个中间载体,这个载体就是 Schema
另外 Schema 还可以用来做数据验证。
1
2
3
4
5
6
7
8
| # 这是一个简单的Scheme
from marshmallow import Schema, fields
class UserSchema(Schema):
name = fields.String()
email = fields.Email()
created_time = fields.DateTime()
|
Serializing 序列化
使用 scheme 的 dump()
方法来序列化对象,返回的是 dict 格式的数据
另外 schema 的 dumps(
) 方法序列化对象,返回的是 json 编码格式的字符串。
1
2
3
4
5
6
7
8
9
| user = User("lhh","2432783449@qq.com")
schema = UserSchema()
res = schema.dump(user)
print(res)
# {'email': '2432783449@qq.com', 'created_time': '2021-05-28 20:43:08.946112', 'name': 'lhh'} dict
res2 = schema.dumps(user)
print(res2)
# {"name": "lhh", "email": "2432783449@qq.com", "created_time": "2021-05-28 20:45:17.
|
过滤输出
当不需要输出所有的字段时,可以在实例化 Scheme 时,声明 only 参数,来指定输出:
1
2
3
| summary_schema = UserSchema(only={"name","email"})
res = summary_schema.dump(user)
print(res)
|
Deserializing 反序列化
schema 的 load()
方法与 dump()
方法相反,用于 dict 类型的反序列化。它将输入的字典格式数据转换成应用层数据结构,同时也能起到验证输入的字典格式数据的作用。
同样,也有对 json 解码的 loads()
方法。用于 string 类型的反序列化。
默认情况下,load()
方法返回一个字典,当输入的数据的值不匹配字段类型时,抛出 ValidationError 异常。
1
2
3
4
5
6
7
8
9
| user_data = {
"name": "lhh",
"email": "2432783449@qq.com",
"created_time": "2021-05-28 20:45:17.418739"
}
schema = UserSchema()
res = schema.load(user_data)
print(res)
# {'created_time': '2021-05-28 20:45:17.418739', 'email': '2432783449@qq.com', 'name': 'lhh'}
|
对反序列化而言, 将传入的 dict 变成 object 更加有意义。在 Marshmallow 中, dict -> object 的方法需要自己实现,然后在该方法前面加上一个装饰器 post_load 即可
1
2
3
4
5
6
7
8
| class UserSchema(Schema):
name = fields.String()
email = fields.Email()
created_time = fields.DateTime()
@post_load
def make_user(self, data):
return User(**data)
|
这样每次调用 load()
方法时, 会按照 make_user 的逻辑,返回一个 User 类对象。
1
2
3
4
5
6
7
8
9
10
11
12
| user_data = {
"name": "lhh",
"email": "2432783449@qq.com"
}
schema = UserSchema()
res = schema.load(user_data)
print(res)
# <__main__.User object at 0x0000027BE9678128>
user = res
print("name: {} email: {}".format(user.name, user.email))
# name: lhh email: 2432783449@qq.com
|
处理多个对象的集合
多个对象的集合如果是可迭代的,那么也可以直接对这个集合进行序列化或者反序列化。在实例化 Scheme 类时设置参数 many=True
也可以不在实例化类的时候设置,而在调用 dump()
方法的时候传入这个参数。
1
2
3
4
5
6
7
8
9
10
11
12
13
| user1 = User(name="lhh1", email="2432783449@qq.com")
user2 = User(name="lhh2", email="2432783449@qq.com")
users = [user1, user2]
# 第一种方法
schema = UserSchema(many=True)
res = schema.dump(users)
print(res)
# 第二种方法
schema = UserSchema()
res = schema.dump(users,many=True)
print(res)
|
Validation 验证
当不合法的数据通过 Schema.load()
或者 Schema.loads()
时,会抛出一个 ValidationError
异常。
ValidationError.messages
属性有验证错误信息- 验证通过的数据在
ValidationError.valid_data
属性中
我们捕获这个异常,然后做异常处理。
首先需要导入 ValidationError
这个异常
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
| from marshmallow import Schema,fields,ValidationError
class UserSchema(Schema):
name = fields.String()
email = fields.Email()
created_time = fields.DateTime()
try:
res = UserSchema().load({"name":"lhh","email":"lhh"})
except ValidationError as e:
print(f"错误信息:{e.messages} 合法数据:{e.valid_data}")
# 当验证一个数据集合的时候,返回的错误信息会以 错误序号-错误信息 的键值对形式保存在errors中
user_data = [
{'email': '2432783449@qq.com', 'name': 'lhh'},
{'email': 'invalid', 'name': 'Invalid'},
{'name': 'wcy'},
{'email': '2432783449@qq.com'},
]
try:
schema = UserSchema(many=True)
res = schema.load(user_data)
print(res)
except ValidationError as e:
print("错误信息:{} 合法数据:{}".format(e.messages, e.valid_data))
|
可以看到上面,有错误信息,但是对于没有传入的属性则没有检查,也就是默认没有属性必须传入的规定。
在 Schema 里规定不可缺省字段:设置参数 required=True
自定义验证信息
在编写 Schema 类的时候,可以向内建的 fields 中设置 validate 参数的值来定制验证的逻辑
validate 的值可以是函数、匿名函数 lambda,或者是定义了 call 的对象。
1
2
3
4
5
6
7
8
9
10
11
12
13
| from marshmallow import Schema,fields,ValidationError
class UserSchema(Schema):
name = fields.String(required=True, validate=lambda s:len(s) < 6)
email = fields.Email()
created_time = fields.DateTime()
user_data = {"name":"InvalidName","email":"2432783449@qq.com"}
try:
res = UserSchema().load(user_data)
except ValidationError as e:
print(e.messages)
|
在验证函数中自定义异常信息:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
| #encoding=utf-8
from marshmallow import Schema,fields,ValidationError
def validate_name(name):
if len(name) <=2:
raise ValidationError("name长度必须大于2位")
if len(name) >= 6:
raise ValidationError("name长度不能大于6位")
class UserSchema(Schema):
name = fields.String(required=True, validate=validate_name)
email = fields.Email()
created_time = fields.DateTime()
user_data = {"name":"InvalidName","email":"2432783449@qq.com"}
try:
res = UserSchema().load(user_data)
except ValidationError as e:
print(e.messages)
|
注意:只会在反序列化的时候发生验证,序列化的时候不会验证
将验证函数写在 Schema 中变成验证方法
在 Schema 中,使用 validates 装饰器就可以注册验证方法。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
| #encoding=utf-8
from marshmallow import Schema, fields, ValidationError, validates
class UserSchema(Schema):
name = fields.String(required=True)
email = fields.Email()
created_time = fields.DateTime()
@validates("name")
def validate_name(self, value):
if len(value) <= 2:
raise ValidationError("name长度必须大于2位")
if len(value) >= 6:
raise ValidationError("name长度不能大于6位")
user_data = {"name":"InvalidName","email":"2432783449@qq.com"}
try:
res = UserSchema().load(user_data)
except ValidationError as e:
print(e.messages)
|
Required Fields 必填选项
上面已经简单使用过 required 参数了。这里再简单介绍一下。
自定义 required 异常信息
首先我们可以自定义在 requird=True 时缺失字段时抛出的异常信息:设置参数 error_messages 的值
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
| #encoding=utf-8
from marshmallow import Schema, fields, ValidationError, validates
class UserSchema(Schema):
name = fields.String(required=True, error_messages={"required":"name字段必须的"})
email = fields.Email()
created_time = fields.DateTime()
@validates("name")
def validate_name(self, value):
if len(value) <= 2:
raise ValidationError("name长度必须大于2位")
if len(value) >= 6:
raise ValidationError("name长度不能大于6位")
user_data = {"email":"2432783449@qq.com"}
try:
res = UserSchema().load(user_data)
except ValidationError as e:
print(e.messages)
|
忽略部分字段
使用 required 之后我们还是可以在传入数据的时候忽略这个必填字段。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
| #encoding=utf-8
from marshmallow import Schema, fields, ValidationError, validates
class UserSchema(Schema):
name = fields.String(required=True)
age = fields.Integer(required=True)
# 方法一:在load()方法设置 partial 参数的值(元组),表示忽略那些字段。
schema = UserSchema()
res = schema.load({"age": 42}, partial=("name",))
print(res)
# {'age': 42}
# 方法二:直接设置 partial=True
schema = UserSchema()
res = schema.load({"age": 42}, partial=True)
print(res)
# {'age': 42}
|
方法一只忽略传入 partial 的字段,方法二会忽略除前面传入的数据里已有的字段之外的所有字段
对未知字段的处理
默认情况下,如果传入了未知的字段(Schema 里没有的字段),执行 load()
方法会抛出一个 ValidationError 异常。这种行为可以通过更改 unknown 选项来修改。
unknown 有三个值:
EXCLUDE
: exclude unknown fields (直接扔掉未知字段)INCLUDE
: accept and include the unknown fields(接受未知字段)RAISE
: raise a ValidationError if there are any unknown fields(抛出异常)
我们可以看到,默认的行为是 RAISE
。有两种方法去更改:
- 在编写 Schema 类的时候在 class Meta 里修改
1
2
3
4
5
6
7
8
9
10
| from marshmallow import EXCLUDE,Schema,fields
class UserSchema(Schema):
name = fields.String(required=True,error_messages={"required": "name字段必须填写"})
email = fields.Email()
created_time = fields.DateTime()
class Meta:
unknown = EXCLUDE
|
- 在实例化 Schema 类的时候设置参数 unknown 的值
1
2
3
4
5
6
| class UserSchema(Schema):
name = fields.Str(required=True, error_messages={"required": "name字段必须填写"})
email = fields.Email()
created_time = fields.DateTime()
shema = UserSchema(unknown=EXCLUDE)
|
Schema.validate 校验数据
如果只是想用 Schema 去验证数据,而不进行反序列化生成对象,可以使用 Schema.validate()
通过 schema.validate()
会自动对数据进行校验
- 如果有错误, 则会返回错误信息的 dict
- 没有错误则返回空的 dict
通过返回的数据, 我们就可以确认验证是否通过.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
| #encoding=utf-8
from marshmallow import Schema,fields,ValidationError
class UserSchema(Schema):
name = fields.Str(required=True, error_messages={"required": "name 字段必须填写"})
email = fields.Email()
created_time = fields.DateTime()
user = {"name":"lhh","email":"2432783449"}
schema = UserSchema()
res = schema.validate(user)
print(res) # {'email': ['Not a valid email address.']}
user = {"name":"lhh","email":"2432783449@qq.com"}
schema = UserSchema()
res = schema.validate(user)
print(res) # {}
|
指定序列化 / 反序列化键
Specifying Serialization / Deserialization Keys
序列化时指定 object 属性对应 fields 字段
Schema 默认会序列化传入对象和自身定义的 fields 相同的属性, 然而你也会有需求使用不同的 fields 和属性名. 在这种情况下, 你需要明确定义这个 fields 将从什么属性名取值
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
| from marshmallow import fields,Schema,ValidationError
import datetime as dt
class User:
def __init__(self, name, email):
self.name = name
self.email = email
self.created_time = dt.datetime.now()
class UserSchema(Schema):
full_name = fields.String(attribute="name")
email_address = fields.Email(attribute="email")
created_at = fields.DateTime(attribute="created_time")
user = User("lhh",email="2432783449@qq.com")
schema = UserSchema()
res = schema.dump(user)
print(res)
# {'email_address': '2432783449@qq.com', 'full_name': 'lhh', 'created_at': '2021-05-29T09:24:38.186191'}
|
如上所示:UserSchema 中的 full_name,email_address,created_at 分别从 User 对象的 name,email,created_time 属性取值。
反序列化时指定 fields 字段对应 object 属性
这个与上面相反,Schema 默认反序列化传入字典和输出字典中相同的字段名. 如果你觉得数据不匹配你的 schema, 可以传入 load_from 参数指定需要增加 load 的字段名 (原字段名也能 load, 且优先 load 原字段名)
1
2
3
4
5
6
7
8
9
10
11
12
13
| from marshmallow import fields,Schema,ValidationError
import datetime as dt
class UserSchema(Schema):
full_name = fields.String(load_from="name")
email_address = fields.Email(load_from="email")
created_at = fields.DateTime(load_from="created_time")
user = {"full_name":"lhh","email_address":"2432783449@qq.com"}
schema = UserSchema()
res = schema.load(user)
print(res)
# {'full_name': 'lhh', 'email_address': '2432783449@qq.com'}
|
让 key 同时满足序列化与反序列化的方法
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
| #encoding=utf-8
from marshmallow import fields,ValidationError,Schema
class UserSchema(Schema):
full_name = fields.String(data_key="name")
email_address = fields.Email(data_key="email")
created_at = fields.DateTime(data_key="created_time")
# 序列化
user = {"full_name": "lhh", "email_address": "2432783449@qq.com"}
schema = UserSchema()
res = schema.dump(user)
print(res)
# {'name': 'lhh', 'email': '2432783449@qq.com'}
# 反序列化
user = {'name': 'lhh', 'email': '2432783449@qq.com'}
schema = UserSchema()
res = schema.load(user)
print(res)
# {'full_name': 'lhh', 'email_address': '2432783449@qq.com'}
|
创建隐式字段
Implicit Field Creation
当 Schema 具有许多属性时,为每个属性指定字段类型可能会重复,特别是当许多属性已经是本地 python 的数据类型时。
class Meta 允许指定要序列化的属性,marshmallow 将根据属性的类型选择适当的字段类型。
1
2
3
4
5
6
| # 重构Schema
class UserSchema(Schema):
uppername = fields.Function(lambda obj: obj.name.upper())
class Meta:
fields = ("name", "email", "created_at", "uppername")
|
以上代码中, name 将自动被格式化为 String 类型,created_at 将被格式化为 DateTime 类型。
如果您希望指定除了显式声明的字段之外还包括哪些字段名,则可以使用附加选项。如下:
1
2
3
4
5
6
| class UserSchema(Schema):
uppername = fields.Function(lambda obj: obj.name.upper())
class Meta:
# No need to include 'uppername'
additional = ("name", "email", "created_at")
|
排序
对于某些用例,维护序列化输出的字段顺序可能很有用。要启用排序,请将 ordered 选项设置为 true。这将指示 marshmallow 将数据序列化到 collections.OrderedDict
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
| from collections import OrderedDict
import datetime as dt
from marshmallow import fields,ValidationError,Schema
class User:
def __init__(self, name, email):
self.name = name
self.email = email
self.created_time = dt.datetime.now()
class UserSchema(Schema):
uppername = fields.Function(lambda obj: obj.name.upper())
class Meta:
fields = ("name", "email", "created_time", "uppername")
ordered = True
user = User("lhh", "2432783449@qq.com")
schema = UserSchema()
res = schema.dump(user)
print(isinstance(res,OrderedDict)) # 判断变量类型
# True
print(res)
# OrderedDict([('name', 'lhh'), ('email', '2432783449@qq.com'), ('created_time', '2021-05-29T09:40:46.351382'), ('uppername', 'LHH')])
|
“只读”与“只写”字段
在 Web API 的上下文中,序列化参数 dump_only 和反序列化参数 load_only 在概念上分别等同于只读和只写字段。
1
2
3
4
5
6
7
| from marshmallow import Schema,fields
class UserSchema(Schema):
name = fields.Str()
password = fields.Str(load_only=True) # 等于只写
created_at = fields.DateTime(dump_only=True) # 等于只读
|
load 时,dump_only 字段被视为未知字段。如果 unknown 选项设置为 include,则与这些字段对应的键的值将因此 loaded 而不进行验证。
序列化 / 反序列化时指定字段的默认值
序列化时输入值缺失用 default 指定默认值。反序列化时输入值缺失用 missing 指定默认值。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
| # encoding=utf-8
import uuid
import datetime as dt
from marshmallow import fields,ValidationError,Schema
class UserSchema(Schema):
id = fields.UUID(missing=uuid.uuid1)
birthday = fields.DateTime(default=dt.datetime(1996,11,17))
# 序列化
res = UserSchema().dump({})
print(res)
# {'birthday': '1996-11-17T00:00:00'}
# 反序列化
res = UserSchema().load({'birthday': '1996-11-17T00:00:00'})
print(res)
# {'id': UUID('751d95db-c020-11eb-83eb-001a7dda7115'), 'birthday': datetime.datetime(1996, 11, 17, 0, 0)}
|
自定义字段
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
| from marshmallow import Schema, fields
class String128(fields.String):
"""
长度为128的字符串类型
"""
default_error_messages = {
"type": "该字段只能是字符串类型",
"invalid": "该字符串长度必须大于6",
}
def _deserialize(self, value, attr, data, **kwargs):
if not isinstance(value, str):
self.fail("type")
if len(value) < 6:
self.fail("invalid")
class AppSchema(Schema):
name = String128(required=True)
priority = fields.Integer()
obj_type = String128()
link = String128()
deploy = fields.Dict()
description = fields.String()
projects = fields.List(cls_or_instance=fields.Dict)
app = {
"name": "app11",
"priority": 2,
"obj_type": "web",
"link": "123.123.00.2",
"deploy": {"deploy1": "deploy1", "deploy2": "deploy2"},
"description": "app111 test111",
"projects": [{"id": 2}]
}
schema = AppSchema()
res = schema.validate(app)
print(res)
# {'obj_type': ['该字符串长度必须大于6'], 'name': ['该字符串长度必须大于6']}
|
更多