Flask-RestX 概述
Flask-RESTX 是针对 Flask 的扩展,它增加了对快速构建 REST API 的支持。
Flask-RESTX 希望能通过尽可能少的代码来完成相关的各种配置。如果您熟悉 Flask,Flask-RESTX 应该很容易上手。
具体来说,它提供了一系列装饰器和工具来描述您的 API 并能自动生成 Swagger 并对外提供。
安装
Flask-RestX 的安装非常简单,可以直接使用 pip 包管理工具安装即可:
pip install flask-restx
快速上手
首先,我们来看一个最简的 Flask-RestX 的应用是什么样的!
from flask import Flask
from flask_restx import Resource, Api
app = Flask(__name__)
api = Api(app)
@api.route('/hello')
class HelloWorld(Resource):
def get(self):
return {'hello': 'world'}
if __name__ == '__main__':
app.run(debug=True)
首先,可以看到相比原始的 Flask 程序而言,我们修改了哪些内容:
- 将 Flask app 用 Api 来进行了装饰。
- url 的注释从 app 修改为了 Api 装饰后的 api 对象。
- View 中仅支持了 Class,且该 Class 需要继承自 Resource 类。
- View 类中的方法名称对应于 HTTP 协议中的 method。
此时,再次启动服务后,你不但能够访问 /hello API,同时还可以在/根目录看到对应的 Swagger 的接口文档页面。
资源路由
Flask-RESTX 提供的主要构建基础是 Resource,Flask-RestX 支持多种不同资源请求方式的方式也很简单,就是在 Class 中定义多个不同的请求方法名称即可,示例如下:
from flask import Flask, request
from flask_restx import Resource, Api
app = Flask(__name__)
api = Api(app)
todos = {}
@api.route('/<string:todo_id>')
class TodoSimple(Resource):
def get(self, todo_id):
return {todo_id: todos[todo_id]}
def put(self, todo_id):
todos[todo_id] = request.form['data']
return {todo_id: todos[todo_id]}
if __name__ == '__main__':
app.run(debug=True)
此外,在对应的 ViewClass 中方法中,Flask-RESTX 支持根据返回值的个数自动判断返回响应的内容:
class Todo1(Resource):
def get(self):
# Default to 200 OK
return {'task': 'Hello world'}
class Todo2(Resource):
def get(self):
# Set the response code to 201
return {'task': 'Hello world'}, 201
class Todo3(Resource):
def get(self):
# Set the response code to 201 and return custom headers
return {'task': 'Hello world'}, 201, {'Etag': 'some-opaque-string'}
其中,可以返回响应体、响应码以及响应Headers。
入口URL
很多时候,我们希望能有多个不同的 URL 访问到同一个资源上。这时,我们可以将多个 URL 传递给 Api 对象上的 add_resource() 方法或 route() 装饰器。这样,每个url 都将路由到我们的资源上:
api.add_resource(HelloWorld, '/hello', '/world')
# or
@api.route('/hello', '/world')
class HelloWorld(Resource):
pass
此外,我们还可以将路径的一部分作为变量匹配到您的资源方法:
api.add_resource(Todo, '/todo/<int:todo_id>', endpoint='todo_ep')
# or
@api.route('/todo/<int:todo_id>', endpoint='todo_ep')
class HelloWorld(Resource):
pass
参数解析
虽然 Flask 本文已经提供了对请求数据(即查询字符串或 POST 表单编码数据)的轻松访问的机制,但验证表单数据是否合法其实还是很复杂的。而在 Flask-RESTX 内置了对使用类似于 argparse 的库的请求数据验证的支持。
一个简单的示例如下:
from flask_restx import reqparse
parser = reqparse.RequestParser()
parser.add_argument('rate', type=int, help='Rate to charge for this resource')
args = parser.parse_args()
其中,parse_args() 返回的数据类型是 dict。
除了校验之外,使用 RequestParser 类还可以自动为您提供相同格式的错误消息。如果参数未能通过验证,Flask-RESTX 将响应 400 Bad Request 和显示错误的原因提示信息。
curl -d 'rate=foo' http://127.0.0.1:5000/todo/123
# {"errors": {"rate": "Rate to charge for this resource invalid literal for int() with base 10: 'foo'"}, "message": "Input payload validation failed"}
此外,输入模块还提供了许多包含的常用转换函数,例如 date() 和 url()。
如果在调用 parse_args() 方法时,传入 strict=True 的参数时,此时如果请求包含您的解析器未定义的参数,则会引发错误。
数据格式化
默认在 Flask 中,返回对象中的所有字段都将原样作为HTTP响应信息返回。这样对于处理 Python 的数据结构而言,本身是非常方便的,但是在返回的是 Python 对象时,则处理起来会非常的复杂。
为了解决这个问题,Flask-RESTX 提供了 fields 模块和 marshal_with() 装饰器,它们的功能与 Django ORM 和 WTForm 的功能类似,可以使用 fields 模块来描述我们的响应结构。
一个简单的示例代码如下所示:
from flask import Flask
from flask_restx import Resource, Api, fields
app = Flask(__name__)
api = Api(app)
model = api.model('Model', {
'task': fields.String,
'uri': fields.Url('todo')
})
class TodoDao(object):
def __init__(self, todo_id, task):
self.todo_id = todo_id
self.task = task
# This field will not be sent in the response
self.status = 'active'
@api.route('/todo')
class Todo(Resource):
@api.marshal_with(model)
def get(self, **kwargs):
return TodoDao(todo_id='my_todo', task='Remember the milk')
if __name__ == '__main__':
app.run(debug=True)
上面的示例采用一个 python 对象作为返回值进行返回,并在返回过程中将其序列化。
marshal_with() 装饰器将应用模型描述的转换。从对象中提取的唯一字段是 task。 fields.Url 字段是一个特殊字段,它采用url名称并在响应中为该生成对应的 URL。使用 marshal_with() 装饰器还可以在 swagger 规范中记录对应的输出格式。
最后,我们来看一个完整的示例项目代码吧:
from flask import Flask
from flask_restx import Api, Resource, fields
from werkzeug.middleware.proxy_fix import ProxyFix
app = Flask(__name__)
app.wsgi_app = ProxyFix(app.wsgi_app)
api = Api(app, version='1.0', title='TodoMVC API',
description='A simple TodoMVC API',
)
ns = api.namespace('todos', description='TODO operations')
todo = api.model('Todo', {
'id': fields.Integer(readonly=True, description='The task unique identifier'),
'task': fields.String(required=True, description='The task details')
})
class TodoDAO(object):
def __init__(self):
self.counter = 0
self.todos = []
def get(self, id):
for todo in self.todos:
if todo['id'] == id:
return todo
api.abort(404, "Todo {} doesn't exist".format(id))
def create(self, data):
todo = data
todo['id'] = self.counter = self.counter + 1
self.todos.append(todo)
return todo
def update(self, id, data):
todo = self.get(id)
todo.update(data)
return todo
def delete(self, id):
todo = self.get(id)
self.todos.remove(todo)
DAO = TodoDAO()
DAO.create({'task': 'Build an API'})
DAO.create({'task': '?????'})
DAO.create({'task': 'profit!'})
@ns.route('/')
class TodoList(Resource):
'''Shows a list of all todos, and lets you POST to add new tasks'''
@ns.doc('list_todos')
@ns.marshal_list_with(todo)
def get(self):
'''List all tasks'''
return DAO.todos
@ns.doc('create_todo')
@ns.expect(todo)
@ns.marshal_with(todo, code=201)
def post(self):
'''Create a new task'''
return DAO.create(api.payload), 201
@ns.route('/<int:id>')
@ns.response(404, 'Todo not found')
@ns.param('id', 'The task identifier')
class Todo(Resource):
'''Show a single todo item and lets you delete them'''
@ns.doc('get_todo')
@ns.marshal_with(todo)
def get(self, id):
'''Fetch a given resource'''
return DAO.get(id)
@ns.doc('delete_todo')
@ns.response(204, 'Todo deleted')
def delete(self, id):
'''Delete a task given its identifier'''
DAO.delete(id)
return '', 204
@ns.expect(todo)
@ns.marshal_with(todo)
def put(self, id):
'''Update a task given its identifier'''
return DAO.update(id, api.payload)
if __name__ == '__main__':
app.run(debug=True)
响应格式化
在快速上手中,我们已经了解到了 Flask-RESTX 提供了一种机制,可以将你的响应结构按照预期的格式进行格式化,其中主要借助的就是 fields 模块,通过该模块,我们可以定义我们响应的数据格式,同时不会暴露出内部的数据结构。
基础用法
你可以定义一个字典(dict)或有序字典(OrderedDict)来存放其键的属性名称或要渲染的对象上的键的字段,并且其值是将格式化并返回该字段的值的类。
下面的例子有三个字段:2个是 String ,1个是 DateTime , DateTime 将被格式化为ISO 8601日期时间字符串:
from flask_restx import Resource, fields
model = api.model('Model', {
'name': fields.String,
'address': fields.String,
'date_updated': fields.DateTime(dt_format='rfc822'),
})
@api.route('/todo')
class Todo(Resource):
@api.marshal_with(model, envelope='resource')
def get(self, **kwargs):
return db_get_todo()
在这个例子里面你有一个自定义的数据库对象(todo),它拥有 name 、 address 和 date_updated 属性。整个对象的其他附加属性都将是私有的并且不会在输出中渲染。
此外,我们指定了一个 envelope 关键字参数来包装结果输出。
字段重命名
很多时候内部字段名和外部的字段名是不一样的。你可以使用 attribute 关键字来配置这种映射关系:
model = {
'name': fields.String(attribute='private_name'),
'address': fields.String,
}
嵌套属性(Nested properties)也可以通过 attribute 进行访问:
model = {
'name': fields.String(attribute='people_list.0.person_dictionary.name'),
'address': fields.String,
}
默认值
如果你的数据对象里没有字段列表中对应的属性,你可以指定一个默认值而不是返回一个 None:
model = {
'name': fields.String(default='Anonymous User'),
'address': fields.String,
}
复杂结构
你可以通过 marshal() 函数将平面的数据结构转化成嵌套的数据结构:
>>> from flask_restx import fields, marshal
>>> import json
>>>
>>> resource_fields = {'name': fields.String}
>>> resource_fields['address'] = {}
>>> resource_fields['address']['line 1'] = fields.String(attribute='addr1')
>>> resource_fields['address']['line 2'] = fields.String(attribute='addr2')
>>> resource_fields['address']['city'] = fields.String
>>> resource_fields['address']['state'] = fields.String
>>> resource_fields['address']['zip'] = fields.String
>>> data = {'name': 'bob', 'addr1': '123 fake street', 'addr2': '', 'city': 'New York', 'state': 'NY', 'zip': '10468'}
>>> json.dumps(marshal(data, resource_fields))
'{"name": "bob", "address": {"line 1": "123 fake street", "line 2": "", "state": "NY", "zip": "10468", "city": "New York"}}'
字段列表
你也可以将字段解组成列表:
>>> from flask_restx import fields, marshal
>>> import json
>>>
>>> resource_fields = {'name': fields.String, 'first_names': fields.List(fields.String)}
>>> data = {'name': 'Bougnazal', 'first_names' : ['Emile', 'Raoul']}
>>> json.dumps(marshal(data, resource_fields))
>>> '{"first_names": ["Emile", "Raoul"], "name": "Bougnazal"}'
通配符字段
如果你不知道你要解组的字段名称,你可以使用 通配符(Wildcard) :
>>> from flask_restx import fields, marshal
>>> import json
>>>
>>> wild = fields.Wildcard(fields.String)
>>> wildcard_fields = {'*': wild}
>>> data = {'John': 12, 'bob': 42, 'Jane': '68'}
>>> json.dumps(marshal(data, wildcard_fields))
>>> '{"Jane": "68", "bob": "42", "John": "12"}'
通配符 的名称将作为匹配的依据,如下所示:
>>> from flask_restx import fields, marshal
>>> import json
>>>
>>> wild = fields.Wildcard(fields.String)
>>> wildcard_fields = {'j*': wild}
>>> data = {'John': 12, 'bob': 42, 'Jane': '68'}
>>> json.dumps(marshal(data, wildcard_fields))
>>> '{"Jane": "68", "John": "12"}'
为了避免意料之外的情况,在混合 通配符 字段和其他字段使用的时候,请使用 有序字典(OrderedDict) 并且将 通配符 字段放在最后面:
>>> from flask_restx import fields, marshal
>>> from collections import OrderedDict
>>> import json
>>>
>>> wild = fields.Wildcard(fields.Integer)
>>> mod = OrderedDict()
>>> mod['zoro'] = fields.String
>>> mod['*'] = wild
>>> # you can use it in api.model like this:
>>> # some_fields = api.model('MyModel', mod)
>>>
>>> data = {'John': 12, 'bob': 42, 'Jane': '68', 'zoro': 72}
>>> json.dumps(marshal(data, mod))
>>> '{"zoro": "72", "Jane": 68, "bob": 42, "John": 12}'
嵌套字段
虽然你可以通过嵌套字段将平面数据转换成多层结构的响应,但是你也可以通过 Nested 将多层结构的数据转换成适当的形式:
>>> from flask_restx import fields, marshal
>>> import json
>>>
>>> address_fields = {}
>>> address_fields['line 1'] = fields.String(attribute='addr1')
>>> address_fields['line 2'] = fields.String(attribute='addr2')
>>> address_fields['city'] = fields.String(attribute='city')
>>> address_fields['state'] = fields.String(attribute='state')
>>> address_fields['zip'] = fields.String(attribute='zip')
>>>
>>> resource_fields = {}
>>> resource_fields['name'] = fields.String
>>> resource_fields['billing_address'] = fields.Nested(address_fields)
>>> resource_fields['shipping_address'] = fields.Nested(address_fields)
>>> address1 = {'addr1': '123 fake street', 'city': 'New York', 'state': 'NY', 'zip': '10468'}
>>> address2 = {'addr1': '555 nowhere', 'city': 'New York', 'state': 'NY', 'zip': '10468'}
>>> data = {'name': 'bob', 'billing_address': address1, 'shipping_address': address2}
>>>
>>> json.dumps(marshal(data, resource_fields))
'{"billing_address": {"line 1": "123 fake street", "line 2": null, "state": "NY", "zip": "10468", "city": "New York"}, "name": "bob", "shipping_address": {"line 1": "555 nowhere", "line 2": null, "state": "NY", "zip": "10468", "city": "New York"}}'
这个例子使用了两个 嵌套字段(Nested fields) 。嵌套字段 的构造函数需要一个字段字典作为子字段的输入。
一个 嵌套字段(Nested) 构造器和之前嵌套字典(之前的例子)的区别是:属性的上下文。在这个例子中,billing_address 是一个拥有子字段的复杂对象并且传递给嵌套字段的上下文是子对象,而不是原始 data 对象。
换句话说: data.billing_address.addr1 作用域在这,而之前例子中 data.addr1 是本地(localtion)属性。请记住:嵌套字段(Nested) 和 列表字段(List) 会为属性创建新的作用域。
使用 嵌套字段 和 列表字段 来编组拥有复杂结构的列表对象:
user_fields = api.model('User', {
'id': fields.Integer,
'name': fields.String,
})
user_list_fields = api.model('UserList', {
'users': fields.List(fields.Nested(user_fields)),
})
使用JSON格式定义模型
在 Flask-RESTX 中,支持使用 JSON Schema 来定义数据库模型,示例如下:
address = api.schema_model('Address', {
'properties': {
'road': {
'type': 'string'
},
},
'type': 'object'
})
person = address = api.schema_model('Person', {
'required': ['address'],
'properties': {
'name': {
'type': 'string'
},
'age': {
'type': 'integer'
},
'birthdate': {
'type': 'string',
'format': 'date-time'
},
'address': {
'$ref': '#/definitions/Address',
}
},
'type': 'object'
})
请求参数解析
基于Flask-RESTful的请求解析接口 reqparse 是在argparse接口之上扩展的。
它的设计提供了简单和统一的访问 flask.request 对象上的任何变量。
基础参数
下面是请求解析器的一个简单示例。它在flask.Request.values字典中查找两个参数:一个整数和一个字符串:
from flask_restx import reqparse
parser = reqparse.RequestParser()
parser.add_argument('rate', type=int, help='Rate cannot be converted')
parser.add_argument('name')
args = parser.parse_args()
必填参数
要为参数设置为必填,只需将required=True参数添加到add_argument()调用即可:
parser.add_argument('name', required=True, help="Name cannot be blank!")
列表参数
如果您希望一个键能以列表的形式接收多个值,可以像下面这样传递参数action=’append’:
parser.add_argument('name', action='append')
如果您希望用逗号分隔的字符串能被分割成列表,并作为一个键的值,可以像下面这样传递参数action=’split’:
parser.add_argument('fruits', action='split')
重命名
如果出于某种原因,希望在解析后将参数存储在不同的名称下,那么可以使用dest关键字参数:
parser.add_argument('name', dest='public_name')
args = parser.parse_args()
args['public_name']
参数传入位置
默认情况下,RequestParser尝试解析来自flask.Request.values和flask.Request.json的值。
使用add_argument()的location参数来指定从哪些位置获取值。flask.Request上的任何变量都可以使用。例如:
# Look only in the POST body
parser.add_argument('name', type=int, location='form')
# Look JSON body
parser.add_argument('name', type=int, location='json')
# Look only in the querystring
parser.add_argument('PageSize', type=int, location='args')
# From the request headers
parser.add_argument('User-Agent', location='headers')
# From http cookies
parser.add_argument('session_id', location='cookies')
# From file uploads
parser.add_argument('picture', type=werkzeug.datastructures.FileStorage, location='files')
多位置参数
可以通过将列表传递给location来指定多个参数位置:
parser.add_argument('text', location=['headers', 'values'])
当指定多个位置时,来自指定的所有位置的参数将合并为单个MultiDict。最后列出的位置优先于结果集。
如果参数位置列表包含headers,则参数名将区分大小写,必须与标题大小写名称完全匹配。
类型校验
有时,您需要比基本数据类型更多的类型来处理输入验证。input模块提供一些常见的类型处理:
- 用于更加广泛布尔处理的 boolean()
- 用于IP地址的 ipv4() 和 ipv6()
- 用于ISO8601日期和数据处理的date_from_iso8601() 和 datetime_from_iso8601()
你只需要把它们用在 type 参数上:
parser.add_argument('flag', type=inputs.boolean)
关于 input 的支持的完整列表,可以参考相关文档。
此外,也可以自定编写自己的数据类型:
def my_type(value):
'''Parse my type'''
if not condition:
raise ValueError('This is not my type')
return parse(value)
# Swagger documntation
my_type.__schema__ = {'type': 'string', 'format': 'my-custom-format'}
解析器继承
通常地,您会为您写的每一份资源配置不同的解析器。这样做的问题会造成大量的重复。
我们可以看一下解析器是否具有公共的参数,不同于重新写参数,您可以编写一个包含所有公共的参数的父解析器,然后用 copy()函数继承这个解析器。您也可以用 replace_argument()来重写父解析器里的任何参数,或者干脆用 remove_argument() 完全移除它。
from flask_restx import reqparse
parser = reqparse.RequestParser()
parser.add_argument('foo', type=int)
parser_copy = parser.copy()
parser_copy.add_argument('bar', type=int)
# parser_copy has both 'foo' and 'bar'
parser_copy.replace_argument('foo', required=True, location='json')
# 'foo' is now a required str located in json, not an int as defined
# by original parser
parser_copy.remove_argument('foo')
# parser_copy no longer has 'foo' argument
文件上传
要使用 RequestParser 处理文件上传,您需要使用 files 位置并将 type设置为FileStorage。
from werkzeug.datastructures import FileStorage
upload_parser = api.parser()
upload_parser.add_argument('file', location='files',
type=FileStorage, required=True)
@api.route('/upload/')
@api.expect(upload_parser)
class Upload(Resource):
def post(self):
uploaded_file = args['file'] # This is FileStorage instance
url = do_something_with_file(uploaded_file)
return {'url': url}, 201
错误处理
RequestParser 处理错误的默认方式是在第一个错误出现的时候终止,然而,将错误捆绑一起并且一次性发送回客户端通常是较好的处理。
这种方式可以在Flask应用程序级别(Flask application level)或在特定的 RequestParser实例上被指定。为了在调用 RequestParser的时候使用捆绑错误的选项,需要传递 bundle_errors 参数。下面是一个示例:
from flask_restx import reqparse
parser = reqparse.RequestParser(bundle_errors=True)
parser.add_argument('foo', type=int, required=True)
parser.add_argument('bar', type=int, required=True)
# If a request comes in not containing both 'foo' and 'bar', the error that
# will come back will look something like this.
{
"message": {
"foo": "foo error message",
"bar": "bar error message"
}
}
# The default behavior would only return the first error
parser = RequestParser()
parser.add_argument('foo', type=int, required=True)
parser.add_argument('bar', type=int, required=True)
{
"message": {
"foo": "foo error message"
}
}
程序级别的配置是 “BUNDLE_ERRORS”,示例如下:
from flask import Flask
app = Flask(__name__)
app.config['BUNDLE_ERRORS'] = True
错误提示
每个域的错误消息可以通过 help 参数来进行定制(也是在 RequestParser.add_argument当中)。
如果不提供 help 参数,那么这个域的错误消息会是错误类型本身的字符串表示。否则,错误消息就是 help 参数的值。
help 参数可能包含一个插值标记( interpolation token),就像 {error_msg} 这样,这个标记将会被错误类型的字符串表示替换。这允许您在保留原本的错误消息的同时定制消息,就像下面的例子这样:
from flask_restx import reqparse
parser = reqparse.RequestParser()
parser.add_argument(
'foo',
choices=('one', 'two'),
help='Bad choice: {error_msg}'
)
# If a request comes in with a value of "three" for `foo`:
{
"message": {
"foo": "Bad choice: three is not a valid choice",
}
}
字段掩码
Flask-RESTPlus通过一个自定义请求头支持部分对象获取(partial object fetching)也就是字段掩码(fields mask)。默认情况下头名为 X-Fields ,但是它可以被 RESTPLUS_MASK_HEADER 参数修改。
语法
语法非常简单。你只要提供一个包含字段名并用逗号分隔的列表,可以选择性的用括号包裹:
# These two mask are equivalents
mask = '{name,age}'
# or
mask = 'name,age'
data = requests.get('/some/url/', headers={'X-Fields': mask})
assert len(data) == 2
assert 'name' in data
assert 'age' in data
实现嵌套字段只需要将内容用大括号包裹即可:
mask = '{name, age, pet{name}}'
PS:嵌套规范适用于嵌套对象或对象列表。
特殊字符米字星(*)代表“所有剩余字段(all remaining fields)”。它仅允许指定嵌套过滤:
# Will apply the mask {name} to each pet
# in the pets list and take all other root fields
# without filtering.
mask = '{pets{name},*}'
# Will not filter anything
mask = '*'
默认情况下,每次使用 api.marshal 或 @api.marshal_with 时,如果存在标头,掩码将自动应用。
当你每次使用 @api.marshal_with 修饰器时,标头将作为Swagger参数展示。
你可以修改 RESTX_MASK_SWAGGER 为 False 来禁用这个功能。
Swagger 文档生成
Swagger API文档是自动生成的,可从您API的根目录访问,可以通过 doc=”” 的参数来修改对应的访问路径,示例如下:
api = Api(app, version='1.0', title='TodoMVC API',
description='A simple TodoMVC API', doc='/doc/'
)
使用@api.doc()装饰器进行文档编辑
@api.doc() 修饰器使你可以为文档添加额外信息。
你可以为一个类或者函数添加文档:
@api.route('/my-resource/<id>', endpoint='my-resource')
@api.doc(params={'id': 'An ID'})
class MyResource(Resource):
def get(self, id):
return {}
@api.doc(responses={403: 'Not Authorized'})
def post(self, id):
api.abort(403)
模型自动记录
所有由 model() 、 clone() 和 inherit() 实例化的模型(model)都会被自动记录到Swagger文档中。
inherit() 函数会将父类和子类都注册到Swagger的模型(model)定义中:
parent = api.model('Parent', {
'name': fields.String,
'class': fields.String(discriminator=True)
})
child = api.inherit('Child', parent, {
'extra': fields.String
})
上面的代码会生成下面的Swagger定义:
{
"Parent": {
"properties": {
"name": {"type": "string"},
"class": {"type": "string"}
},
"discriminator": "class",
"required": ["class"]
},
"Child": {
"allOf": [
{
"$ref": "#/definitions/Parent"
}, {
"properties": {
"extra": {"type": "string"}
}
}
]
}
}
@api.marshal_with()装饰器
这个装饰器和原生的 marshal_with() 装饰器几乎完全一致,除了这个装饰器会记录函数文档。可选参数代码允许您指定期望的HTTP状态码(默认为200)。可选参数 as_list 允许您指定是否将对象作为列表返回。
resource_fields = api.model('Resource', {
'name': fields.String,
})
@api.route('/my-resource/<id>', endpoint='my-resource')
class MyResource(Resource):
@api.marshal_with(resource_fields, as_list=True)
def get(self):
return get_objects()
@api.marshal_with(resource_fields, code=201)
def post(self):
return create_object(), 201
@api.expect()装饰器
@api.expect() 装饰器允许你指定所需的输入字段。它接受一个可选的布尔参数 validate ,指示负载(payload)是否需要被验证。
可以通过将 RESTPLUS_VALIDATE 配置设置为 True 或将 validate = True 传递给API构造函数来全局设置验证功能。
示例如下:
resource_fields = api.model('Resource', {
'name': fields.String,
})
@api.route('/my-resource/<id>')
class MyResource(Resource):
@api.expect(resource_fields)
def get(self):
pass
我们也可以将列表指定为预期输入:
resource_fields = api.model('Resource', {
'name': fields.String,
})
@api.route('/my-resource/<id>')
class MyResource(Resource):
@api.expect([resource_fields])
def get(self):
pass
此外,还可以使用 RequestParser 定义期望的输入:
parser = api.parser()
parser.add_argument('param', type=int, help='Some param', location='form')
parser.add_argument('in_files', type=FileStorage, location='files')
@api.route('/with-parser/', endpoint='with-parser')
class WithParserResource(restplus.Resource):
@api.expect(parser)
def get(self):
return {}
一个完整示例如下:
api = Api(app, validate=True)
resource_fields = api.model('Resource', {
'name': fields.String,
})
@api.route('/my-resource/<id>')
class MyResource(Resource):
# Payload validation enabled
@api.expect(resource_fields)
def post(self):
pass
# Payload validation disabled
@api.expect(resource_fields, validate=False)
def post(self):
pass
使用@api.response装饰器进行文档编辑
@api.response 装饰器允许您记录已知的响应,并且他是 @api.doc(responses=’…’) 的简化写法。
例如:
@api.route('/my-resource/')
class MyResource(Resource):
@api.doc(responses={
200: 'Success',
400: 'Validation Error'
})
def get(self):
pass
您可以选择将响应模型指定为第三个输入参数:
model = api.model('Model', {
'name': fields.String,
})
@api.route('/my-resource/')
class MyResource(Resource):
@api.response(200, 'Success', model)
def get(self):
pass
使用 @api.marshal_with() 修饰器会自动在 Swagger 记录响应文档:
model = api.model('Model', {
'name': fields.String,
})
@api.route('/my-resource/')
class MyResource(Resource):
@api.response(400, 'Validation error')
@api.marshal_with(model, code=201, description='Object created')
def post(self):
pass
如果你不知道状态码的时候,你可以指定一个默认响应:
@api.route('/my-resource/')
class MyResource(Resource):
@api.response('default', 'Error')
def get(self):
pass
@api.route()装饰器
你可以指定一个类范围的文档通过 Api.route() 的 doc 参数。这个参数可以接受和 @api.doc() 装饰器相同的参数。
例如:
@api.route('/my-resource/<id>', endpoint='my-resource', doc={'params':{'id': 'An ID'}})
class MyResource(Resource):
def get(self, id):
return {}
字段格式约束设置
每个Flask-RESTX字段都可以可选的接受以下几个用于文档的参数:
- required :一个Bool值标识这个字段是否是必要的(默认:False)
- description:一些字段的详细描述(默认:None )
- example :展示时显示的示例(默认: None )
这里还有一些特定字段的属性:
- String 字段可以接受以下参数:
- enum :一个限制授权值的数组。
- min_length :字符串的最小长度。
- max_length :字符串的最大长度。
- pattern :一个正则表达式用于验证。
- Integer 、 Float 和 Arbitrary 字段可以接受以下参数:
- min :可以接受的最小值。
- max :可以接受的最大值。
- ExclusiveMin :如果为 True ,则区间不包含最小值。
- exclusiveMax :如果为 True ,则区间不包含最大值。
- multiple :限制输入的数字是这个数的倍数。
- DateTime 字段可以接受 min 、 max 、 exclusiveMin 和 exclusiveMax 参数。这些参数必须是 dates 或 datetimes。
示例如下:
my_fields = api.model('MyModel', {
'name': fields.String(description='The name', required=True),
'type': fields.String(description='The object type', enum=['A', 'B']),
'age': fields.Integer(min=0),
})
函数文档编写
每一个资源类都会被记录为一个Swagger路径。
每一个资源类的函数(get , post , put , delete , path , options , head)都会被记录为一个Swagger操作。
示例如下:
@api.route('/my-resource/')
class MyResource(Resource):
@api.doc('get_something')
def get(self):
return {}
函数参数
来自url地址的参数会自动被记录。你可以通过 api.doc() 修饰器的 params 参数添加额外的内容:
@api.route('/my-resource/<id>', endpoint='my-resource')
@api.doc(params={'id': 'An ID'})
class MyResource(Resource):
pass
可以通过 api.doc() 修饰器的 model 关键字指定序列化输出模型。
对于 PUT 和 POST 方法,使用 body 关键字指定输入模型。
fields = api.model('MyModel', {
'name': fields.String(description='The name', required=True),
'type': fields.String(description='The object type', enum=['A', 'B']),
'age': fields.Integer(min=0),
})
@api.model(fields={'name': fields.String, 'age': fields.Integer})
class Person(fields.Raw):
def format(self, value):
return {'name': value.name, 'age': value.age}
@api.route('/my-resource/<id>', endpoint='my-resource')
@api.doc(params={'id': 'An ID'})
class MyResource(Resource):
@api.doc(model=fields)
def get(self, id):
return {}
@api.doc(model='MyModel', body=Person)
def post(self, id):
return {}
模型同时也可以被 RequestParser 指定:
parser = api.parser()
parser.add_argument('param', type=int, help='Some param', location='form')
parser.add_argument('in_files', type=FileStorage, location='files')
@api.route('/with-parser/', endpoint='with-parser')
class WithParserResource(restplus.Resource):
@api.expect(parser)
def get(self):
return {}
headers 处理
你可以使用 api.header() 修饰器快捷生成响应头内容。
@api.route('/with-headers/')
@api.header('X-Header', 'Some class header')
class WithHeaderResource(restplus.Resource):
@api.header('X-Collection', type=[str], collectionType='csv')
def get(self):
pass
如果你要指定一个只出现在响应中的标头,只需要使用 @api.response 的 headers 关键字即可:
@api.route('/response-headers/')
class WithHeaderResource(restplus.Resource):
@api.response(200, 'Success', headers={'X-Header': 'Some header'})
def get(self):
pass
对于输入的 headers 进行验证需要使用 @api.expect 修饰符。
parser = api.parser()
parser.add_argument('Some-Header', location='headers')
@api.route('/expect-headers/')
@api.expect(parser)
class ExpectHeaderResource(restplus.Resource):
def get(self):
pass
隐藏文档
用下面的方法你可以将一些资源类或函数从文档种隐藏:
# Hide the full resource
@api.route('/resource1/', doc=False)
class Resource1(Resource):
def get(self):
return {}
@api.route('/resource2/')
@api.doc(False)
class Resource2(Resource):
def get(self):
return {}
@api.route('/resource3/')
@api.hide
class Resource3(Resource):
def get(self):
return {}
# Hide methods
@api.route('/resource4/')
@api.doc(delete=False)
class Resource4(Resource):
def get(self):
return {}
@api.doc(False)
def post(self):
return {}
@api.hide
def put(self):
return {}
def delete(self):
return {}
Swagger 个性化配置
你可以通过 doc 关键字配置 Swagger UI 的路径(默认为根目录):
from flask import Flask, Blueprint
from flask_restx import Api
app = Flask(__name__)
blueprint = Blueprint('api', __name__, url_prefix='/api')
api = Api(blueprint, doc='/doc/')
app.register_blueprint(blueprint)
assert url_for('api.doc') == '/api/doc/'
你可以通过设定 config.SWAGGER_VALIDATOR_URL 来指定一个自定义的验证器地址(validator URL):
from flask import Flask
from flask_restx import Api
app = Flask(__name__)
app.config.SWAGGER_VALIDATOR_URL = 'http://domain.com/validator'
api = Api(app)
设置 doc=False 可以完全禁用文档。
from flask import Flask
from flask_restx import Api
app = Flask(__name__)
api = Api(app, doc=False)
项目组织
对于一个复杂的项目而言,接下来,我们将会介绍相关项目组织的最佳实践。
namespace拆分
Flask-RESTX 提供了一种对标 Flask Blueprint 的功能,用于将应用程序分隔为多个 namespace。
例如,如下是一个目录结构的例子:
project/
├── app.py
├── core
│ ├── __init__.py
│ ├── utils.py
│ └── ...
└── apis
├── __init__.py
├── namespace1.py
├── namespace2.py
├── ...
└── namespaceX.py
- app 模块将作为一个遵循经典的Flask模式之一的主程序入口(entry point)。
- core 模块包含了事务逻辑。实际上你爱叫啥叫啥,甚至可以是很多个包。
- apis 模块将作为你的API的主入口,你需要在这里导入并注册你的应用程序,而命名空间模块就按照你平时写Flask Blueprint 的时候写就行。
一个namespace的模块要包含模型和资源类的声明:
from flask_restx import Namespace, Resource, fields
api = Namespace('cats', description='Cats related operations')
cat = api.model('Cat', {
'id': fields.String(required=True, description='The cat identifier'),
'name': fields.String(required=True, description='The cat name'),
})
CATS = [
{'id': 'felix', 'name': 'Felix'},
]
@api.route('/')
class CatList(Resource):
@api.doc('list_cats')
@api.marshal_list_with(cat)
def get(self):
'''List all cats'''
return CATS
@api.route('/<id>')
@api.param('id', 'The cat identifier')
@api.response(404, 'Cat not found')
class Cat(Resource):
@api.doc('get_cat')
@api.marshal_with(cat)
def get(self, id):
'''Fetch a cat given its identifier'''
for cat in CATS:
if cat['id'] == id:
return cat
api.abort(404)
apis.init 模块应该用于整合他们:
from flask_restx import Api
from .namespace1 import api as ns1
from .namespace2 import api as ns2
# ...
from .namespaceX import api as nsX
api = Api(
title='My Title',
version='1.0',
description='A description',
# All API metadatas
)
api.add_namespace(ns1)
api.add_namespace(ns2)
# ...
api.add_namespace(nsX)
此外,你可以在注册API的时候为你的命名空间添加 网址前缀(url-prefixes) 。你不需要在定义命名空间对象的时候指定 网址前缀(url-prefixes) 。
from flask_restx import Api
from .namespace1 import api as ns1
from .namespace2 import api as ns2
# ...
from .namespaceX import api as nsX
api = Api(
title='My Title',
version='1.0',
description='A description',
# All API metadatas
)
api.add_namespace(ns1, path='/prefix/of/ns1')
api.add_namespace(ns2, path='/prefix/of/ns2')
# ...
api.add_namespace(nsX, path='/prefix/of/nsX')
用这种模式,你只需要在 app.py 中这样注册你的API即可:
from flask import Flask
from apis import api
app = Flask(__name__)
api.init_app(app)
app.run(debug=True)
使用 Blueprints
在 Flask 中提供了 Blueprints 的机制,而在 Flask-RESTX 中,同样保留了对应的机制,以下是一个将 Api 链接到 蓝图(Blueprint) 上的例子::
from flask import Blueprint
from flask_restx import Api
blueprint = Blueprint('api', __name__)
api = Api(blueprint)
使用蓝图将使你可以将你的API挂载到任何网址前缀(url-prefixes)下,如/或你的应用程序的子域名:
from flask import Flask
from apis import blueprint as api
app = Flask(__name__)
app.register_blueprint(api, url_prefix='/api/1')
app.run(debug=True)
多APIs复用namespace
有时候你可能需要维护一个API的多个版本。如果你使用的时命名空间来搭建你的API,那么将其扩展成多个API是个很简单的事情。
根据先前的布局,我们可以将其迁移到以下目录结构:
project/
├── app.py
├── apiv1.py
├── apiv2.py
└── apis
├── __init__.py
├── namespace1.py
├── namespace2.py
├── ...
└── namespaceX.py
每个 apivX.py 都拥有如下的结构:
from flask import Blueprint
from flask_restx import Api
api = Api(blueprint)
from .apis.namespace1 import api as ns1
from .apis.namespace2 import api as ns2
# ...
from .apis.namespaceX import api as nsX
blueprint = Blueprint('api', __name__, url_prefix='/api/1')
api = Api(blueprint
title='My Title',
version='1.0',
description='A description',
# All API metadatas
)
api.add_namespace(ns1)
api.add_namespace(ns2)
# ...
api.add_namespace(nsX)
而 app 将这样挂载它们:
from flask import Flask
from api1 import blueprint as api1
from apiX import blueprint as apiX
app = Flask(__name__)
app.register_blueprint(api1)
app.register_blueprint(apiX)
app.run(debug=True)
配置说明
在 Flask-RESTX 中提供了如下一组变量可以用于控制相关的功能行为,如下表所示:
KEY | 默认值 | 功能说明 |
---|---|---|
RESTX_JSON | 为 JSON 序列化提供全局配置选项作为 json.dumps() 关键字参数的字典。 | |
RESTX_VALIDATE | False | 是否在使用 @api.expect() 装饰器时默认强制执行有效参数验证。 |
RESTX_MASK_HEADER | X-Fields | MASK功能读取的Headers的key。 |
RESTX_MASK_SWAGGER | True | Swagger页面是否启动MASK功能。 |
RESTX_INCLUDE_ALL_MODELS | False | 是否在Swagger中包含所有的定义Models,即使它没有被expect或marshal_with装饰器引用。 |
BUNDLE_ERRORS | False | 每次校验时是否返回全部错误信息。 |
完整示例
from flask import Flask
from flask_restx import Api, Resource, fields
from werkzeug.middleware.proxy_fix import ProxyFix
app = Flask(__name__)
app.wsgi_app = ProxyFix(app.wsgi_app)
api = Api(app, version='1.0', title='TodoMVC API',
description='A simple TodoMVC API',
)
ns = api.namespace('todos', description='TODO operations')
todo = api.model('Todo', {
'id': fields.Integer(readonly=True, description='The task unique identifier'),
'task': fields.String(required=True, description='The task details')
})
class TodoDAO(object):
def __init__(self):
self.counter = 0
self.todos = []
def get(self, id):
for todo in self.todos:
if todo['id'] == id:
return todo
api.abort(404, "Todo {} doesn't exist".format(id))
def create(self, data):
todo = data
todo['id'] = self.counter = self.counter + 1
self.todos.append(todo)
return todo
def update(self, id, data):
todo = self.get(id)
todo.update(data)
return todo
def delete(self, id):
todo = self.get(id)
self.todos.remove(todo)
DAO = TodoDAO()
DAO.create({'task': 'Build an API'})
DAO.create({'task': '?????'})
DAO.create({'task': 'profit!'})
@ns.route('/')
class TodoList(Resource):
'''Shows a list of all todos, and lets you POST to add new tasks'''
@ns.doc('list_todos')
@ns.marshal_list_with(todo)
def get(self):
'''List all tasks'''
return DAO.todos
@ns.doc('create_todo')
@ns.expect(todo)
@ns.marshal_with(todo, code=201)
def post(self):
'''Create a new task'''
return DAO.create(api.payload), 201
@ns.route('/<int:id>')
@ns.response(404, 'Todo not found')
@ns.param('id', 'The task identifier')
class Todo(Resource):
'''Show a single todo item and lets you delete them'''
@ns.doc('get_todo')
@ns.marshal_with(todo)
def get(self, id):
'''Fetch a given resource'''
return DAO.get(id)
@ns.doc('delete_todo')
@ns.response(204, 'Todo deleted')
def delete(self, id):
'''Delete a task given its identifier'''
DAO.delete(id)
return '', 204
@ns.expect(todo)
@ns.marshal_with(todo)
def put(self, id):
'''Update a task given its identifier'''
return DAO.update(id, api.payload)
if __name__ == '__main__':
app.run(debug=True)