pytest构建和测试FastAPI CURD API

打印 上一主题 下一主题

主题 1004|帖子 1004|积分 3012

概述

API是毗连前后端的前梁,固然前端既可以是UI web的前端,也可以是client端,API的测试和构建一样紧张。
FastAPI 是一个用python构建API非常不错的框架,怎样确保在客户端或服务器发生错误时 API 返回有效的响应?您应该针对真实数据举行测试还是模拟测试?
在本文中,先容构建增删改查API(增加(Create)、检索(Retrieve)、更新(Update)和删除(Delete))使用**FastAPI**、SQLite并使用fixture等对pytest举行测试。
这里先容构建Rest API - 从数据库创建、读取、更新、删除用户。
目的

联合本文,从以下几个方面先容

  • 开发一个增删改查使用FastAPI框架在Python中实现Rest API
  • 使用SQLAIchemy ORM 工具和SQLite数据库交互
  • 使用pytest为FastAPI 举行单测
  • 处理错误和响应
  • 使用 FastAPI 的内置Swagger 记载REST API
对于API这里不在赘述,我们了解下FastAPI
FASTAPI 先容

FastAPI是一个高性能的python web框架,可以轻松构建 API,最初由Sebastian Ramirez于18年创建,并在2019年发布。它是创建在Python 库之上:Starlette和Pydantic,此中Starlette 是提供底层 Web 应用程序框架,而 Pydantic 是用于数据验证和序列化的库。FastAPI的设计注重易用性,和性能,同时还内置了async/await的支持,使其比传统的同步线程模型更高效。
CRUD API

它是包括了HTTP方法(POST、GET、PUT、DELETE)的设计原则,用于对数据库DB体系中的数据维护的根本操作。广泛用于 Web 开发,用于实现内容管理和维护
项目设置

项目中,我们创建一个增删改查使用API从的关系型数据库(使用SQLite)创建、读取、更新和删除用户,项目名称这里叫fastapi_curdapi
  1. fastapi_curdapi
  2. ├── app
  3. │   ├── __init__.py
  4. │   ├── database.py
  5. │   ├── main.py
  6. │   ├── models.py
  7. │   ├── schemas.py
  8. │   └── user.py
  9. ├── pyest.ini
  10. ├── pyproject.toml
  11. ├── requirements.txt
  12. ├── tests
  13. │   ├── __init__.py
  14. │   ├── conftest.py
  15. │   └── test_curd_api.py
复制代码
此中app目录下包含源代码如下所示:


  • database.py — 创建数据库引擎和 SQLite 设置。
  • main.py — 创建 FastAPI 客户端、康健检查器和中心件。
  • models.py - 数据库架构。
  • schemas.py — 用户基础架构和响应架构。
  • user.py — API 路由和响应格式。
  • tests目录包含 API 的单元测试。
文件中列出了依赖项 pyproject.toml,大概说使用requirement.txt 这里使用pip3举行维护
  1. fastapi==0.111.0
  2. pydantic==2.7.3
  3. SQLAlchemy==2.0.30
  4. SQLAlchemy_Utils==0.41.2
复制代码
对于项目生成requirement.txt,常用有两种方法
freeze



  • 应用场景:在单一虚拟情况下,可以使用这种方式。
  • 优点:这种方式会把当前情况下的所有依赖包都整理出来。
  • 缺点:不是针对某个项目生成,如果当前情况下有多个项目,那么会生成大量无关的依赖信息。
  1. pip freeze > requirements.txt
复制代码


  • 但是用这个方法,可以实现一个功能:删除当前情况的所有python依赖。
  1. pip uninstall -r requirements.txt -y
复制代码
pipreqs



  • 应用场景:针对单个项目生成 requirements.txt
  • 优点:使用 pipreqs 可以自动检索到当前项目下的所有组件及其版本,并生成 requirements.txt 文件,极大方便了项目迁移和摆设的包管理。
  • 缺点:相比直接用 freeze 下令,能直接隔离其它项目的包生成。
  1. pipreqs ./ --encoding=utf-8
  2. #强制执行命令 --force ,覆盖原有的 requirements.txt 文件
  3. pipreqs ./ --encoding=utf-8 --force
