Okay, here is a detailed article on Python FastAPI POST request examples, aiming for approximately 5000 words.
Mastering FastAPI: A Deep Dive into POST Request Examples
FastAPI has rapidly become one of the most popular Python web frameworks for building APIs, lauded for its incredible speed, ease of use, developer experience, and automatic interactive documentation. Built upon Starlette for performance and Pydantic for data validation, it offers a modern, type-hint-driven approach to API development.
While APIs handle various HTTP methods (GET, PUT, DELETE, etc.), the POST
method is fundamental for creating new resources or submitting data to the server for processing. Understanding how to effectively handle POST requests in FastAPI, receive different types of data (JSON, form data, files), validate it, and process it is crucial for building robust applications.
This comprehensive guide will walk you through numerous examples of handling POST requests in FastAPI, from the basics to more advanced scenarios. We’ll cover:
- Setting up the Environment
- Understanding POST Requests
- Basic POST with Pydantic Models (JSON Body)
- Handling Various Data Types in JSON
- Primitive Types (str, int, float, bool)
- Lists
- Nested Models
- Optional Fields and Default Values
- UUIDs, Datetimes, and Other Special Types
- Receiving Raw Request Body
- Handling Form Data (
application/x-www-form-urlencoded
ormultipart/form-data
) - Handling File Uploads (
multipart/form-data
)- Single File Upload
- Multiple File Uploads
- Combining Parameters: Path, Query, Body, Form, Files
- Advanced Topics
- Data Validation and Error Handling
- Using Dependencies with POST Requests
- Background Tasks Triggered by POST
- Controlling the Response (Response Models, Status Codes)
- Testing POST Endpoints
- Security Considerations
- Best Practices
Let’s dive in!
1. Setting up the Environment
Before we start building our examples, we need to install FastAPI and an ASGI server like Uvicorn.
bash
pip install fastapi uvicorn pydantic python-multipart
fastapi
: The core framework.uvicorn
: The ASGI server that will run our application.pydantic
: Used by FastAPI for data validation and serialization (usually installed as a dependency of FastAPI, but good to be explicit).python-multipart
: Required for handling form data and file uploads.
Let’s create a basic FastAPI application file, main.py
, to ensure everything is working:
“`python
main.py
from fastapi import FastAPI
app = FastAPI(
title=”FastAPI POST Examples”,
description=”A demonstration of various POST request handling techniques in FastAPI.”,
version=”1.0.0″,
)
@app.get(“/”)
async def read_root():
“””
Root endpoint providing a welcome message.
“””
return {“message”: “Welcome to the FastAPI POST Examples API!”}
Placeholder for our future POST endpoints
…
if name == “main“:
import uvicorn
# Run the app using Uvicorn
# reload=True enables auto-reloading when code changes, useful for development
uvicorn.run(“main:app”, host=”127.0.0.1″, port=8000, reload=True)
“`
Save this file as main.py
. Now, run the server from your terminal in the same directory:
bash
uvicorn main:app --reload
You should see output indicating the server is running, typically on http://127.0.0.1:8000
. Open your web browser and navigate to this address. You should see the JSON response: {"message": "Welcome to the FastAPI POST Examples API!"}
.
Also, navigate to http://127.0.0.1:8000/docs
. This is FastAPI’s automatic interactive Swagger UI documentation, which is incredibly useful for testing and understanding your API endpoints.
With the basic setup confirmed, we can move on to understanding POST requests.
2. Understanding POST Requests
In the context of HTTP and REST APIs, the POST
method is primarily used to:
- Create a new resource: For example, adding a new user, submitting a new blog post, or creating a new order. The server typically assigns a unique identifier (like an ID or URL) to the newly created resource.
- Submit data for processing: This could be anything from submitting login credentials, uploading a file, triggering a calculation, or sending data that doesn’t neatly fit into the “create a resource” pattern.
Key characteristics of POST requests:
- Request Body: POST requests typically carry data in the request body. The format of this data is indicated by the
Content-Type
header (e.g.,application/json
,application/x-www-form-urlencoded
,multipart/form-data
). - Not Necessarily Idempotent: Unlike
GET
orPUT
(which should be idempotent, meaning making the same request multiple times has the same effect as making it once),POST
requests are generally not idempotent. Sending the same POST request twice might result in creating two distinct resources. - Side Effects: POST requests are expected to have side effects on the server, such as creating data, updating state, or triggering actions.
- Response: The server’s response to a POST request often includes:
- A status code indicating success (e.g.,
201 Created
,200 OK
,202 Accepted
). - Optionally, data representing the newly created resource or the result of the processing.
- A
Location
header (especially with201 Created
) pointing to the URL of the newly created resource.
- A status code indicating success (e.g.,
FastAPI makes handling the complexities of receiving and validating data from POST request bodies incredibly straightforward, primarily through its integration with Pydantic.
3. Basic POST with Pydantic Models (JSON Body)
The most common scenario for modern APIs is receiving JSON data in the request body. FastAPI leverages Pydantic models to define the expected structure and types of this JSON data.
Let’s create an endpoint to add a new item to a fictional inventory. We expect a JSON body with name
, description
, and price
.
Step 1: Define the Pydantic Model
Add this Pydantic model definition to your main.py
:
“`python
main.py (add this import and class)
from fastapi import FastAPI, HTTPException, status
from pydantic import BaseModel, Field # Import BaseModel and Field
from typing import Optional, List # Import Optional and List for later examples
… (existing app = FastAPI(…) code)
class Item(BaseModel):
“””
Pydantic model representing an item in the inventory.
“””
name: str = Field(…, example=”Laptop”, description=”The name of the item”)
description: Optional[str] = Field(None, example=”A high-performance laptop”, description=”Optional description of the item”)
price: float = Field(…, gt=0, example=1299.99, description=”The price of the item (must be greater than 0)”)
tax: Optional[float] = Field(None, ge=0, example=129.99, description=”Optional tax amount (must be non-negative)”)
… (existing @app.get(“/”) code)
“`
BaseModel
: We inherit from Pydantic’sBaseModel
to create our data model.name: str
: Defines a required fieldname
of typestring
.description: Optional[str] = None
: Defines an optional fielddescription
of typestring
. If not provided, it defaults toNone
. We usetyping.Optional
for this.price: float = Field(..., gt=0)
: Defines a required fieldprice
of typefloat
.Field(...)
signifies it’s required. We add validationgt=0
(greater than 0) usingField
.tax: Optional[float] = Field(None, ge=0)
: Defines an optional fieldtax
of typefloat
, defaulting toNone
, with validationge=0
(greater than or equal to 0).example
anddescription
inField
: These are used by FastAPI to enhance the automatic documentation (Swagger UI).
Step 2: Create the POST Endpoint
Now, add the endpoint function that uses this model:
“`python
main.py (add this endpoint)
In-memory “database” for demonstration purposes
fake_items_db = []
@app.post(“/items/”, status_code=status.HTTP_201_CREATED, response_model=Item)
async def create_item(item: Item):
“””
Create a new item and add it to the fake database.
- **item**: A JSON object representing the item to create, conforming to the Item model.
"""
print(f"Received item: {item.dict()}") # Log the received item data
# Here you would typically interact with a real database
# For demonstration, we convert the Pydantic model to a dict and add it to our list
item_dict = item.dict()
item_dict["item_id"] = len(fake_items_db) + 1 # Assign a simple ID
fake_items_db.append(item_dict)
print(f"Current fake DB: {fake_items_db}")
# FastAPI automatically handles serialization based on the response_model
return item # Return the received item (or the created item from the DB)
“`
@app.post("/items/")
: Decorator registering this function to handle POST requests to the/items/
path.item: Item
: This is the magic! FastAPI sees the type hintItem
(our Pydantic model) and understands that it should expect a JSON body conforming to this model. It automatically:- Reads the request body.
- Parses the JSON.
- Validates the data against the
Item
model (checking types, required fields, constraints likegt=0
). - If validation fails, it automatically returns a
422 Unprocessable Entity
error with details. - If validation succeeds, it creates an instance of the
Item
class with the data and passes it to theitem
parameter of our function.
status_code=status.HTTP_201_CREATED
: Explicitly sets the default success status code to201 Created
, which is appropriate for resource creation. We importstatus
fromfastapi
.response_model=Item
: Tells FastAPI that the response should also conform to theItem
model structure. FastAPI will filter the return value to include only the fields defined inItem
.- Inside the function: We access the validated data through the
item
object (e.g.,item.name
,item.price
). We useitem.dict()
to convert the Pydantic model instance back into a dictionary if needed (e.g., for storing in a simple list or non-ORM database). return item
: We return the Pydanticitem
object. FastAPI takes care of serializing it back into a JSON response.
Step 3: Test the Endpoint
Ensure your Uvicorn server is running (uvicorn main:app --reload
).
Using curl
:
bash
curl -X POST "http://127.0.0.1:8000/items/" \
-H "Content-Type: application/json" \
-d '{
"name": "Gaming PC",
"description": "High-end gaming desktop",
"price": 1999.50,
"tax": 199.95
}'
-X POST
: Specifies the HTTP method.-H "Content-Type: application/json"
: Tells the server the body contains JSON data.-d '{...}'
: Provides the JSON data in the request body.
Expected Response (Status Code: 201 Created):
json
{
"name": "Gaming PC",
"description": "High-end gaming desktop",
"price": 1999.5,
"tax": 199.95
}
You should also see the “Received item” log message in your Uvicorn server console.
Try an invalid request (missing required field ‘name’):
bash
curl -X POST "http://127.0.0.1:8000/items/" \
-H "Content-Type: application/json" \
-d '{
"description": "Monitor",
"price": 250.00
}'
Expected Response (Status Code: 422 Unprocessable Entity):
json
{
"detail": [
{
"loc": [
"body",
"name"
],
"msg": "field required",
"type": "value_error.missing"
}
]
}
FastAPI automatically generated this detailed validation error message based on our Pydantic model.
Using Swagger UI:
Navigate to http://127.0.0.1:8000/docs
. Find the POST /items/
endpoint, expand it, click “Try it out”, fill in the example JSON (or modify it), and click “Execute”. You’ll see the curl
command equivalent, the request URL, the response body, status code, and headers. This is a fantastic way to test and explore your API.
4. Handling Various Data Types in JSON
Pydantic models, and therefore FastAPI, support a wide range of data types out of the box. Let’s enhance our Item
model and create a new endpoint to showcase this.
Step 1: Enhance the Pydantic Model
Let’s create a more complex model, perhaps for a user profile.
“`python
main.py (add these imports and classes)
from datetime import datetime
from uuid import UUID
from pydantic import EmailStr
class Address(BaseModel):
“””
Nested model representing a user’s address.
“””
street_address: str
city: str
postal_code: str
country: str = “USA” # Default value
class UserProfile(BaseModel):
“””
Model representing a user profile with various data types.
“””
user_id: UUID = Field(…, description=”Unique identifier for the user”)
username: str = Field(…, min_length=3, max_length=50, example=”johndoe”)
email: EmailStr = Field(…, example=”[email protected]”) # Pydantic’s EmailStr validates email format
full_name: Optional[str] = None
join_date: datetime = Field(default_factory=datetime.utcnow, description=”Timestamp when the user joined”)
is_active: bool = True
tags: List[str] = Field([], example=[“new”, “customer”], description=”List of tags associated with the user”)
billing_address: Optional[Address] = None # Nested model
preferred_contact_methods: List[str] = Field(default_factory=list, description=”User’s preferred contact methods”)
class Config:
# Example configuration for Pydantic model behaviour if needed
# e.g., schema_extra = { ... }
pass
“`
This UserProfile
model includes:
* UUID
: For universally unique identifiers.
* str
with length constraints (min_length
, max_length
).
* EmailStr
: A Pydantic type that validates email format.
* Optional[str]
: An optional string.
* datetime
: For timestamps. default_factory=datetime.utcnow
sets the default to the current UTC time if not provided.
* bool
: Boolean flags.
* List[str]
: A list containing strings. Defaults to an empty list []
. default_factory=list
is another way to specify an empty list as default.
* Optional[Address]
: An optional field containing another Pydantic model (Address
), demonstrating nesting.
* List[str]
with default_factory=list
.
Step 2: Create the POST Endpoint for User Profiles
“`python
main.py (add this endpoint)
fake_user_db = {} # Use a dict with UUID as key
@app.post(“/users/”, status_code=status.HTTP_201_CREATED, response_model=UserProfile)
async def create_user(profile: UserProfile):
“””
Creates a new user profile.
- **profile**: A JSON object conforming to the UserProfile model.
"""
if profile.user_id in fake_user_db:
raise HTTPException(
status_code=status.HTTP_400_BAD_REQUEST,
detail=f"User with ID {profile.user_id} already exists."
)
print(f"Received profile for user ID: {profile.user_id}")
print(f"Profile data: {profile.dict()}")
# Store in our fake DB (convert UUID to string for JSON compatibility if needed,
# but Pydantic handles UUIDs well internally)
fake_user_db[profile.user_id] = profile.dict()
# Return the created profile object
return profile
“`
- We use the
UserProfile
model as the type hint for theprofile
parameter. - We add a simple check to prevent creating users with duplicate IDs, raising an
HTTPException
if necessary.HTTPException
is FastAPI’s standard way to return HTTP error responses. - The
response_model=UserProfile
ensures the output matches the defined structure.
Step 3: Test the Endpoint
Using curl
:
You’ll need a valid UUID. You can generate one using Python (import uuid; print(uuid.uuid4())
) or an online generator. Let’s assume a1b2c3d4-e5f6-7890-1234-567890abcdef
is our generated UUID.
“`bash
Note: Using single quotes around the JSON data helps with shell interpretation of double quotes inside.
Make sure your shell handles multiline data correctly or put it all on one line.
curl -X POST “http://127.0.0.1:8000/users/” \
-H “Content-Type: application/json” \
-d ‘{
“user_id”: “a1b2c3d4-e5f6-7890-1234-567890abcdef”,
“username”: “janedoe”,
“email”: “[email protected]”,
“full_name”: “Jane Doe”,
“is_active”: true,
“tags”: [“premium”, “tester”],
“billing_address”: {
“street_address”: “123 Main St”,
“city”: “Anytown”,
“postal_code”: “12345”,
“country”: “Canada”
},
“preferred_contact_methods”: [“email”, “sms”]
}’
“`
Notice we didn’t provide join_date
; the default_factory
will handle it.
Expected Response (Status Code: 201 Created):
json
{
"user_id": "a1b2c3d4-e5f6-7890-1234-567890abcdef",
"username": "janedoe",
"email": "[email protected]",
"full_name": "Jane Doe",
"join_date": "2023-10-27T10:30:00.123456", // Actual timestamp will vary
"is_active": true,
"tags": [
"premium",
"tester"
],
"billing_address": {
"street_address": "123 Main St",
"city": "Anytown",
"postal_code": "12345",
"country": "Canada"
},
"preferred_contact_methods": [
"email",
"sms"
]
}
You can test variations: omitting optional fields (full_name
, billing_address
), providing invalid data (e.g., an invalid email, a username that’s too short) to see the 422
validation errors, or trying to POST the same user_id
again to see the 400 Bad Request
error.
5. Receiving Raw Request Body
Sometimes, you don’t want FastAPI to parse the request body as JSON (or form data). You might need the raw bytes or the decoded string, for example, when dealing with webhooks that require signature verification based on the raw payload, or when processing non-standard data formats.
FastAPI provides access to the raw request using the Request
object.
Step 1: Create the Endpoint
“`python
main.py (add this import and endpoint)
from fastapi import Request # Import Request
@app.post(“/webhook/raw/”)
async def handle_raw_webhook(request: Request):
“””
Receives any POST request and processes its raw body.
Useful for webhooks or custom body formats.
“””
# Get the raw body as bytes
raw_body_bytes = await request.body()
# Optionally, decode the bytes to a string (specify encoding if known)
try:
raw_body_str = raw_body_bytes.decode('utf-8') # Or appropriate encoding
print(f"Received raw body (decoded):\n{raw_body_str}")
except UnicodeDecodeError:
print("Received raw body (bytes, could not decode as UTF-8):")
print(raw_body_bytes)
raw_body_str = None # Indicate decoding failure
# You might also want to inspect headers, e.g., for signatures
content_type = request.headers.get("content-type")
signature = request.headers.get("x-signature") # Example header
print(f"Content-Type Header: {content_type}")
print(f"X-Signature Header: {signature}")
# --- Processing Logic ---
# Here you would typically:
# 1. Verify a signature if provided (using raw_body_bytes and a secret key).
# 2. Parse the raw_body based on the content_type or specific webhook format.
# 3. Perform actions based on the parsed data.
# Example response
response_data = {
"message": "Raw webhook received successfully",
"content_type_received": content_type,
"body_length_bytes": len(raw_body_bytes),
"signature_received": bool(signature)
}
if raw_body_str is not None:
response_data["first_50_chars"] = raw_body_str[:50] + ('...' if len(raw_body_str) > 50 else '')
return response_data
“`
request: Request
: We type hint the parameter asRequest
fromfastapi
.await request.body()
: This asynchronously reads the entire request body into bytes. Be cautious with very large request bodies, as this loads everything into memory.raw_body_bytes.decode()
: Attempts to decode the bytes into a string. Always consider the correct encoding.request.headers
: Access request headers as a dictionary-like object.
Step 2: Test the Endpoint
Using curl
with JSON:
bash
curl -X POST "http://127.0.0.1:8000/webhook/raw/" \
-H "Content-Type: application/json" \
-H "X-Signature: some_signature_value" \
-d '{"event": "test", "payload": {"id": 123}}'
Check the server console logs. You’ll see the raw JSON string printed. The response will be similar to:
json
{
"message": "Raw webhook received successfully",
"content_type_received": "application/json",
"body_length_bytes": 44,
"signature_received": true,
"first_50_chars": "{\"event\": \"test\", \"payload\": {\"id\": 123}}..."
}
Using curl
with Plain Text:
bash
curl -X POST "http://127.0.0.1:8000/webhook/raw/" \
-H "Content-Type: text/plain" \
-d "This is just some plain text data."
Check the logs. The response:
json
{
"message": "Raw webhook received successfully",
"content_type_received": "text/plain",
"body_length_bytes": 33,
"signature_received": false,
"first_50_chars": "This is just some plain text data."
}
This endpoint demonstrates flexibility in accepting arbitrary POST data without enforcing a specific Pydantic model structure upfront.
6. Handling Form Data (application/x-www-form-urlencoded
or multipart/form-data
)
Web forms often submit data using Content-Type: application/x-www-form-urlencoded
(for simple key-value pairs) or multipart/form-data
(if the form includes file uploads). FastAPI handles form data using Form
.
Step 1: Install python-multipart
If you haven’t already, make sure it’s installed:
pip install python-multipart
Step 2: Create the Endpoint
Let’s create a simple login endpoint that expects username
and password
as form fields.
“`python
main.py (add this import and endpoint)
from fastapi import Form # Import Form
@app.post(“/login/form/”)
async def login_with_form(
username: str = Form(…),
password: str = Form(…)
):
“””
Handles login requests submitted via HTML form data.
Expects ‘username’ and ‘password’ fields.
“””
print(f”Received login attempt via form:”)
print(f”Username: {username}”)
# In a real app, NEVER log passwords! This is just for demonstration.
print(f”Password: {‘*’ * len(password)}”) # Avoid logging the actual password
# --- Authentication Logic ---
# Here you would typically:
# 1. Hash the received password.
# 2. Compare the hashed password with the stored hash for the username.
# 3. If valid, generate a token (e.g., JWT) and return it.
# 4. If invalid, return an appropriate error (e.g., 401 Unauthorized).
# Dummy response for demonstration
if username == "admin" and password == "secret":
return {"message": f"Welcome {username}! Login successful (form data)."}
else:
raise HTTPException(
status_code=status.HTTP_401_UNAUTHORIZED,
detail="Incorrect username or password",
headers={"WWW-Authenticate": "Bearer"}, # Standard for auth errors
)
“`
from fastapi import Form
: Import theForm
function.username: str = Form(...)
: Declares thatusername
should be extracted from the form data. It’s required because of...
.password: str = Form(...)
: Similarly declarespassword
as a required form field.
FastAPI automatically detects that you’re using Form
and expects the request Content-Type
to be either application/x-www-form-urlencoded
or multipart/form-data
. It parses the form fields and passes them to your function parameters.
Step 3: Test the Endpoint
Using curl
(application/x-www-form-urlencoded
):
bash
curl -X POST "http://127.0.0.1:8000/login/form/" \
-H "Content-Type: application/x-www-form-urlencoded" \
-d "username=admin&password=secret"
-d "key1=value1&key2=value2"
is howcurl
sendsx-www-form-urlencoded
data.
Expected Response (Status Code: 200 OK):
json
{
"message": "Welcome admin! Login successful (form data)."
}
Using curl
(multipart/form-data
):
While less common for simple login, multipart/form-data
also works.
bash
curl -X POST "http://127.0.0.1:8000/login/form/" \
-F "username=admin" \
-F "password=secret"
-F "key=value"
tellscurl
to send data asmultipart/form-data
.
The response should be the same.
Using Swagger UI:
Go to /docs
. The UI for this endpoint will show fields for username
and password
under “Request body” and will correctly set the Content-Type
when you execute the request.
Trying invalid credentials:
bash
curl -X POST "http://127.0.0.1:8000/login/form/" \
-F "username=admin" \
-F "password=wrong"
Expected Response (Status Code: 401 Unauthorized):
json
{
"detail": "Incorrect username or password"
}
7. Handling File Uploads (multipart/form-data
)
File uploads are a common requirement. They always use the multipart/form-data
encoding. FastAPI provides File
and UploadFile
for handling them.
Step 1: Ensure python-multipart
is Installed
(We did this in the previous section.)
Step 2: Create Endpoints for File Uploads
Let’s create two endpoints: one for a single file and one for multiple files.
“`python
main.py (add these imports and endpoints)
from fastapi import File, UploadFile # Import File and UploadFile
import shutil # For saving the file (demonstration)
import os # For creating directory
Create a directory to store uploads
UPLOAD_DIR = “uploads”
os.makedirs(UPLOAD_DIR, exist_ok=True)
@app.post(“/upload/singlefile/”)
async def upload_single_file(file: UploadFile = File(…)):
“””
Uploads a single file.
The file is received as `UploadFile` which provides async methods.
"""
if not file:
raise HTTPException(status_code=status.HTTP_400_BAD_REQUEST, detail="No file sent.")
print(f"Received single file upload:")
print(f"Filename: {file.filename}")
print(f"Content-Type: {file.content_type}")
# Define the path where the file will be saved
file_location = os.path.join(UPLOAD_DIR, file.filename)
try:
# Save the file chunk by chunk (more memory efficient for large files)
with open(file_location, "wb") as buffer:
# shutil.copyfileobj(file.file, buffer) # Synchronous way
# Asynchronous way (recommended with async def)
while content := await file.read(1024 * 1024): # Read 1MB chunks
buffer.write(content)
except Exception as e:
print(f"Error saving file: {e}")
raise HTTPException(status_code=status.HTTP_500_INTERNAL_SERVER_ERROR,
detail=f"Could not save file: {file.filename}. Error: {e}")
finally:
# Important: Close the file handle when done or if an error occurs
await file.close()
# You could also read the entire file content into memory (use with caution for large files)
# contents = await file.read()
# print(f"File size: {len(contents)} bytes")
return {
"message": f"Successfully uploaded {file.filename}",
"filename": file.filename,
"content_type": file.content_type,
"saved_path": file_location
}
@app.post(“/upload/multiplefiles/”)
async def upload_multiple_files(files: List[UploadFile] = File(…)):
“””
Uploads multiple files.
Receives a list of `UploadFile` objects.
"""
if not files:
raise HTTPException(status_code=status.HTTP_400_BAD_REQUEST, detail="No files sent.")
print(f"Received multiple file upload request ({len(files)} files).")
uploaded_files_info = []
for file in files:
print(f"Processing file: {file.filename} ({file.content_type})")
file_location = os.path.join(UPLOAD_DIR, file.filename)
try:
with open(file_location, "wb") as buffer:
# Asynchronous read/write
while content := await file.read(1024 * 1024): # Read 1MB chunks
buffer.write(content)
uploaded_files_info.append({
"filename": file.filename,
"content_type": file.content_type,
"saved_path": file_location
})
except Exception as e:
print(f"Error saving file {file.filename}: {e}")
# Optionally continue with other files or raise an error immediately
uploaded_files_info.append({
"filename": file.filename,
"error": f"Could not save file. Error: {e}"
})
finally:
await file.close() # Close each file
return {
"message": f"Processed {len(files)} files.",
"uploaded_files": uploaded_files_info
}
“`
from fastapi import File, UploadFile
: Import necessary components.file: UploadFile = File(...)
: For a single file upload.UploadFile
: This type provides metadata (filename
,content_type
) and async methods (read
,write
,seek
,close
). It holds the file in memory or spools to disk for larger files, making it efficient.File(...)
: Similar toForm(...)
, indicates this parameter comes from form data (specifically, a file part inmultipart/form-data
).
files: List[UploadFile] = File(...)
: For multiple files. The type hintList[UploadFile]
tells FastAPI to expect multiple parts with the same form field name (e.g.,files
).await file.read(size)
: Asynchronously reads chunks of the file. Recommended for large files to avoid loading everything into RAM at once.shutil.copyfileobj(file.file, buffer)
: A synchronous alternative using the underlying spooled temporary file object (file.file
). Works but blocks the async event loop. Useawait file.read()
inasync def
functions.await file.close()
: It’s good practice to close the file handle.- Error Handling: Includes basic try/except blocks for file saving operations.
UPLOAD_DIR
: A simple directory to save uploaded files for demonstration. In production, you’d likely save to cloud storage (S3, Azure Blob, GCS) or a designated persistent volume.
Step 3: Test the Endpoints
You’ll need some sample files to upload (e.g., sample.txt
, image.jpg
).
Using curl
(Single File):
Create a dummy text file named my_document.txt
with some content.
“`bash
Replace ‘my_document.txt’ with the actual path to your file
curl -X POST “http://127.0.0.1:8000/upload/singlefile/” \
-F “file=@my_document.txt”
“`
-F "file=@path/to/your/file.txt"
: Tellscurl
to upload the specified file using the form field namefile
. The@
symbol indicates it’s a file path.
Expected Response (Status Code: 200 OK):
json
{
"message": "Successfully uploaded my_document.txt",
"filename": "my_document.txt",
"content_type": "text/plain", // Or appropriate type based on file
"saved_path": "uploads/my_document.txt"
}
Check your uploads
directory; my_document.txt
should be there.
Using curl
(Multiple Files):
Create another file, e.g., report.pdf
(it can be any file).
“`bash
Upload my_document.txt and report.pdf using the same form field name ‘files’
curl -X POST “http://127.0.0.1:8000/upload/multiplefiles/” \
-F “files=@my_document.txt” \
-F “[email protected]” # Replace with actual path
“`
Expected Response (Status Code: 200 OK):
json
{
"message": "Processed 2 files.",
"uploaded_files": [
{
"filename": "my_document.txt",
"content_type": "text/plain",
"saved_path": "uploads/my_document.txt"
},
{
"filename": "report.pdf",
"content_type": "application/pdf", // Or appropriate type
"saved_path": "uploads/report.pdf"
}
]
}
Both files should now be in the uploads
directory.
Using Swagger UI:
The /docs
interface will provide a file selection dialog for UploadFile
parameters, making it easy to test uploads directly from the browser.
8. Combining Parameters: Path, Query, Body, Form, Files
FastAPI allows you to seamlessly combine different parameter types in a single endpoint definition.
- Path Parameters: Defined in the URL path itself (e.g.,
/items/{item_id}
). - Query Parameters: Appended to the URL after
?
(e.g.,/items/?q=search_term
). - Body Parameters: Data sent in the request body (usually JSON defined by a Pydantic model). You can only have one body parameter per endpoint (though it can be a complex nested model).
- Form Parameters: Data sent in the body as form fields (
Form(...)
). - File Parameters: Files sent in the body as part of
multipart/form-data
(File(...)
).
Important Rule: You cannot declare both Body
(Pydantic models) and Form
/File
parameters in the same endpoint. This is because the request body can only be interpreted one way: either as JSON (for Body
) or as multipart/form-data
/ application/x-www-form-urlencoded
(for Form
/File
).
Let’s create an example combining path parameters, query parameters, and a file upload with associated form data.
Step 1: Create the Endpoint
Imagine uploading a profile picture for a specific user, optionally adding a caption via a form field, and maybe filtering by a query parameter.
“`python
main.py (add this endpoint)
@app.post(“/users/{user_id}/profile-picture”)
async def upload_user_profile_picture(
# Path Parameter
user_id: int,
# File Parameter (required)
file: UploadFile = File(…),
# Form Parameter (optional)
caption: Optional[str] = Form(None),
# Query Parameter (optional)
overwrite: bool = False
):
“””
Uploads a profile picture for a specific user.
- **user_id**: (Path parameter) The ID of the user.
- **file**: (File upload) The image file to upload.
- **caption**: (Form field, optional) A caption for the picture.
- **overwrite**: (Query parameter, optional) Whether to overwrite existing picture (default: False).
"""
print(f"Uploading profile picture for user_id: {user_id}")
print(f"Filename: {file.filename}")
print(f"Content-Type: {file.content_type}")
print(f"Caption: {caption}")
print(f"Overwrite flag: {overwrite}")
# Construct a unique filename, e.g., user_<id>_<original_filename>
# Avoid using user-provided filenames directly to prevent path traversal issues
# For simplicity here, we'll just prepend user_id
safe_filename = f"user_{user_id}_{file.filename}"
file_location = os.path.join(UPLOAD_DIR, safe_filename)
# --- File Saving and Database Update Logic ---
# 1. Check if user_id exists.
# 2. Check if overwrite is False and if a file already exists.
# 3. Save the file (use async read/write as shown before).
# 4. Update the user's record in the database with the new picture path and caption.
try:
with open(file_location, "wb") as buffer:
while content := await file.read(1024*1024):
buffer.write(content)
except Exception as e:
print(f"Error saving file {safe_filename}: {e}")
raise HTTPException(status_code=500, detail="Could not save profile picture.")
finally:
await file.close()
return {
"message": "Profile picture uploaded successfully",
"user_id": user_id,
"filename": file.filename, # Original filename
"saved_filename": safe_filename, # Filename used on server
"caption": caption,
"overwrite": overwrite,
"saved_path": file_location
}
“`
user_id: int
: Defined in the path/users/{user_id}/profile-picture
.file: UploadFile = File(...)
: The required file upload.caption: Optional[str] = Form(None)
: An optional form field namedcaption
.overwrite: bool = False
: An optional query parameteroverwrite
.
FastAPI correctly identifies where to get each parameter based on its type hint and default value/function (File
, Form
).
Step 2: Test the Endpoint
Create a sample image file, e.g., avatar.png
.
Using curl
:
“`bash
Upload avatar.png for user_id 123, add a caption, and set overwrite=true in the query string
curl -X POST “http://127.0.0.1:8000/users/123/profile-picture?overwrite=true” \
-F “[email protected]” \
-F “caption=My new avatar!”
“`
- The path includes
123
foruser_id
. - The query string
?overwrite=true
provides the query parameter. -F "[email protected]"
provides the file.-F "caption=My new avatar!"
provides the optional form data.
Expected Response (Status Code: 200 OK):
json
{
"message": "Profile picture uploaded successfully",
"user_id": 123,
"filename": "avatar.png",
"saved_filename": "user_123_avatar.png",
"caption": "My new avatar!",
"overwrite": true,
"saved_path": "uploads/user_123_avatar.png"
}
Check the uploads
directory for user_123_avatar.png
. Test variations, like omitting the caption
form field or the overwrite
query parameter, to see how the defaults work.
This example showcases FastAPI’s power in declaratively defining complex endpoints that accept data from multiple sources simultaneously.
9. Advanced Topics
Let’s touch upon some more advanced concepts related to POST requests in FastAPI.
9.1 Data Validation and Error Handling
As we saw earlier, FastAPI automatically validates incoming request bodies (JSON, Form Data) against Pydantic models or parameter type hints.
- Automatic 422 Errors: If validation fails (missing required fields, incorrect types, failed constraints like
gt=0
), FastAPI immediately returns an HTTP422 Unprocessable Entity
response. The response body contains a JSON object detailing the errors, including the location (loc
) and type (type
) of each error. This is extremely helpful for debugging on the client-side. -
Custom Validation: Pydantic allows for complex custom validation logic within models using
@validator
decorators. This lets you enforce rules that span multiple fields or require complex checks.“`python
from pydantic import validator, root_validatorclass Order(BaseModel):
item_id: str
quantity: int = Field(…, gt=0)
price: float = Field(…, ge=0)
total: float@validator('item_id') def item_id_must_be_valid_format(cls, v): if not v.startswith('ITEM-'): raise ValueError('item_id must start with "ITEM-"') return v @root_validator # Validates the whole model after individual fields def check_total_matches_price_quantity(cls, values): quantity, price, total = values.get('quantity'), values.get('price'), values.get('total') if quantity is not None and price is not None and total is not None: # Allow for small floating point inaccuracies if abs((quantity * price) - total) > 0.01: raise ValueError('Total does not match price * quantity') return values
@app.post(“/orders/”)
async def create_order(order: Order):
# If validation passes, process the order
print(“Order validated:”, order.dict())
# … save order …
return {“message”: “Order received”, “order_details”: order}
``
/orders/
If you send a POST request towith an
item_idnot starting with "ITEM-" or an incorrect
total, you'll get a
422` error with your custom message. -
Customizing Error Responses: While the default
422
is often sufficient, you might want to customize the error structure or add global exception handlers using@app.exception_handler
for specific exceptions (likeRequestValidationError
for Pydantic errors, or custom exceptions you raise).
9.2 Using Dependencies with POST Requests
FastAPI’s Dependency Injection system is powerful and works seamlessly with POST requests. Dependencies are functions that FastAPI runs before your main endpoint logic. They can perform tasks like:
- Authentication and Authorization: Verify tokens, check user permissions.
- Database Sessions: Create and manage database connections/sessions.
- Fetching Common Data: Retrieve data needed by multiple endpoints.
Dependencies can receive parameters just like endpoints (path, query, body, form, etc.) and can also depend on other dependencies.
“`python
from fastapi import Depends, Security # Import Depends and Security
from fastapi.security import APIKeyHeader # Example security scheme
Define a simple API key security scheme (header X-API-Key)
api_key_header_scheme = APIKeyHeader(name=”X-API-Key”, auto_error=True)
Dummy API key store
API_KEYS = {
“secretkey123”: “user_alpha”,
“supersecret456”: “user_beta”
}
async def get_current_user(api_key: str = Security(api_key_header_scheme)):
“””
Dependency to verify API key and return the associated user.
“””
if api_key in API_KEYS:
user = API_KEYS[api_key]
print(f”API Key validated for user: {user}”)
return user
else:
raise HTTPException(
status_code=status.HTTP_401_UNAUTHORIZED,
detail=”Invalid or missing API Key”,
)
@app.post(“/secure-data/”)
async def post_secure_data(
item: Item, # Request body
current_user: str = Depends(get_current_user) # Dependency injection
):
“””
POST endpoint protected by API key authentication.
Only accessible if a valid X-API-Key header is provided.
“””
print(f”Processing data for user: {current_user}”)
# Process the item data, potentially linking it to the current_user
# … save item …
return {
“message”: f”Secure data for item ‘{item.name}’ received successfully.”,
“processed_by_user”: current_user,
“item_details”: item.dict()
}
“`
get_current_user
: A dependency function that expects anX-API-Key
header (usingAPIKeyHeader
andSecurity
). It validates the key and returns the user or raises a401
error.current_user: str = Depends(get_current_user)
: In the endpoint, this tells FastAPI to run theget_current_user
dependency first. If the dependency succeeds, its return value (user
) is injected into thecurrent_user
parameter. If it raises an exception (likeHTTPException
), the request is short-circuited, and the endpoint logic is never reached.
To test this, send a POST request to /secure-data/
with a valid JSON body for Item
and include the header -H "X-API-Key: secretkey123"
. If you omit the header or use an invalid key, you’ll get a 401 Unauthorized
error.
9.3 Background Tasks Triggered by POST
Sometimes, a POST request should trigger a longer-running task that shouldn’t block the response to the client (e.g., sending an email notification, processing an uploaded image, starting a complex calculation). FastAPI provides BackgroundTasks
.
“`python
from fastapi import BackgroundTasks # Import BackgroundTasks
import time
def send_confirmation_email(email: str, item_name: str):
“””
Simulates sending an email. (In real life, use an email library)
“””
print(f”Simulating sending email to {email} about item {item_name}…”)
time.sleep(5) # Simulate network latency/email sending time
print(f”Email simulation complete for {email}.”)
@app.post(“/items/notify/”, status_code=status.HTTP_202_ACCEPTED)
async def create_item_and_notify(
item: Item,
background_tasks: BackgroundTasks, # Inject BackgroundTasks
notify_email: Optional[EmailStr] = None # Optional query param for email
):
“””
Creates an item and schedules a background task to send an email notification.
Returns 202 Accepted immediately.
“””
print(f”Received item: {item.dict()}”)
# … save item to database …
item_id = len(fake_items_db) + 1 # Dummy ID
item_dict = item.dict()
item_dict[“item_id”] = item_id
fake_items_db.append(item_dict)
print(“Item saved (simulated).”)
if notify_email:
# Add the task to run in the background *after* the response is sent
background_tasks.add_task(
send_confirmation_email, # Function to call
notify_email, # Arguments for the function
item.name
)
message = f"Item '{item.name}' created. Confirmation email will be sent to {notify_email}."
else:
message = f"Item '{item.name}' created. No email notification requested."
# Return quickly with 202 Accepted
return {"message": message, "item_id": item_id}
“`
background_tasks: BackgroundTasks
: Inject theBackgroundTasks
object.background_tasks.add_task(func, arg1, arg2, ...)
: Schedules the functionfunc
to be run after the response has been sent to the client.status_code=status.HTTP_202_ACCEPTED
: It’s common practice to return202 Accepted
for requests that trigger background processing, indicating the request was accepted but processing is ongoing.
When you POST to /items/notify/[email protected]
with valid item data, you’ll get the JSON response almost immediately. The “Simulating sending email…” messages will appear in the server console after the response has been returned.
9.4 Controlling the Response (Response Models, Status Codes)
We’ve already seen how to set the success status code (status_code
in the decorator) and control the output structure (response_model
).
response_model
: Filters the data returned by your endpoint function. Only fields defined in theresponse_model
(and its nested models) will be included in the final JSON response. This is great for hiding internal data or ensuring a consistent API contract.status_code
: Sets the default HTTP status code for successful responses. You can override this within the function by returning aJSONResponse
orResponse
object explicitly.-
Dynamic Status Codes: You might return different status codes based on logic.
“`python
from fastapi.responses import JSONResponse@app.post(“/process-data/”, response_model=dict)
async def process_data_conditionally(item: Item):
if item.price > 1000:
# Process immediately
print(“Processing high-value item immediately.”)
# … processing logic …
return {“message”: “Item processed immediately”, “status”: “processed”, “item”: item}
else:
# Queue for later processing
print(“Queueing low-value item for later.”)
# … add to queue …
# Return 202 Accepted explicitly
return JSONResponse(
status_code=status.HTTP_202_ACCEPTED,
content={“message”: “Item accepted for later processing”, “status”: “queued”, “item_name”: item.name}
)
“`
10. Testing POST Endpoints
FastAPI provides a TestClient
(based on Starlette’s TestClient
and using httpx
) for easily writing tests for your API, including POST requests.
Step 1: Install Testing Dependencies
bash
pip install pytest httpx
Step 2: Write Tests
Create a test file (e.g., test_main.py
):
“`python
test_main.py
from fastapi.testclient import TestClient
from main import app # Import your FastAPI app instance
import pytest # Optional: Use pytest features like fixtures
Create a TestClient instance using your app
client = TestClient(app)
def test_create_item_success():
“”” Test successful item creation “””
item_data = {
“name”: “Test Item”,
“description”: “A description for testing”,
“price”: 99.99,
“tax”: 9.99
}
response = client.post(
“/items/”,
json=item_data # TestClient handles JSON encoding
)
assert response.status_code == 201 # Check status code
data = response.json()
assert data[“name”] == item_data[“name”]
assert data[“price”] == item_data[“price”]
assert “item_id” not in data # Because response_model=Item doesn’t include it
def test_create_item_invalid_price():
“”” Test item creation with invalid data (negative price) “””
item_data = { “name”: “Invalid Price Item”, “price”: -10.0 }
response = client.post(“/items/”, json=item_data)
assert response.status_code == 422 # Expect validation error
data = response.json()
assert “detail” in data
assert data[“detail”][0][“loc”] == [“body”, “price”] # Check error location
assert “must be greater than 0” in data[“detail”][0][“msg”] # Check error message detail
def test_upload_single_file_success():
“”” Test single file upload “””
# Create a dummy file in memory for testing
dummy_content = b”This is test file content.”
files = {‘file’: (‘testfile.txt’, dummy_content, ‘text/plain’)} # tuple: (filename, content, content_type)
response = client.post(
"/upload/singlefile/",
files=files # Pass files dictionary to 'files' argument
)
assert response.status_code == 200
data = response.json()
assert data["filename"] == "testfile.txt"
assert data["content_type"] == "text/plain"
assert "uploads/testfile.txt" in data["saved_path"]
# Optionally: Check if the file was actually created in UPLOAD_DIR (might need cleanup after test)
def test_login_form_success():
“”” Test form data login “””
form_data = {“username”: “admin”, “password”: “secret”}
response = client.post(
“/login/form/”,
data=form_data # Use ‘data’ for form data (x-www-form-urlencoded)
)
assert response.status_code == 200
assert “Login successful” in response.json()[“message”]
def test_secure_endpoint_no_key():
“”” Test secure endpoint without API key “””
item_data = { “name”: “Secure Test”, “price”: 50.0 }
response = client.post(“/secure-data/”, json=item_data)
assert response.status_code == 401 # Unauthorized (due to missing key from dependency)
def test_secure_endpoint_with_key():
“”” Test secure endpoint with valid API key “””
item_data = { “name”: “Secure Test”, “price”: 50.0 }
headers = {“X-API-Key”: “secretkey123”}
response = client.post(“/secure-data/”, json=item_data, headers=headers)
assert response.status_code == 200
assert response.json()[“processed_by_user”] == “user_alpha”
Add more tests for other endpoints and edge cases…
“`
Step 3: Run Tests
Use pytest
to run the tests:
bash
pytest
TestClient
makes it easy to simulate different kinds of POST requests (json=
, data=
, files=
) and assert the expected outcomes (status codes, response bodies, side effects).
11. Security Considerations
When handling POST requests, always keep security in mind:
- Input Validation: FastAPI’s Pydantic integration is your first line of defense. Define strict models, use validation constraints (
gt
,lt
,min_length
,max_length
, regex), and implement custom validators. Never trust user input. Sanitize data before using it in database queries (use ORMs or parameterized queries) or displaying it (prevent XSS). - Authentication & Authorization: Protect endpoints that modify data or expose sensitive information. Use FastAPI’s security utilities (
OAuth2PasswordBearer
,APIKeyHeader
, etc.) and dependencies to verify user identity and permissions before processing the request. - Rate Limiting: Prevent abuse by implementing rate limiting on POST endpoints, especially those that are resource-intensive or create data (e.g., user registration, file uploads). Libraries like
slowapi
integrate well with FastAPI. - CSRF Protection (Cross-Site Request Forgery): While typically less of a concern for pure JSON APIs consumed by JavaScript frontends (which use CORS and don’t rely solely on browser cookies for session management), if your API handles form submissions from traditional web pages using cookie-based authentication, ensure you have CSRF protection mechanisms in place (e.g., CSRF tokens). Starlette (FastAPI’s foundation) includes middleware for this.
- File Upload Security:
- Validate File Types and Sizes: Don’t just trust the
Content-Type
header; inspect the file content if necessary. Limit allowed file extensions and impose strict size limits. - Secure Filenames: Never use user-provided filenames directly for saving. Sanitize them or generate unique, random filenames to prevent path traversal attacks (
../../..
) or overwriting critical files. - Storage Location: Store uploaded files outside the web root if possible, or in a dedicated, non-executable location (like cloud storage).
- Virus Scanning: Scan uploaded files for malware.
- Validate File Types and Sizes: Don’t just trust the
- HTTPS: Always use HTTPS to encrypt data in transit, protecting sensitive information in request bodies and responses.
12. Best Practices
- Use Pydantic Models: Define clear Pydantic models for your JSON request bodies. This provides automatic validation, documentation, and a better developer experience.
- Be Specific with Types: Use specific Pydantic types where applicable (e.g.,
EmailStr
,UUID
,datetime
) for better validation. - Appropriate HTTP Methods: Use
POST
primarily for creating resources or submitting data for processing that isn’t idempotent. UsePUT
for full updates andPATCH
for partial updates where appropriate. - Correct Status Codes: Return meaningful HTTP status codes (
201 Created
for successful creation,200 OK
for successful processing,202 Accepted
for background tasks,400 Bad Request
for client errors,422 Unprocessable Entity
for validation errors,401
/403
for auth errors). - Use
response_model
: Control the output structure and prevent accidentally leaking internal data. - Handle Files Carefully: Use
UploadFile
for efficiency, validate uploads rigorously, and store them securely. - Leverage Dependencies: Keep endpoint logic clean by moving cross-cutting concerns like authentication, logging, and database session management into dependencies.
- Asynchronous Operations: Use
async def
for your endpoints and leverageawait
for I/O operations (database access, external API calls, reading/writing files withUploadFile
) to keep your API responsive. - Clear Documentation: FastAPI’s automatic docs are great, but enhance them with clear descriptions, examples (
Field(..., example=...)
), and summaries in your endpoint docstrings. - Write Tests: Use
TestClient
to ensure your POST endpoints work as expected under various conditions, including invalid input and edge cases.
Conclusion
The HTTP POST
method is a cornerstone of web API development, enabling clients to send data to the server for creation or processing. FastAPI provides an elegant, efficient, and robust framework for handling these requests in Python.
We’ve explored how to receive simple and complex JSON bodies using Pydantic models, handle raw request data, process traditional form submissions, manage single and multiple file uploads, and combine various parameter types within a single endpoint. We also touched upon advanced features like custom validation, dependency injection for security, background tasks, response control, testing, and crucial security considerations.
By mastering these patterns and leveraging FastAPI’s built-in features, you can build powerful, well-documented, validated, and secure APIs that efficiently handle the diverse requirements of modern web applications. Remember to prioritize clear data modeling, robust validation, appropriate status codes, and thorough testing to create APIs that are both functional and reliable.