flask restful 请求解析

Flask-RESTful 的请求解析接口是模仿 argparse 接口。它设计成提供简单并且统一的访问 Flask 中 flask.request 对象里的任何变量的入口。

需要注意地是与 argparse 模块不同,reqparse.RequestParser.parse_args() 返回一个 Python 字典而不是一个自定义的数据结构。

基本参数

一个简单的例子。它寻找在 flask.Request.values 字典里的两个参数。一个类型为 int,另一个的类型是 str

1
2
3
4
5
6
from flask.ext.restful import reqparse

parser = reqparse.RequestParser()
parser.add_argument('rate', type=int, help='Rate cannot be converted')
parser.add_argument('name', type=str, required=True)
args = parser.parse_args()
  • 参数help: 在解析的时,如果该参数发生错误(类型错误或者未设置),它将会被作为错误信息给呈现出来。如果你没有指定 help 信息的话,默认行为是返回类型错误本身的信息。

  • 参数required=True: 当值为 True 时,表明该参数是必须的。

  • arguments 不是 必须的。在请求中提供的参数未在 RequestParser 中申明的话会被忽略。

  • 在RequestParser 中声明的参数, 在请求本身没有的话将默认设置为 None

多个值&列表

如果你要接受一个键有多个值的话,你可以传入 action='append'

1
2
3
4
5
parser.add_argument('name', type=str, action='append')

# 你的参数将会像这样
args = parser.parse_args()
args['name'] # ['bob', 'sue', 'joe']

其它目标(Destinations)

如果由于某种原因,你想要以不同的名称存储你的参数一旦它被解析的时候,你可以使用 dest kwarg。

1
2
3
4
parser.add_argument('name', type=str, dest='public_name')

args = parser.parse_args()
args['public_name']

参数位置

默认下,RequestParser 试着从 flask.Request.values,以及 flask.Request.json 解析值。

add_argument() 中使用 location 参数可以指定解析参数的位置。flask.Request 中任何变量都能被使用。例如:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
# Look only in the POST body
parser.add_argument('name', type=int, location='form')

# Look only in the querystring
parser.add_argument('PageSize', type=int, location='args')

# From the request headers
parser.add_argument('User-Agent', type=str, location='headers')

# From http cookies
parser.add_argument('session_id', type=str, location='cookies')

# From file uploads
parser.add_argument('picture', type=werkzeug.datastructures.FileStorage, location='files')

多个位置

通过传入一个列表到 location 中可以指定 多个 参数位置:

1
parser.add_argument('text', location=['headers', 'values'])

列表中最后一个优先出现在结果集中。(例如:location=[‘headers’, ‘values’],解析后 ‘values’ 的结果会在 ‘headers’ 前面)

继承解析

往往你会为你编写的每个资源编写不同的解析器。这样做的问题就是如果解析器具有共同的参数。不是重写,你可以编写一个包含所有共享参数的父解析器接着使用 copy() 扩充它。你也可以使用 replace_argument() 覆盖父级的任何参数,或者使用 remove_argument() 完全删除参数。 例如:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
from flask.ext.restful import RequestParser

parser = 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', type=str, 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

flask restful 请求解析
https://flepeng.github.io/021-Python-32-框架-Flask-flask-restful-flask-restful-请求解析/
作者
Lepeng
发布于
2021年3月31日
许可协议