概述
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
- fastapi_curdapi
- ├── app
- │ ├── __init__.py
- │ ├── database.py
- │ ├── main.py
- │ ├── models.py
- │ ├── schemas.py
- │ └── user.py
- ├── pyest.ini
- ├── pyproject.toml
- ├── requirements.txt
- ├── tests
- │ ├── __init__.py
- │ ├── conftest.py
- │ └── 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举行维护
- fastapi==0.111.0
- pydantic==2.7.3
- SQLAlchemy==2.0.30
- SQLAlchemy_Utils==0.41.2
复制代码 对于项目生成requirement.txt,常用有两种方法
freeze
- 应用场景:在单一虚拟情况下,可以使用这种方式。
- 优点:这种方式会把当前情况下的所有依赖包都整理出来。
- 缺点:不是针对某个项目生成,如果当前情况下有多个项目,那么会生成大量无关的依赖信息。
- pip freeze > requirements.txt
复制代码
- 但是用这个方法,可以实现一个功能:删除当前情况的所有python依赖。
- pip uninstall -r requirements.txt -y
复制代码 pipreqs
- 应用场景:针对单个项目生成 requirements.txt
- 优点:使用 pipreqs 可以自动检索到当前项目下的所有组件及其版本,并生成 requirements.txt 文件,极大方便了项目迁移和摆设的包管理。
- 缺点:相比直接用 freeze 下令,能直接隔离其它项目的包生成。
- pipreqs ./ --encoding=utf-8
- #强制执行命令 --force ,覆盖原有的 requirements.txt 文件
- pipreqs ./ --encoding=utf-8 --force
复制代码 所以这里使用pipreqps
代码先容
database.py是创建数据库引擎和SQLite设置的代码
- #!/usr/bin/env python
- # -*- coding: utf-8 -*-
- # This module is ***
- # @Time : 2024/6/6 09:54
- # @Author :
- # function :
- # @File : database.py
- from sqlalchemy import create_engine
- # from sqlalchemy.ext.declarative import declarative_base
- # 解决如下告警:
- """ 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)
- Base = declarative_base()
- """
- from sqlalchemy.orm import declarative_base
- from sqlalchemy.orm import sessionmaker
- SQLITE_DATABASE_URL = "sqlite:///./user.db"
- # 创建一个 SQLite 的内存数据库,必须加上 check_same_thread=False,否则无法在多线程中使用
- engine = create_engine(
- SQLITE_DATABASE_URL, echo=True, connect_args={"check_same_thread": False}
- )
- # 创建DBSession类型sessionmaker 是 SQLAlchemy 中的一个工厂类,用于创建 Session 对象。Session 对象是与数据库进行交互的会话,它提供了一系列方法来执行数据库操作,例如查询、插入、更新和删除数据。
- # 通过使用 sessionmaker,可以方便地创建和管理 Session 对象,而无需每次都手动创建。sessionmaker 通常与数据库引擎(Engine)一起使用,以便为 Session 对象提供数据库连接。而且因为Session不是线程
- # 安全的,一般web框架应该在每个请求开始获取一个session,这样使用sessionmaker创建工厂函数,就不用没
- SessionLocal = sessionmaker(autocommit=False, autoflush=False, bind=engine)
- # 创建对象的基类
- Base = declarative_base()
- def get_db():
- db = SessionLocal()
- try:
- yield db
- finally:
- db.close()
复制代码 SQLite作为内存数据库,使用起来较为简便,固然还可以使用PostgreSQL、MySQL等数据库。而get_db函数是一个依赖项,将会为注入的每个请求创建一个新的数据库会话session。这里给出v1版本的warning及办理方法
models.py-数据库架构
- #!/usr/bin/env python
- # -*- coding: utf-8 -*-
- # This module is ***
- # @Time : 2024/6/6 09:54
- # @Author :
- # function :
- # @File : models.py
- from app.database import Base
- from sqlalchemy import TIMESTAMP, Column, String, Boolean
- from sqlalchemy.sql import func
- from sqlalchemy_utils import UUIDType
- import uuid
- class User(Base):
- # 使用__tablename__指定数据库表名
- __tablename__ = "users"
- # Primary key and GUID type
- id = Column(UUIDType(binary=False), primary_key=True, default=uuid.uuid4)
- # String types with appropriate non-null constraints
- first_name = Column(
- String(255), nullable=False, index=True
- ) # Indexed for faster searches
- last_name = Column(
- String(255), nullable=False, index=True
- ) # Indexed for faster searches
- address = Column(String(255), nullable=True)
- # Boolean type with a default value
- activated = Column(Boolean, nullable=False, default=True)
- # Timestamps with timezone support
- createdAt = Column(
- TIMESTAMP(timezone=True), nullable=False, server_default=func.now()
- )
- 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 — 用户基础架构和响应架构
- from enum import Enum
- from datetime import datetime
- from typing import List
- from pydantic import BaseModel, Field, ConfigDict
- from uuid import UUID
- class UserBaseSchema(BaseModel):
- id: UUID = None
- """
- 解决告警
- /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/
- warn(
- ../../../../Library/Python/3.9/lib/python/site-packages/pydantic/_internal/_config.py:284
- /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/
- warnings.warn(DEPRECATION_MESSAGE, DeprecationWarning)
- """
- first_name: str = Field(..., description="The first name of the user")
- last_name: str = Field(..., description="The last name of the user")
- address: str = None
- activated: bool = False
- createdAt: datetime = None
- # updatedAt: datetime = None
- updatedAt: datetime = Field(default_factory=datetime.utcnow)
- model_config = ConfigDict(
- json_schema_extra={
- "examples": [
- {
- "first_name": "John",
- "last_name": "Doe",
- # 其他字段如果有需要展示的例子,可以继续在此添加
- }
- ]
- },
- from_attributes=True,
- populate_by_name=True,
- arbitrary_types_allowed=True,
- )
- """触发告警: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/
- warnings.warn(DEPRECATION_MESSAGE, DeprecationWarning)
-
- 解决修改都放在schema_extra中
- """
- # class Config:
- # from_attributes = True
- # populate_by_name = True
- # arbitrary_types_allowed = True
- class Status(Enum):
- Success = "Success"
- Failed = "Failed"
- class UserResponse(BaseModel):
- Status: Status
- User: UserBaseSchema
- class GetUserResponse(BaseModel):
- Status: Status
- User: UserBaseSchema
- class ListUserResponse(BaseModel):
- status: Status
- results: int
- users: List[UserBaseSchema]
- class DeleteUserResponse(BaseModel):
- Status: Status
- Message: str
复制代码 上面的用法中使用到了 Pydantic 模型,用于在API路由中验证请求和响应负载信息
user.py- API路由和响应信息
- import app.schemas as schemas
- import app.models as models
- from sqlalchemy.orm import Session
- from sqlalchemy.exc import IntegrityError
- from fastapi import Depends, HTTPException, status, APIRouter
- from app.database import get_db
- router = APIRouter()
- @router.post(
- "/", status_code=status.HTTP_201_CREATED, response_model=schemas.UserResponse
- )
- def create_user(payload: schemas.UserBaseSchema, db: Session = Depends(get_db)):
- try:
- # Create a new user instance from the payload
- new_user = models.User(**payload.model_dump())
- db.add(new_user)
- db.commit()
- db.refresh(new_user)
- except IntegrityError as e:
- db.rollback()
- # Log the error or handle it as needed
- raise HTTPException(
- status_code=status.HTTP_409_CONFLICT,
- detail="A user with the given details already exists.",
- ) from e
- except Exception as e:
- db.rollback()
- # Handle other types of database errors
- raise HTTPException(
- status_code=status.HTTP_500_INTERNAL_SERVER_ERROR,
- detail="An error occurred while creating the user.",
- ) from e
- # Convert the SQLAlchemy model instance to a Pydantic model
- """解决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/"""
- # user_schema = schemas.UserBaseSchema.from_orm(new_user)
- user_schema = schemas.UserBaseSchema.model_validate(new_user)
- # Return the successful creation response
- return schemas.UserResponse(Status=schemas.Status.Success, User=user_schema)
- @router.get(
- "/{userId}", status_code=status.HTTP_200_OK, response_model=schemas.GetUserResponse
- )
- def get_user(userId: str, db: Session = Depends(get_db)):
- user_query = db.query(models.User).filter(models.User.id == userId)
- db_user = user_query.first()
- if not db_user:
- raise HTTPException(
- status_code=status.HTTP_404_NOT_FOUND,
- detail=f"No User with this id: `{userId}` found",
- )
- try:
- return schemas.GetUserResponse(
- Status=schemas.Status.Success, User=schemas.UserBaseSchema.model_validate(db_user)
- )
- except Exception as e:
- raise HTTPException(
- status_code=status.HTTP_500_INTERNAL_SERVER_ERROR,
- detail="An unexpected error occurred while fetching the user.",
- ) from e
- @router.patch(
- "/{userId}",
- status_code=status.HTTP_202_ACCEPTED,
- response_model=schemas.UserResponse,
- )
- def update_user(
- userId: str, payload: schemas.UserBaseSchema, db: Session = Depends(get_db)
- ):
- user_query = db.query(models.User).filter(models.User.id == userId)
- db_user = user_query.first()
- if not db_user:
- raise HTTPException(
- status_code=status.HTTP_404_NOT_FOUND,
- detail=f"No User with this id: `{userId}` found",
- )
- try:
- """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/
- warnings.warn('The `dict` method is deprecated; use `model_dump` instead.', category=PydanticDeprecatedSince20)
- """
- # update_data = payload.dict(exclude_unset=True)
- update_data = payload.model_dump(exclude_unset=True)
- user_query.update(update_data, synchronize_session=False)
- db.commit()
- db.refresh(db_user)
- user_schema = schemas.UserBaseSchema.model_validate(db_user)
- return schemas.UserResponse(Status=schemas.Status.Success, User=user_schema)
- except IntegrityError as e:
- db.rollback()
- raise HTTPException(
- status_code=status.HTTP_409_CONFLICT,
- detail="A user with the given details already exists.",
- ) from e
- except Exception as e:
- db.rollback()
- raise HTTPException(
- status_code=status.HTTP_500_INTERNAL_SERVER_ERROR,
- detail="An error occurred while updating the user.",
- ) from e
- @router.delete(
- "/{userId}",
- status_code=status.HTTP_202_ACCEPTED,
- response_model=schemas.DeleteUserResponse,
- )
- def delete_user(userId: str, db: Session = Depends(get_db)):
- try:
- user_query = db.query(models.User).filter(models.User.id == userId)
- user = user_query.first()
- if not user:
- raise HTTPException(
- status_code=status.HTTP_404_NOT_FOUND,
- detail=f"No User with this id: `{userId}` found",
- )
- user_query.delete(synchronize_session=False)
- db.commit()
- return schemas.DeleteUserResponse(
- Status=schemas.Status.Success, Message="User deleted successfully"
- )
- except Exception as e:
- db.rollback()
- raise HTTPException(
- status_code=status.HTTP_500_INTERNAL_SERVER_ERROR,
- detail="An error occurred while deleting the user.",
- ) from e
- @router.get(
- "/", status_code=status.HTTP_200_OK, response_model=schemas.ListUserResponse
- )
- def get_users(
- db: Session = Depends(get_db), limit: int = 10, page: int = 1, search: str = ""
- ):
- skip = (page - 1) * limit
- users = (
- db.query(models.User)
- .filter(models.User.first_name.contains(search))
- .limit(limit)
- .offset(skip)
- .all()
- )
- return schemas.ListUserResponse(
- status=schemas.Status.Success, results=len(users), users=users
- )
复制代码 上述代码定了 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 客户端、康健检查器和中心件
- #!/usr/bin/env python
- # -*- coding: utf-8 -*-
- # This module is ***
- # @Time : 2024/6/6 09:54
- # @Author :
- # function :
- # @File : main.py
- from app import models, user
- from fastapi import FastAPI
- from fastapi.middleware.cors import CORSMiddleware
- from app.database import engine
- models.Base.metadata.create_all(bind=engine)
- app = FastAPI()
- origins = [
- "http://localhost:3000",
- ]
- app.add_middleware(
- CORSMiddleware,
- allow_origins=origins,
- allow_credentials=True,
- allow_methods=["*"],
- allow_headers=["*"],
- )
- app.include_router(user.router, tags=["Users"], prefix="/api/users")
- @app.get("/api/healthchecker")
- def root():
- return {"message": "The API is LIVE!!"}
复制代码 上面的信息创建了FastAPI client,设置了 CORS中心件并界说了API路由user.py
run API
要拉起服务,执行如下cli下令
- uvicorn app.main:app --host localhost --port 8000 --reload
复制代码
在欣赏器输入:http://localhost:8000/docs
通过使用不同接口完成测试。
pytest测试
conftest
tests使用conftest.py完成封装,使用test_curd_api完成业务测试。在conftest.py中
- #!/usr/bin/env python
- # -*- coding: utf-8 -*-
- # This module is ***
- # @Time : 2024/6/6 09:54
- # @Author :
- # function :
- # @File : conftest.py
- import pytest
- import uuid
- from sqlalchemy import create_engine
- from sqlalchemy.orm import sessionmaker
- from sqlalchemy.pool import StaticPool
- from fastapi.testclient import TestClient
- from app.main import app
- from app.database import Base, get_db
- # SQLite database URL for testing
- SQLITE_DATABASE_URL = "sqlite:///./test_db.db"
- # Create a SQLAlchemy engine
- engine = create_engine(
- SQLITE_DATABASE_URL,
- connect_args={"check_same_thread": False},
- poolclass=StaticPool,
- )
- # Create a sessionmaker to manage sessions
- TestingSessionLocal = sessionmaker(autocommit=False, autoflush=False, bind=engine)
- # Create tables in the database
- Base.metadata.create_all(bind=engine)
- @pytest.fixture(scope="function")
- def db_session():
- """Create a new database session with a rollback at the end of the test."""
- connection = engine.connect()
- transaction = connection.begin()
- session = TestingSessionLocal(bind=connection)
- yield session
- session.close()
- transaction.rollback()
- connection.close()
- @pytest.fixture(scope="function")
- def test_client(db_session):
- """Create a test client that uses the override_get_db fixture to return a session."""
- def override_get_db():
- try:
- yield db_session
- finally:
- db_session.close()
- app.dependency_overrides[get_db] = override_get_db
- with TestClient(app) as test_client:
- yield test_client
- # Fixture to generate a random user id
- @pytest.fixture()
- def user_id() -> uuid.UUID:
- """Generate a random user id."""
- return str(uuid.uuid4())
- # Fixture to generate a user payload
- @pytest.fixture()
- def user_payload(user_id):
- """Generate a user payload."""
- return {
- "id": user_id,
- "first_name": "John",
- "last_name": "Doe",
- "address": "123 Farmville",
- }
- @pytest.fixture()
- def user_payload_updated(user_id):
- """Generate an updated user payload."""
- return {
- "first_name": "Jane",
- "last_name": "Doe",
- "address": "321 Farmville",
- "activated": True,
- }
复制代码 测试用例
接着举行测试用例的编写
tests/test_crud_api.py
- #!/usr/bin/env python
- # -*- coding: utf-8 -*-
- # This module is ***
- # @Time : 2024/6/6 09:55
- # @Author :
- # function :
- # @File : test_curd_api.py
- import time
- import allure
- def test_root(test_client):
- response = test_client.get("/api/healthchecker")
- assert response.status_code == 200
- assert response.json() == {"message": "The API is LIVE!!"}
- def test_create_get_user(test_client, user_payload):
- response = test_client.post("/api/users/", json=user_payload)
- response_json = response.json()
- assert response.status_code == 201
- # Get the created user
- response = test_client.get(f"/api/users/{user_payload['id']}")
- assert response.status_code == 200
- response_json = response.json()
- assert response_json["Status"] == "Success"
- assert response_json["User"]["id"] == user_payload["id"]
- assert response_json["User"]["address"] == "123 Farmville"
- assert response_json["User"]["first_name"] == "John"
- assert response_json["User"]["last_name"] == "Doe"
- def test_create_update_user(test_client, user_payload, user_payload_updated):
- response = test_client.post("/api/users/", json=user_payload)
- response_json = response.json()
- assert response.status_code == 201
- # Update the created user
- time.sleep(
- 1
- ) # Sleep for 1 second to ensure updatedAt is different (datetime precision is low in SQLite)
- response = test_client.patch(
- f"/api/users/{user_payload['id']}", json=user_payload_updated
- )
- response_json = response.json()
- assert response.status_code == 202
- assert response_json["Status"] == "Success"
- assert response_json["User"]["id"] == user_payload["id"]
- assert response_json["User"]["address"] == "321 Farmville"
- assert response_json["User"]["first_name"] == "Jane"
- assert response_json["User"]["last_name"] == "Doe"
- assert response_json["User"]["activated"] is True
- assert (
- response_json["User"]["updatedAt"] is not None
- and response_json["User"]["updatedAt"] > response_json["User"]["createdAt"]
- )
- @allure.title('删除用户')
- def test_create_delete_user(test_client, user_payload):
- """
- :param test_client:
- :param user_payload:
- :return:
- """
- response = test_client.post("/api/users/", json=user_payload)
- response_json = response.json()
- assert response.status_code == 201
- # Delete the created user
- response = test_client.delete(f"/api/users/{user_payload['id']}")
- response_json = response.json()
- assert response.status_code == 202
- assert response_json["Status"] == "Success"
- assert response_json["Message"] == "User deleted successfully"
- # Get the deleted user
- response = test_client.get(f"/api/users/{user_payload['id']}")
- assert response.status_code == 404
- response_json = response.json()
- assert response_json["detail"] == f"No User with this id: `{user_payload['id']}` found"
- def test_get_user_not_found(test_client, user_id):
- response = test_client.get(f"/api/users/{user_id}")
- assert response.status_code == 404
- response_json = response.json()
- assert response_json["detail"] == f"No User with this id: `{user_id}` found"
- def test_create_user_wrong_payload(test_client):
- response = test_client.post("/api/users/", json={})
- assert response.status_code == 422
- def test_update_user_wrong_payload(test_client, user_id, user_payload_updated):
- user_payload_updated["first_name"] = (
- True # first_name should be a string not a boolean
- )
- response = test_client.patch(f"/api/users/{user_id}", json=user_payload_updated)
- assert response.status_code == 422
- response_json = response.json()
- assert response_json == {
- "detail": [
- {
- "type": "string_type",
- "loc": ["body", "first_name"],
- "msg": "Input should be a valid string",
- "input": True,
- }
- ]
- }
- def test_update_user_doesnt_exist(test_client, user_id, user_payload_updated):
- response = test_client.patch(f"/api/users/{user_id}", json=user_payload_updated)
- assert response.status_code == 404
- response_json = response.json()
- assert response_json["detail"] == f"No User with this id: `{user_id}` found"
复制代码 执行测试用例的时间,可以直接点击ide,这里使用的是macOs pycharm中的三角,也可以执行
这里 |