我想知道我是否是唯一一个在解决这个问题的人。
让我们以dict为例:
data = {'totalSize': 3000, 'freq': 2400,
'distribution':
{'ram1': {'size': 200, 'status': 'OK'},
'ram2': {'size': 100, 'status': 'OK'}
}
}
请不要说ram1/2是动态密钥,不能提前知道
问题,我的api.model应该是什么样子?我有:
wild = {"*": fields.Wildcard(fields.String())}
hw_memory = api.model('Memory', {
'totalSize': fields.Integer(description='total memory size in MB',
example=1024),
'freq': fields.Integer(description='Speed of ram in mhz', example=800),
'distribution': fields.Nested(wild),
})
它正在起作用,但它没有验证以下任何内容;"分布";,换句话说,像通配符一样工作,那里的任何东西都会被接受。有没有一种方法可以用通配符动态键来嵌套dict?
首先,Wildcard
类型的字段接受dict值的定义,而不是键的定义,即fields.Wildcard(fields.String())
验证dict值只能是字符串类型(在您的情况下,您需要提供分布的定义(。
第二个错误是将distribution
字段定义为Nested
对象,而不是使用Wilcard
。
以下代码应用于验证目的:
DISTRIBUTION_MODEL = NAMESPACE.model("Distribution", dict(
size=fields.Integer(),
status=fields.String(),
))
MEMORY_MODEL = NAMESPACE.model("Memory", dict(
totalSize=fields.Integer(description='total memory size in MB',
example=1024),
freq=fields.Integer(description='Speed of ram in mhz', example=800),
distribution=fields.Wildcard(fields.Nested(DISTRIBUTION_MODEL))
))
不幸的是,它不适用于封送处理。下一个代码应该适用于封送处理,但不适用于验证输入负载:
OUTPUT_MEMORY_MODEL = NAMESPACE.model("OutputMemory", dict(
totalSize=fields.Integer(description='total memory size in MB',
example=1024),
freq=fields.Integer(description='Speed of ram in mhz', example=800),
distribution=flask_utils.fields.Nested(
NAMESPACE.model(
"distributions", {
"*": fields.Wildcard(
# DISTRIBUTION_MODEL is taken from previous snippet
fields.Nested(DISTRIBUTION_MODEL)
)
}
)
)
))