复制代码
所以这里使用pipreqps
代码先容

database.py是创建数据库引擎和SQLite设置的代码
  1. #!/usr/bin/env python
  2. # -*- coding: utf-8 -*-
  3. # This module is ***
  4. # @Time : 2024/6/6 09:54
  5. # @Author :
  6. # function :
  7. # @File : database.py
  8. from sqlalchemy import create_engine
  9. # from sqlalchemy.ext.declarative import declarative_base
  10. # 解决如下告警:
  11. """ MovedIn20Warning: The ``declarative_base()`` function is now available as sqlalchemy.orm.declarative_base(). (deprecated since: 2.0) (Background on SQLAlchemy 2.0 at: https://sqlalche.me/e/b8d9)
  12.     Base = declarative_base()
  13. """
  14. from sqlalchemy.orm import declarative_base
  15. from sqlalchemy.orm import sessionmaker
  16. SQLITE_DATABASE_URL = "sqlite:///./user.db"
  17. # 创建一个 SQLite 的内存数据库,必须加上 check_same_thread=False,否则无法在多线程中使用
  18. engine = create_engine(
  19.     SQLITE_DATABASE_URL, echo=True, connect_args={"check_same_thread": False}
  20. )
  21. # 创建DBSession类型sessionmaker 是 SQLAlchemy 中的一个工厂类,用于创建 Session 对象。Session 对象是与数据库进行交互的会话,它提供了一系列方法来执行数据库操作,例如查询、插入、更新和删除数据。
  22. # 通过使用 sessionmaker,可以方便地创建和管理 Session 对象,而无需每次都手动创建。sessionmaker 通常与数据库引擎(Engine)一起使用,以便为 Session 对象提供数据库连接。而且因为Session不是线程
  23. # 安全的,一般web框架应该在每个请求开始获取一个session,这样使用sessionmaker创建工厂函数,就不用没
  24. SessionLocal = sessionmaker(autocommit=False, autoflush=False, bind=engine)
  25. # 创建对象的基类
  26. Base = declarative_base()
  27. def get_db():
  28.     db = SessionLocal()
  29.     try:
  30.         yield db
  31.     finally:
  32.         db.close()
复制代码
SQLite作为内存数据库,使用起来较为简便,固然还可以使用PostgreSQL、MySQL等数据库。而get_db函数是一个依赖项,将会为注入的每个请求创建一个新的数据库会话session。这里给出v1版本的warning及办理方法
models.py-数据库架构
  1. #!/usr/bin/env python
  2. # -*- coding: utf-8 -*-
  3. # This module is ***
  4. # @Time : 2024/6/6 09:54
  5. # @Author :
  6. # function :
  7. # @File : models.py
  8. from app.database import Base
  9. from sqlalchemy import TIMESTAMP, Column, String, Boolean
  10. from sqlalchemy.sql import func
  11. from sqlalchemy_utils import UUIDType
  12. import uuid
  13. class User(Base):
  14.     # 使用__tablename__指定数据库表名
  15.     __tablename__ = "users"
  16.     # Primary key and GUID type
  17.     id = Column(UUIDType(binary=False), primary_key=True, default=uuid.uuid4)
  18.     # String types with appropriate non-null constraints
  19.     first_name = Column(
  20.         String(255), nullable=False, index=True
  21.     )  # Indexed for faster searches
  22.     last_name = Column(
  23.         String(255), nullable=False, index=True
  24.     )  # Indexed for faster searches
  25.     address = Column(String(255), nullable=True)
  26.     # Boolean type with a default value
  27.     activated = Column(Boolean, nullable=False, default=True)
  28.     # Timestamps with timezone support
  29.     createdAt = Column(
  30.         TIMESTAMP(timezone=True), nullable=False, server_default=func.now()
  31.     )
  32.     updatedAt = Column(TIMESTAMP(timezone=True), default=None, onupdate=func.now())
