Sanic框架蓝图用法实例分析
本文实例讲述了Sanic框架蓝图用法。分享给大家供大家参考,具体如下:
蓝图是可以用于应用程序内子路由的对象。蓝图并未向应用程序内添加路由,而是定义了用于添加路由的类似方法,然后以灵活且可插入的方式向应用程序注册路由。
蓝图对于大型应用程序尤其有用,您的应用程序可以分解成为几个小组或责任区域。
第一个蓝图
假设你在bp/bp_1.py文件下,定义了以下这么一个非常简单的蓝图:
fromsanicimportBlueprint fromsanic.responseimporttext bp=Blueprint("first_bp") @bp.route("/get_info") asyncdefget_info(request): returntext("itisok!")
注册蓝图
定义了一个蓝图之后,必须在应用程序中注册:
fromsanicimportSanic frombp.bp_1importbp app=Sanic() app.blueprint(bp) if__name__=="__main__": app.run()
如此,并将蓝图添加到应用程序当中,并注册蓝图所定义的所有路由。此时我们就可以访问/get_info就可以获取到数据了
蓝图的使用
在前面一篇《Sanic框架异常处理与中间件操作》中简单介绍了一下在路由中如何使用中间件与异常以及监听器等,这些东西在蓝图中同样可以使用:
中间件:使用蓝图可以在全局范围内注册中间件
@bp.route("/get_info") asyncdefget_info(request): returntext("get_info") @bp.middleware("request") asyncdefhandle_md_request(request): print("requestmiddleware") @bp.middleware("response") asyncdefhandle_md_response(request,response): print("responsemiddleware")
异常:使用蓝图可以在全局范围内注册异常
fromsanic.exceptionsimportNotFound @bp.exception(NotFound) asyncdefhandle_exception(request,exception): returntext("404exception")
静态文件:静态文件可以在蓝图前缀下全局提供
bp.static("/home","/aaa/bbb/abc.html")
监听器:如果需要在服务器启动/关闭的时候,执行一些特殊的代码,则可以使用以下监听器,可用的监听器如下:
- before_server_start:在服务器开始接收连接之前执行
- after_server_start:在服务器开始接收连接之后执行
- before_server_stop:在服务器停止接收连接之前执行
- after_server_stop:在服务器停止接收连接之后执行
@bp.listener("before_server_start") asyncdefbefore_server_start(request,loop): print("beforeserverstart") @bp.listener("after_server_start") asyncdefafter_server_start(request,loop): print("afterserverstart") @bp.listener("before_server_stop") asyncdefbefore_server_stop(request,loop): print("beforeserverstop") @bp.listener("after_server_stop") asyncdefafter_server_stop(request,loop): print("afterserverstop")
当服务器启动时,将会依次打印如下信息:
beforeserverstart
afterserverstart
当服务器关闭时,将会依次打印如下信息:
beforeserverstop
afterserverstop
API版本控制
与手机APP对接的接口开发中,API版本控制尤为重要,针对于低版本用户(尚未升级版本的用户)所用的仍是旧的接口数据,此时开发新功能时对此模块的数据需要进行修改,可是不能影响旧版本的用户,此时我们就需要对API版本进行控制。我们可以定义两个蓝图,一个指向/v1/
fromsanicimportBlueprint fromsanic.responseimporttext bp1=Blueprint("bp1",url_prefix="/v1") bp2=Blueprint("bp2",url_prefix="/v2") @bp1.route("/get_data") asyncdefget_v1_data(request): returntext("itisv1") @bp2.route("/get_data") asyncdefget_v2_data(request): returntext("itisv2")
此时,我们已经定义好了两个蓝图来控制两个版本,我们需要在app中注册它们:
fromsanicimportSanic fromapp.bp.bp_infoimportbp1,bp2 app=Sanic() app.blueprint(bp1) app.blueprint(bp2) if__name__=="__main__": app.run()
重定向
在之前的博文中,我们讲到可以使用url_for基于处理程序方法名称生成URL,然后使用redirect进行重定向,在蓝图中同样使用:
fromsanic.responseimporttext,redirect @bp.route("/") asyncdefhandle_root(request): #bp为定义蓝图实例中的name url=request.app.url_for("bp.get_info",name="laozhang") returnredirect(url) @bp.route("/get_info/") asyncdefget_info(request,name): returntext("name:{}".format(name))
更多关于Python相关内容可查看本站专题:《Python入门与进阶经典教程》、《Python数据结构与算法教程》、《Python函数使用技巧总结》、《Python字符串操作技巧汇总》及《Python文件与目录操作技巧汇总》
希望本文所述对大家Python程序设计有所帮助。