python-3.x fastapi自定义响应类作为默认响应类

of1yzvn4  于 2023-02-06  发布在  Python
关注(0)|答案(2)|浏览(140)

我正在尝试使用自定义响应类作为默认响应。

from fastapi.responses import Response
from bson.json_util import dumps

class MongoResponse(Response):
    def __init__(self, content, *args, **kwargs):
        super().__init__(
            content=dumps(content),
            media_type="application/json",
            *args,
            **kwargs,
        )

当我显式地使用响应类时,这可以很好地工作。

@app.get("/")
async def getDoc():
    foo = client.get_database('foo')
    result = await foo.bar.find_one({'author': 'fool'})
    return MongoResponse(result)

然而,当我尝试将其作为参数传递给FastAPI构造函数时,似乎在仅从请求处理程序返回数据时没有使用它。

app = FastAPI(default_response_class=MongoResponse)

@app.get("/")
async def getDoc():
    foo = client.get_database('foo')
    result = await foo.bar.find_one({'author': 'fool'})
    return result

当我看到下面的堆栈跟踪时,它似乎仍然使用正常的默认响应,即json响应。

ERROR:    Exception in ASGI application
Traceback (most recent call last):
  File "/home/blue/podman/test/.venv/lib/python3.6/site-packages/uvicorn/protocols/http/httptools_impl.py", line 390, in run_asgi
    result = await app(self.scope, self.receive, self.send)
  File "/home/blue/podman/test/.venv/lib/python3.6/site-packages/uvicorn/middleware/proxy_headers.py", line 45, in __call__
    return await self.app(scope, receive, send)
  File "/home/blue/podman/test/.venv/lib/python3.6/site-packages/fastapi/applications.py", line 181, in __call__
    await super().__call__(scope, receive, send)  # pragma: no cover
  File "/home/blue/podman/test/.venv/lib/python3.6/site-packages/starlette/applications.py", line 111, in __call__
    await self.middleware_stack(scope, receive, send)
  File "/home/blue/podman/test/.venv/lib/python3.6/site-packages/starlette/middleware/errors.py", line 181, in __call__
    raise exc from None
  File "/home/blue/podman/test/.venv/lib/python3.6/site-packages/starlette/middleware/errors.py", line 159, in __call__
    await self.app(scope, receive, _send)
  File "/home/blue/podman/test/.venv/lib/python3.6/site-packages/starlette/exceptions.py", line 82, in __call__
    raise exc from None
  File "/home/blue/podman/test/.venv/lib/python3.6/site-packages/starlette/exceptions.py", line 71, in __call__
    await self.app(scope, receive, sender)
  File "/home/blue/podman/test/.venv/lib/python3.6/site-packages/starlette/routing.py", line 566, in __call__
    await route.handle(scope, receive, send)
  File "/home/blue/podman/test/.venv/lib/python3.6/site-packages/starlette/routing.py", line 227, in handle
    await self.app(scope, receive, send)
  File "/home/blue/podman/test/.venv/lib/python3.6/site-packages/starlette/routing.py", line 41, in app
    response = await func(request)
  File "/home/blue/podman/test/.venv/lib/python3.6/site-packages/fastapi/routing.py", line 199, in app
    is_coroutine=is_coroutine,
  File "/home/blue/podman/test/.venv/lib/python3.6/site-packages/fastapi/routing.py", line 122, in serialize_response
    return jsonable_encoder(response_content)
  File "/home/blue/podman/test/.venv/lib/python3.6/site-packages/fastapi/encoders.py", line 94, in jsonable_encoder
    sqlalchemy_safe=sqlalchemy_safe,
  File "/home/blue/podman/test/.venv/lib/python3.6/site-packages/fastapi/encoders.py", line 139, in jsonable_encoder
    raise ValueError(errors)
ValueError: [TypeError("'ObjectId' object is not iterable",), TypeError('vars() argument must have __dict__ attribute',)]
dsekswqp

dsekswqp1#

因此,默认的响应类和路由上的响应类只在开放API文档中存在,默认情况下,文档会记录每个端点,就好像它们会返回json一样。
因此,对于下面的示例代码,每个响应都将被标记为内容类型text/html。

app = FastAPI(default_response_class=HTMLResponse)

@app.get("/")
async def getDoc():
    foo = client.get_database('foo')
    result = await foo.bar.find_one({'author': 'Mike'})
    return MongoResponse(result)

@app.get("/other", response_class=JSONResponse)
async def json():
    return {"json": "true"}

从这个意义上说,我可能应该显式地使用我的类,并将默认响应类保留为JSON,以便将它们记录为JSON响应。

qojgxg4l

qojgxg4l2#

我求助于monkeypatching

from fastapi import routing as fastapi_routing
from fastapi.responses import ORJSONResponse

def api_route(self, path, **kwargs):
    def decorator(func):
        if type(kwargs["response_class"]) == DefaultPlaceholder:
            kwargs["response_class"] = Default(ORJSONResponse)
        self.add_api_route(
            path,
            func,
            **kwargs,
        )
        return func

    return decorator

fastapi_routing.APIRouter.api_route = api_route

相关问题