使用 FastAPI TestClient 进行测试返回 422 状态代码

JBD*_*Dev 11 python fastapi

TestClient我尝试使用FastAPI(基本上是 Scarlett TestClient)测试端点。

响应代码始终为 422 Unprocessable Entity。

这是我当前的代码:

from typing import Dict, Optional

from fastapi import APIRouter
from pydantic import BaseModel

router = APIRouter()


class CreateRequest(BaseModel):
    number: int
    ttl: Optional[float] = None


@router.post("/create")
async def create_users(body: CreateRequest) -> Dict:
    return {
        "msg": f"{body.number} Users are created"
    }
Run Code Online (Sandbox Code Playgroud)

正如您所看到的,我还将application/json标头传递给客户端以避免潜在的错误。

这是我的测试:

from fastapi.testclient import TestClient
from metusa import app


def test_create_50_users():
    client = TestClient(app)
    client.headers["Content-Type"] = "application/json"

    body = {
        "number": 50,
        "ttl": 2.0
    }
    response = client.post('/v1/users/create', data=body)

    assert response.status_code == 200
    assert response.json() == {"msg": "50 Users created"}

Run Code Online (Sandbox Code Playgroud)

我还在响应对象中发现了此错误消息

b'{"detail":[{"loc":["body",0],"msg":"Expecting value: line 1 column 1 (char 0)","type":"value_error.jsondecode","ctx":{"msg":"Expecting value","doc":"number=50&ttl=2.0","pos":0,"lineno":1,"colno":1}}]}'
Run Code Online (Sandbox Code Playgroud)

感谢您的支持和时间!

小智 7

您不需要手动设置标题。您可以在 client.post 方法中使用json参数来代替data

def test_create_50_users():
    client = TestClient(router)

    body = {
        "number": 50,
        "ttl": 2.0
    }
    response = client.post('/create', json=body)
Run Code Online (Sandbox Code Playgroud)

如果您仍然想使用data属性,则需要使用json.dumps

def test_create_50_users():
    client = TestClient(router)
    client.headers["Content-Type"] = "application/json"

    body = {
        "number": 50,
        "ttl": 2.0
    }
    response = client.post('/create', data=json.dumps(body))
Run Code Online (Sandbox Code Playgroud)