我正在使用flask-marshmallow和marshmallow-sqlalchemy
我想有自己的HATEOAS实现:对于n对多关系,连同链接,我想拥有对象数
为此,我有一个具有多对多关系的常规sqlalchemy模型:
class ParentChild(Model):
__tablename__ = 'parrent_child'
parent_id =Column(Integer, ForeignKey('parent.id'), primary_key=True)
child_id = Column(Integer, ForeignKey('child.id'), primary_key=True)
class Parent(Model):
__tablename__ = 'parent'
id = Column(Integer, primary_key=True)
name = Column(String())
children = relationship('Child', secondary='parent_child', back_populates='parents')
class Child(Model):
__tablename__ = 'child'
id = Column(Integer, primary_key=True)
name = Column(String())
parents = relationship('Parent', secondary='parent_child', back_populates='children')
使用以下棉花糖模式,我设法获取所需的数据:
class ParentSchema(Schema):
class Meta:
model = Parent
children = URLFor('api.parents_children_by_parent_id', parent_id='<id>')
children_count = base_fields.Function(lambda obj: len(obj.children))
返回:
{
"id" : 42,
"name" : "Bob",
"children" : "/api/parents/42/children",
"children_count" : 3
}
但是当我想封装如下字段时,我遇到了问题:
{
"id": 42
"name": "bob",
"children": {
"link": "/api/parents/42/children",
"count": 3
}
}
我尝试使用base_fields.Dict
:
children = base_fields.Dict(
link = URLFor('api.parents_children_by_parent_id', parent_id='<id>'),
count = base_fields.Function(lambda obj: len(obj.children))
)
但是我明白了
TypeError: Object of type 'Child' is not JSON serializable
我尝试了其他各种解决方案,但均未成功:
烧瓶棉花糖的Hyperlinks
仅接受
超链接词典,而不是函数词典。
我认为解决方案是使用base_fields.Nested
,但它破坏了无法捕获URLFor
的{{1}}的行为。
我在文档中找不到解决方案。
在某些时候,很难开箱即用。我想念什么吗?任何帮助将不胜感激。
答案 0 :(得分:2)
所以我找到了要发布的解决方法,但我认为它可以改进。
要用我想要的对象覆盖children
字段,我使用base_fields.Method
:
class ParentSchema(Schema):
class Meta:
model = Parent
children = base_fields.Method('build_children_obj')
def build_children_obj(self, obj):
return {
"count": len(obj.children),
"link": URLFor('api.parents_children_by_parent_id', parent_id=obj.id)
}
那时,我得到了TypeError: Object of type 'URLFor' is not JSON serializable
因此,在检查_serialize
的{{1}}方法的源之后,我在(自定义的)JSONEncoder中添加了一个检查:
URLFor
我终于得到了想要的有效载荷,但是我发现它不是很干净。有什么想法吗?
编辑:经过测试,我发现通过装入整个子级列表来获取资源的if isinstance(o, URLFor):
return str(o._serialize(None, None, o))
非常昂贵。相反,我进行了len(obj.children)
的优化。