复制代码
本例中的数据模型非常简单 - 一个包含列的User表- id、first_name、last_name、address、activated、createdAt、updatedAt
使用SQLAlchemy ORM,我们界说表模式和列。
现在我们有了数据库模型,让我们使用Pydantic User创建和响应模型。
schemas.py — 用户基础架构和响应架构
  1. from enum import Enum
  2. from datetime import datetime
  3. from typing import List
  4. from pydantic import BaseModel, Field, ConfigDict
  5. from uuid import UUID
  6. class UserBaseSchema(BaseModel):
  7.     id: UUID = None
  8.     """
  9.     解决告警
  10.       /Users/**/Library/Python/3.9/lib/python/site-packages/pydantic/fields.py:804: PydanticDeprecatedSince20: Using extra keyword arguments on `Field` is deprecated and will be removed. Use `json_schema_extra` instead. (Extra keys: 'example'). Deprecated in Pydantic V2.0 to be removed in V3.0. See Pydantic V2 Migration Guide at https://errors.pydantic.dev/2.7/migration/
  11.     warn(
  12. ../../../../Library/Python/3.9/lib/python/site-packages/pydantic/_internal/_config.py:284
  13.   /Users/**/Library/Python/3.9/lib/python/site-packages/pydantic/_internal/_config.py:284: PydanticDeprecatedSince20: Support for class-based `config` is deprecated, use ConfigDict instead. Deprecated in Pydantic V2.0 to be removed in V3.0. See Pydantic V2 Migration Guide at https://errors.pydantic.dev/2.7/migration/
  14.     warnings.warn(DEPRECATION_MESSAGE, DeprecationWarning)
  15.     """
  16.     first_name: str = Field(..., description="The first name of the user")
  17.     last_name: str = Field(..., description="The last name of the user")
  18.     address: str = None
  19.     activated: bool = False
  20.     createdAt: datetime = None
  21.     # updatedAt: datetime = None
  22.     updatedAt: datetime = Field(default_factory=datetime.utcnow)
  23.     model_config = ConfigDict(
  24.         json_schema_extra={
  25.             "examples": [
  26.                 {
  27.                     "first_name": "John",
  28.                     "last_name": "Doe",
  29.                     # 其他字段如果有需要展示的例子,可以继续在此添加
  30.                 }
  31.             ]
  32.         },
  33.         from_attributes=True,
  34.         populate_by_name=True,
  35.         arbitrary_types_allowed=True,
  36.     )
  37.     """触发告警:PydanticDeprecatedSince20: Support for class-based `config` is deprecated, use ConfigDict instead. Deprecated in Pydantic V2.0 to be removed in V3.0. See Pydantic V2 Migration Guide at https://errors.pydantic.dev/2.7/migration/
  38.     warnings.warn(DEPRECATION_MESSAGE, DeprecationWarning)
  39.    
  40.     解决修改都放在schema_extra中
  41.     """
  42.     # class Config:
  43.     #     from_attributes = True
  44.     #     populate_by_name = True
  45.     #     arbitrary_types_allowed = True
  46. class Status(Enum):
  47.     Success = "Success"
  48.     Failed = "Failed"
  49. class UserResponse(BaseModel):
  50.     Status: Status
  51.     User: UserBaseSchema
  52. class GetUserResponse(BaseModel):
  53.     Status: Status
  54.     User: UserBaseSchema
  55. class ListUserResponse(BaseModel):
  56.     status: Status
  57.     results: int
  58.     users: List[UserBaseSchema]
  59. class DeleteUserResponse(BaseModel):
  60.     Status: Status
  61.     Message: str
