赞
踩
Sanic是一个类似Flask的Python 3.5+ Web服务器,它的写入速度非常快。除了Flask之外,Sanic还支持异步请求处理程序。这意味着你可以使用Python 3.5中新的闪亮的异步/等待语法,使你的代码非阻塞和快速。
前言:Sanic最低支持Python 3.5,如果需要学习Sanic,请先下载版本不低于3.5的Python包
当一个端点收到一个HTTP请求时,路由功能被传递到一个request
对象。以下变量可以作为request
对象的属性访问:
@app.route("/post_data",methods=["POST"])
async def post_data(request):
# 将打印传递过来的JSON数据
print(request.json)
return text("it is ok!")
?name=laozhang&age=20
。如果URL被解析,那么args
字典将如下所示:{"name":["laozhang"],"age":[20]}
?name=laozhang&age=20
,raw_args
字典将如下所示:{"name":"laozhang","age":20}
@app.route("/post_file_data",methods=["POST"])
async def post_file_data(request):
info = request.files.get("file")
print(info.name)
print(info.type)
print(info.body)
return text("it is ok!")
form
字典将如下所示:{"name":["laozhang"]}
@app.route("/post_form_data",methods=["POST"])
async def post_form_data(request):
name = request.form.get("name")
return text("it is ok!")
byte
类型dict
类型str
类型str
类型tuple
类型@appr.route("/get_app_info")
async def get_app_info(request):
print(request.app.config)
return text("it is ok!")
http://localhost:5000/get_app_info
http
或https
/get_app_info
name=zhangsan
或者为一个空白字符串/get/<id>
当我们访问一个GET
请求,并传入相关参数时,如下的请求:
@app.route("/get_info")
async def get_info(request):
print(request.args.get("name"))
print(request.args.getlist("name")
return text("it is ok!")
当我们传入一个name
为laozhang
时,在上面有提到,args
字典将会是{"name":["laozhang"]
,所以,访问上面的路由,将会打印如下结果:
laozhang
["laozhang"]
使用sanic.response
模块中的函数来创建响应
from sanic.response import text
@app.route("/text")
async def get_text(request):
return text("it is text response!")
from sanic.response import html
@app.route("/html")
async def get_html(request):
return html("<p>it is html!</p>")
from sanic.response import json
@app.route("/json")
async def get_json(request):
return json({"name":"laozhang"})
from sanic.response import file
@app.route("/file")
async def get_file(request):
return await file("/xx/aa/abc.png")
切记,不能少了await
关键字
from sanic.response import stream
@app.route("/stream")
async def get_stream(request):
async def stream_fn(response):
response.write("abc")
response.write("def")
return stream(stream_fn,content_type="text/plain")
from sanic.response import file_stream
@app.route("/file_stream")
async def get_file_stream(request):
return await file_stream("/xx/aa/abc.png")
切记,不能少了await
关键字
from sanic.response import redirect
@app.route("/redirect")
async def get_redirect(request):
return redirect("/json")
from sanic.response import raw
@app.route("/raw")
async def get_raw(request):
return raw(b"it is raw data")
访问此接口后,将会立即下载一个名为raw
的文件,里面包含内容it is raw data
headers
和status
参数传递给上面这些函数,下面以json
为例from sanic.response import json
@app.route("/json")
async def get_json(request):
return json({"name":"老张"},headers={"age":18},status=403)
访问此接口后,会发现原来本应是200的状态值变成了403
,而且请求头信息中增加了{"age":18}
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。