在 aiohttp 库中使用基于类的处理程序而不是函数的正确方法是什么?我习惯将处理程序编写为 Django 中的类,所以我想知道如何在 aiohttp 中正确执行它?
答案 0 :(得分:6)
我假设你想使用基于类的处理程序来为重用代码应用继承。
从技术上讲,aiohttp web-handler是接受请求参数并返回响应实例的任何协同程序。
例如
class BaseView:
def __init__(self, ...):
...
@asyncio.coroutine
def __call__(self, request):
return web.Response()
app.router.add_route('GET', '/', BaseView(...))
可以用作制作Web处理程序层次结构的基类。
甚至
class Handler:
def __init__(self, db):
self._db = db
@asyncio.coroutine
def get_from_db(self, data):
...
@asyncio.coroutine
def handle_a(self, request):
data = yield from self.get_from_db(
self.extract_from_request_a(request))
return web.Response(self.format_data(data))
@asyncio.coroutine
def handle_b(self, request):
data = yield from self.get_from_db(
self.extract_from_request_b(request))
return web.Response(self.format_data(data))
handler = Handler(db)
app.router.add_route('GET', '/a', hadndler.handle_a)
app.router.add_route('GET', '/b', hadndler.handle_b)
答案 1 :(得分:0)
您可以像这样使用它:
from aiohttp import web
from datetime import datetime
class TokenView(web.View):
async def get(self):
token = datetime.now().strftime("%Y%m%d%H%M%S")
room = self.request.match_info.get("room", None)
return web.json_response({"room": room, "token": token, "result": "OK"})
async def post(self):
room = self.request.match_info.get("room", None)
token = datetime.now().strftime("%Y%m%d%H%M%S")
return web.json_response({"room": room, "token": token, "result": "OK"})
if __name__ == "__main__":
app = web.Application()
app.router.add_view("/token/{room}", TokenView)
print(app.router.named_resources())
web.run_app(app)
答案 2 :(得分:0)
aiohttp
中基于基于类的视图的快速示例from aiohttp import web
class Users(web.View):
async def get(self):
output = [
{
'id': 1,
'username': 'chuck_norris'
},
]
return web.json_response(output, status=200)
async def post(self):
data = await self.request.json()
output = {
'result': data
}
return web.json_response(output, status=201)
async def delete(self):
return web.json_response(status=204)
class Teams(web.View):
async def get(self):
output = [
{
'id': 1,
'team': 'team1'
},
]
return web.json_response(output, status=200)
async def post(self):
data = await self.request.json()
output = {
'result': data
}
return web.json_response(output, status=201)
async def delete(self):
return web.json_response(status=204)
app = web.Application()
app.router.add_view("/users", Users)
app.router.add_view("/teams", Teams)
web.run_app(app, port=8000)