复制代码
上面的用法中使用到了 Pydantic 模型,用于在API路由中验证请求和响应负载信息
user.py- API路由和响应信息
  1. import app.schemas as schemas
  2. import app.models as models
  3. from sqlalchemy.orm import Session
  4. from sqlalchemy.exc import IntegrityError
  5. from fastapi import Depends, HTTPException, status, APIRouter
  6. from app.database import get_db
  7. router = APIRouter()
  8. @router.post(
  9.     "/", status_code=status.HTTP_201_CREATED, response_model=schemas.UserResponse
  10. )
  11. def create_user(payload: schemas.UserBaseSchema, db: Session = Depends(get_db)):
  12.     try:
  13.         # Create a new user instance from the payload
  14.         new_user = models.User(**payload.model_dump())
  15.         db.add(new_user)
  16.         db.commit()
  17.         db.refresh(new_user)
  18.     except IntegrityError as e:
  19.         db.rollback()
  20.         # Log the error or handle it as needed
  21.         raise HTTPException(
  22.             status_code=status.HTTP_409_CONFLICT,
  23.             detail="A user with the given details already exists.",
  24.         ) from e
  25.     except Exception as e:
  26.         db.rollback()
  27.         # Handle other types of database errors
  28.         raise HTTPException(
  29.             status_code=status.HTTP_500_INTERNAL_SERVER_ERROR,
  30.             detail="An error occurred while creating the user.",
  31.         ) from e
  32.     # Convert the SQLAlchemy model instance to a Pydantic model
  33.     """解决PydanticDeprecatedSince20: The `from_orm` method is deprecated; set `model_config['from_attributes']=True` and use `model_validate` instead. Deprecated in Pydantic V2.0 to be removed in V3.0. See Pydantic V2 Migration Guide at https://errors.pydantic.dev/2.7/migration/"""
  34.     # user_schema = schemas.UserBaseSchema.from_orm(new_user)
  35.     user_schema = schemas.UserBaseSchema.model_validate(new_user)
  36.     # Return the successful creation response
  37.     return schemas.UserResponse(Status=schemas.Status.Success, User=user_schema)
  38. @router.get(
  39.     "/{userId}", status_code=status.HTTP_200_OK, response_model=schemas.GetUserResponse
  40. )
  41. def get_user(userId: str, db: Session = Depends(get_db)):
  42.     user_query = db.query(models.User).filter(models.User.id == userId)
  43.     db_user = user_query.first()
  44.     if not db_user:
  45.         raise HTTPException(
  46.             status_code=status.HTTP_404_NOT_FOUND,
  47.             detail=f"No User with this id: `{userId}` found",
  48.         )
  49.     try:
  50.         return schemas.GetUserResponse(
  51.             Status=schemas.Status.Success, User=schemas.UserBaseSchema.model_validate(db_user)
  52.         )
  53.     except Exception as e:
  54.         raise HTTPException(
  55.             status_code=status.HTTP_500_INTERNAL_SERVER_ERROR,
  56.             detail="An unexpected error occurred while fetching the user.",
  57.         ) from e
  58. @router.patch(
  59.     "/{userId}",
  60.     status_code=status.HTTP_202_ACCEPTED,
  61.     response_model=schemas.UserResponse,
  62. )
  63. def update_user(
  64.     userId: str, payload: schemas.UserBaseSchema, db: Session = Depends(get_db)
  65. ):
  66.     user_query = db.query(models.User).filter(models.User.id == userId)
  67.     db_user = user_query.first()
  68.     if not db_user:
  69.         raise HTTPException(
  70.             status_code=status.HTTP_404_NOT_FOUND,
  71.             detail=f"No User with this id: `{userId}` found",
  72.         )
  73.     try:
  74.         """PydanticDeprecatedSince20: The `dict` method is deprecated; use `model_dump` instead. Deprecated in Pydantic V2.0 to be removed in V3.0. See Pydantic V2 Migration Guide at https://errors.pydantic.dev/2.7/migration/
  75.     warnings.warn('The `dict` method is deprecated; use `model_dump` instead.', category=PydanticDeprecatedSince20)
  76. """
  77.         # update_data = payload.dict(exclude_unset=True)
  78.         update_data = payload.model_dump(exclude_unset=True)
  79.         user_query.update(update_data, synchronize_session=False)
  80.         db.commit()
  81.         db.refresh(db_user)
  82.         user_schema = schemas.UserBaseSchema.model_validate(db_user)
  83.         return schemas.UserResponse(Status=schemas.Status.Success, User=user_schema)
  84.     except IntegrityError as e:
  85.         db.rollback()
  86.         raise HTTPException(
  87.             status_code=status.HTTP_409_CONFLICT,
  88.             detail="A user with the given details already exists.",
  89.         ) from e
  90.     except Exception as e:
  91.         db.rollback()
  92.         raise HTTPException(
  93.             status_code=status.HTTP_500_INTERNAL_SERVER_ERROR,
  94.             detail="An error occurred while updating the user.",
  95.         ) from e
  96. @router.delete(
  97.     "/{userId}",
  98.     status_code=status.HTTP_202_ACCEPTED,
  99.     response_model=schemas.DeleteUserResponse,
  100. )
  101. def delete_user(userId: str, db: Session = Depends(get_db)):
  102.     try:
  103.         user_query = db.query(models.User).filter(models.User.id == userId)
  104.         user = user_query.first()
  105.         if not user:
  106.             raise HTTPException(
  107.                 status_code=status.HTTP_404_NOT_FOUND,
  108.                 detail=f"No User with this id: `{userId}` found",
  109.             )
  110.         user_query.delete(synchronize_session=False)
  111.         db.commit()
  112.         return schemas.DeleteUserResponse(
  113.             Status=schemas.Status.Success, Message="User deleted successfully"
  114.         )
  115.     except Exception as e:
  116.         db.rollback()
  117.         raise HTTPException(
  118.             status_code=status.HTTP_500_INTERNAL_SERVER_ERROR,
  119.             detail="An error occurred while deleting the user.",
  120.         ) from e
  121. @router.get(
  122.     "/", status_code=status.HTTP_200_OK, response_model=schemas.ListUserResponse
  123. )
  124. def get_users(
  125.     db: Session = Depends(get_db), limit: int = 10, page: int = 1, search: str = ""
  126. ):
  127.     skip = (page - 1) * limit
  128.     users = (
  129.         db.query(models.User)
  130.         .filter(models.User.first_name.contains(search))
  131.         .limit(limit)
  132.         .offset(skip)
  133.         .all()
  134.     )
  135.     return schemas.ListUserResponse(
  136.         status=schemas.Status.Success, results=len(users), users=users
  137.     )
