- FastAPI教程
- FastAPI - 主页
- FastAPI - 简介
- FastAPI - 你好世界
- FastAPI-开放API
- FastAPI - Uvicorn
- FastAPI - 类型提示
- FastAPI - IDE 支持
- FastAPI - 休息架构
- FastAPI - 路径参数
- FastAPI - 查询参数
- FastAPI - 参数验证
- FastAPI - Pydantic
- FastAPI - 请求正文
- FastAPI - 模板
- FastAPI - 静态文件
- FastAPI - HTML 表单模板
- FastAPI - 访问表单数据
- FastAPI - 上传文件
- FastAPI - Cookie 参数
- FastAPI - 标头参数
- FastAPI - 响应模型
- FastAPI - 嵌套模型
- FastAPI - 依赖关系
- FastAPI - CORS
- FastAPI - Crud 操作
- FastAPI - SQL 数据库
- FastAPI - 使用 MongoDB
- FastAPI - 使用 GraphQL
- FastAPI - Websocket
- FastAPI - FastAPI 事件处理程序
- FastAPI - 安装子应用程序
- FastAPI - 中间件
- FastAPI - 安装 Flask 应用程序
- FastAPI - 部署
- FastAPI 有用资源
- FastAPI - 快速指南
- FastAPI - 有用的资源
- FastAPI - 讨论
FastAPI - 访问表单数据
现在我们将看到如何在FastAPI操作函数中访问HTML表单数据。在上面的示例中,/login 路由呈现一个登录表单。用户输入的数据以POST为请求方式提交到/submit URL。现在我们要提供一个视图函数来处理用户提交的数据。
FastAPI 有一个 Form 类,用于处理通过提交 HTML 表单作为请求接收到的数据。但是,您需要安装python-multipart模块。它是 Python 的流式多部分表单解析器。
pip3 install python-multipart
将Form类添加到从 FastAPI 导入的资源中
from fastapi import Form
让我们定义一个用@app.post()修饰的submit()函数。为了接收表单数据,需要声明两个 Form 类型的参数,其名称与表单属性相同。
@app.post("/submit/") async def submit(nm: str = Form(...), pwd: str = Form(...)): return {"username": nm}
填写文本字段后按提交。浏览器被重定向到 /submit URL 并呈现 JSON 响应。检查/submit路由的 Swagger API 文档。它正确地将nm和pwd识别为请求正文参数,并将表单的“媒体类型”识别为application/x-www-form-urlencoded。
甚至可以使用 HTML 表单数据填充并返回 Pydantic 模型。在下面的代码中,我们将 User 类声明为 Pydantic 模型,并将其对象作为服务器的响应发送。
from pydantic import BaseModel class User(BaseModel): username:str password:str @app.post("/submit/", response_model=User) async def submit(nm: str = Form(...), pwd: str = Form(...)): return User(username=nm, password=pwd)