本文介绍的内容最好结合本人关于Blueprint讲解的文章去理解
Flask-RESTful 提供的最主要的基础就是资源(resources)。资源(Resources)是构建在 Flask 可拔插视图 之上,只要在你的资源(resource)上定义方法就能够容易地访问多个 HTTP 方法,这是官方关于flask_restful的介绍,不多讲解理论,直接上代码。
from flask_restful import Resource, Api
from flask import Blueprint
class Test1(Resource):
def get(self):
# 处理method为get的请求
pass
def post(self):
# 处理method为post的请求
pass
class Test2(Resource):
def get(self):
# 处理method为get的请求
pass
def post(self):
# 处理method为post的请求
pass
def test1():
aaa = Blueprint("test1", __name__)
api = Api(aaa)
# 将资源定义到blueprint中
api.add_resource(Test1, "/vm")
api.add_resource(Test2, "/sr")
return aaa
# 创建flask的app启动程序
app = Flask(__name__)
# 将blueprint定义到app中
app.register_blueprint(test1(), url_prefix="/test1/", )
# 启动app
app.run(host = '0.0.0.0', port = '5000')
"""
1.当客户端请求http://ip:5000/test1/vm的时候就会走Test1类中的内容,具体的method根据实际情况为主
2.当客户端请求http://ip:5000/test1/sr的时候就会走Test2类中的内容,具体的method根据实际情况为主
"""