复制代码
上述代码定了 C R U D用户的API路由信息,可以更具需要再处理错误信息,日记记载,响应格式等方面的复杂功能。紧张围绕4条信息开展的,也是我么一样寻常使用较多的错误码范例。


  • create_user- 创建新用户。201成功或409发生冲突时返回状态代码。
  • get_user- 通过 ID 获取用户。如果200成功则返回状态代码,404如果未找到则返回状态代码。
  • update_user- 通过 ID 更新用户。202成功或409发生冲突时返回状态代码。
  • delete_user- 根据 ID 删除用户。如果202成功则返回状态代码,404如果未找到则返回状态代码。
  • get_users- 获取用户列表。200成功时返回状态代码。
main.py — 创建 FastAPI 客户端、康健检查器和中心件
  1. #!/usr/bin/env python
  2. # -*- coding: utf-8 -*-
  3. # This module is ***
  4. # @Time : 2024/6/6 09:54
  5. # @Author :
  6. # function :
  7. # @File : main.py
  8. from app import models, user
  9. from fastapi import FastAPI
  10. from fastapi.middleware.cors import CORSMiddleware
  11. from app.database import engine
  12. models.Base.metadata.create_all(bind=engine)
  13. app = FastAPI()
  14. origins = [
  15.     "http://localhost:3000",
  16. ]
  17. app.add_middleware(
  18.     CORSMiddleware,
  19.     allow_origins=origins,
  20.     allow_credentials=True,
  21.     allow_methods=["*"],
  22.     allow_headers=["*"],
  23. )
  24. app.include_router(user.router, tags=["Users"], prefix="/api/users")
  25. @app.get("/api/healthchecker")
  26. def root():
  27.     return {"message": "The API is LIVE!!"}
复制代码
上面的信息创建了FastAPI client,设置了 CORS中心件并界说了API路由user.py
run API

要拉起服务,执行如下cli下令
  1. uvicorn app.main:app --host localhost --port 8000 --reload
