请求数据
当收到一个HTTP请求时,路由函数将传递一个Request对象。 以下变量可作为Request对象的属性访问:
- json (any) - JSON body
from sanic.response import json
@app.route("/json")
def post_json(request):
return json({ "received": True, "message": request.json })
- args (dict) - 查询字符串变量,查询字符串是类似于URL的部分?key1=value1&key2=value2.如果该URL被解析,那么将生成一个字典{'key1': ['value1'], 'key2': ['value2']},请求的query_string变量保存未解析的字符串值。
from sanic.response import json
@app.route("/query_string")
def query_string(request):
return json({ "parsed": True, "args": request.args, "url": request.url, "query_string": request.query_string })
raw_args (dict) 在许多情况下,您将需要访问较少打包的字典中的url参数。相同的以前的URL ?key1=value1&key2=value2, 这个raw_args字典看起来像 {'key1': 'value1', 'key2': 'value2'}.
files (File 对象字典)files 有name, body, 和 type
from sanic.response import json
@app.route("/files")
def post_json(request):
test_file = request.files.get('test')
file_parameters = {
'body': test_file.body,
'name': test_file.name,
'type': test_file.type,
}
return json({ "received": True, "file_names": request.files.keys(), "test_file_parameters": file_parameters })
- form (dict) - 发布表单变量。
from sanic.response import json
@app.route("/form")
def post_json(request):
return json({ "received": True, "form_data": request.form, "test": request.form.get('test') })
- body (bytes) -发布原始body。该属性允许检索请求的原始数据,而不管内容类型如何。
from sanic.response import text
@app.route("/users", methods=["POST",])
def create_user(request):
return text("You are trying to create a user with the following POST: %s" % request.body)
ip (str) - 请求者的IP地址。
app - 对正在处理此请求的Sanic应用程序对象的引用。当在无法访问全局应用对象的模块中的蓝图或其他处理程序中时,这是非常有用的
from sanic.response import json
from sanic import Blueprint
bp = Blueprint('my_blueprint')
@bp.route('/')
async def bp_root(request):
if request.app.config['DEBUG']:
return json({'status': 'debug'})
else:
return json({'status': 'production'})
url:请求的完整URL, ie: http://localhost:8000/posts/1/?foo=bar
scheme:请求URL协议:http or https
host: 请求主机: localhost:8080
path: 请求路径: /posts/1/
query_string:请求的字符串foo=bar 或者空白字符串‘’
使用get和getlist访问值
请求属性实际返回字典一个称为RequestParameters的dict的子类。根据key的不同,区分get 和getlist
- get(key, default=None) 正常运行,除了当给定键的值是列表时,只返回第一个item。
- getlist(key,default = None)正常运行,返回整个列表。
from sanic.request import RequestParameters
args = RequestParameters()
args['titles'] = ['Post 1', 'Post 2']
args.get('titles') # => 'Post 1'
args.getlist('titles') # => ['Post 1', 'Post 2']