复制代码

在欣赏器输入:http://localhost:8000/docs

通过使用不同接口完成测试。
pytest测试

conftest

tests使用conftest.py完成封装,使用test_curd_api完成业务测试。在conftest.py中
  1. #!/usr/bin/env python
  2. # -*- coding: utf-8 -*-
  3. # This module is ***
  4. # @Time : 2024/6/6 09:54
  5. # @Author :
  6. # function :
  7. # @File : conftest.py
  8. import pytest
  9. import uuid
  10. from sqlalchemy import create_engine
  11. from sqlalchemy.orm import sessionmaker
  12. from sqlalchemy.pool import StaticPool
  13. from fastapi.testclient import TestClient
  14. from app.main import app
  15. from app.database import Base, get_db
  16. # SQLite database URL for testing
  17. SQLITE_DATABASE_URL = "sqlite:///./test_db.db"
  18. # Create a SQLAlchemy engine
  19. engine = create_engine(
  20.     SQLITE_DATABASE_URL,
  21.     connect_args={"check_same_thread": False},
  22.     poolclass=StaticPool,
  23. )
  24. # Create a sessionmaker to manage sessions
  25. TestingSessionLocal = sessionmaker(autocommit=False, autoflush=False, bind=engine)
  26. # Create tables in the database
  27. Base.metadata.create_all(bind=engine)
  28. @pytest.fixture(scope="function")
  29. def db_session():
  30.     """Create a new database session with a rollback at the end of the test."""
  31.     connection = engine.connect()
  32.     transaction = connection.begin()
  33.     session = TestingSessionLocal(bind=connection)
  34.     yield session
  35.     session.close()
  36.     transaction.rollback()
  37.     connection.close()
  38. @pytest.fixture(scope="function")
  39. def test_client(db_session):
  40.     """Create a test client that uses the override_get_db fixture to return a session."""
  41.     def override_get_db():
  42.         try:
  43.             yield db_session
  44.         finally:
  45.             db_session.close()
  46.     app.dependency_overrides[get_db] = override_get_db
  47.     with TestClient(app) as test_client:
  48.         yield test_client
  49. # Fixture to generate a random user id
  50. @pytest.fixture()
  51. def user_id() -> uuid.UUID:
  52.     """Generate a random user id."""
  53.     return str(uuid.uuid4())
  54. # Fixture to generate a user payload
  55. @pytest.fixture()
  56. def user_payload(user_id):
  57.     """Generate a user payload."""
  58.     return {
  59.         "id": user_id,
  60.         "first_name": "John",
  61.         "last_name": "Doe",
  62.         "address": "123 Farmville",
  63.     }
  64. @pytest.fixture()
  65. def user_payload_updated(user_id):
  66.     """Generate an updated user payload."""
  67.     return {
  68.         "first_name": "Jane",
  69.         "last_name": "Doe",
  70.         "address": "321 Farmville",
  71.         "activated": True,
  72.     }
复制代码
测试用例

接着举行测试用例的编写
tests/test_crud_api.py
  1. #!/usr/bin/env python
  2. # -*- coding: utf-8 -*-
  3. # This module is ***
  4. # @Time : 2024/6/6 09:55
  5. # @Author :
  6. # function :
  7. # @File : test_curd_api.py
  8. import time
  9. import allure
  10. def test_root(test_client):
  11.     response = test_client.get("/api/healthchecker")
  12.     assert response.status_code == 200
  13.     assert response.json() == {"message": "The API is LIVE!!"}
  14. def test_create_get_user(test_client, user_payload):
  15.     response = test_client.post("/api/users/", json=user_payload)
  16.     response_json = response.json()
  17.     assert response.status_code == 201
  18.     # Get the created user
  19.     response = test_client.get(f"/api/users/{user_payload['id']}")
  20.     assert response.status_code == 200
  21.     response_json = response.json()
  22.     assert response_json["Status"] == "Success"
  23.     assert response_json["User"]["id"] == user_payload["id"]
  24.     assert response_json["User"]["address"] == "123 Farmville"
  25.     assert response_json["User"]["first_name"] == "John"
  26.     assert response_json["User"]["last_name"] == "Doe"
  27. def test_create_update_user(test_client, user_payload, user_payload_updated):
  28.     response = test_client.post("/api/users/", json=user_payload)
  29.     response_json = response.json()
  30.     assert response.status_code == 201
  31.     # Update the created user
  32.     time.sleep(
  33.         1
  34.     )  # Sleep for 1 second to ensure updatedAt is different (datetime precision is low in SQLite)
  35.     response = test_client.patch(
  36.         f"/api/users/{user_payload['id']}", json=user_payload_updated
  37.     )
  38.     response_json = response.json()
  39.     assert response.status_code == 202
  40.     assert response_json["Status"] == "Success"
  41.     assert response_json["User"]["id"] == user_payload["id"]
  42.     assert response_json["User"]["address"] == "321 Farmville"
  43.     assert response_json["User"]["first_name"] == "Jane"
  44.     assert response_json["User"]["last_name"] == "Doe"
  45.     assert response_json["User"]["activated"] is True
  46.     assert (
  47.         response_json["User"]["updatedAt"] is not None
  48.         and response_json["User"]["updatedAt"] > response_json["User"]["createdAt"]
  49.     )
  50. @allure.title('删除用户')
  51. def test_create_delete_user(test_client, user_payload):
  52.     """
  53.     :param test_client:
  54.     :param user_payload:
  55.     :return:
  56.     """
  57.     response = test_client.post("/api/users/", json=user_payload)
  58.     response_json = response.json()
  59.     assert response.status_code == 201
  60.     # Delete the created user
  61.     response = test_client.delete(f"/api/users/{user_payload['id']}")
  62.     response_json = response.json()
  63.     assert response.status_code == 202
  64.     assert response_json["Status"] == "Success"
  65.     assert response_json["Message"] == "User deleted successfully"
  66.     # Get the deleted user
  67.     response = test_client.get(f"/api/users/{user_payload['id']}")
  68.     assert response.status_code == 404
  69.     response_json = response.json()
  70.     assert response_json["detail"] == f"No User with this id: `{user_payload['id']}` found"
  71. def test_get_user_not_found(test_client, user_id):
  72.     response = test_client.get(f"/api/users/{user_id}")
  73.     assert response.status_code == 404
  74.     response_json = response.json()
  75.     assert response_json["detail"] == f"No User with this id: `{user_id}` found"
  76. def test_create_user_wrong_payload(test_client):
  77.     response = test_client.post("/api/users/", json={})
  78.     assert response.status_code == 422
  79. def test_update_user_wrong_payload(test_client, user_id, user_payload_updated):
  80.     user_payload_updated["first_name"] = (
  81.         True  # first_name should be a string not a boolean
  82.     )
  83.     response = test_client.patch(f"/api/users/{user_id}", json=user_payload_updated)
  84.     assert response.status_code == 422
  85.     response_json = response.json()
  86.     assert response_json == {
  87.         "detail": [
  88.             {
  89.                 "type": "string_type",
  90.                 "loc": ["body", "first_name"],
  91.                 "msg": "Input should be a valid string",
  92.                 "input": True,
  93.             }
  94.         ]
  95.     }
  96. def test_update_user_doesnt_exist(test_client, user_id, user_payload_updated):
  97.     response = test_client.patch(f"/api/users/{user_id}", json=user_payload_updated)
  98.     assert response.status_code == 404
  99.     response_json = response.json()
  100.     assert response_json["detail"] == f"No User with this id: `{user_id}` found"
复制代码
执行测试用例的时间,可以直接点击ide,这里使用的是macOs pycharm中的三角,也可以执行
  1. pytest -s -v
复制代码

这里

本帖子中包含更多资源

您需要 登录 才可以下载或查看,没有账号?立即注册

x
回复

使用道具 举报

0 个回复

倒序浏览

快速回复

您需要登录后才可以回帖 登录 or 立即注册

本版积分规则

我可以不吃啊

论坛元老
这个人很懒什么都没写!
快速回复 返回顶部 返回列表