Back in July 2024, I started to learn Python programming through a concrete project.
The goal was to build a REST API and the very common use case is to build CRUD functionality with JSON exchange.
How does a Python application using Flask handle requests with JSON payloads and how do you parse it?
That’s the goal of this article.
Parsing Payload Request in Flask Applications
To read the payload of a POST request in Flask (version 3 applies in the example below), you can use the request.get_json()
method. Here’s a basic example:
|
|
The code does the following:
- Import the necessary modules
- Create a Flask application
- Define a route that accepts POST requests
- Use
request.get_json()
to parse the JSON payload - Return a response with the received data
A few important points:
- Ensure that the client sends the data with the correct
Content-Type
header (usuallyapplication/json
). - If the data isn’t in JSON format, you might need to use
request.data
orrequest.form
depending on the content type. - For form data, use
request.form
to access form fields. - For raw data, use
request.data
to get the byte string.
What Datatype get_json()
Returns
The request.get_json()
method in Flask returns a Python dictionary (e.g., key/value pairs) containing the parsed JSON data from the request body. Here are some key points about its behavior:
- If the request contains valid JSON data, it returns the parsed Python object.
- If you provide an empty request body, it returns
None
by default. - If you provide invalid JSON, it raises a
werkzeug.exceptions.BadRequest
exception. - It can handle nested structures, converting JSON objects to Python dictionaries and JSON arrays to Python lists.
- The method has optional parameters:
force
: If set toTrue
, it will try to parse the data as JSON even if the mime-type isn’tapplication/json
.silent
: IfTrue
, it will returnNone
instead of raising an exception for invalid JSON.
Here’s a simple example to illustrate:
|
|
In this example, if you send a POST request with the JSON body {"name": "Alice", "age": 30}
, the data
variable would contain the Python dictionary {'name': 'Alice', 'age': 30}
.
How do you parse it to a DTO class
There are several methods:
With a library
To parse the JSON payload into a Data Transfer Object (DTO) class in Flask, you can use a library like Pydantic or Marshmallow. I’ll show you how to do this using Pydantic, which suits particularly this task due to its simplicity and integration with type hints.
Here’s a step-by-step example:
-
First, install Pydantic:
1
pip install pydantic
-
Define your DTO class using Pydantic:
1 2 3 4 5 6
from pydantic import BaseModel class UserDTO(BaseModel): name: str age: int email: str | None = None # Optional field
-
Use this DTO in your Flask route:
|
|
This code does the following:
- Defines a
UserDTO
class that inherits from Pydantic’sBaseModel
. - Gets the JSON data using
request.get_json()
. - Then creates a
UserDTO
instance by unpacking the JSON data into the constructor. - If the data is valid, it returns a success message along with the user data.
- If the data is invalid (e.g., missing required fields or wrong types), it catches the
ValidationError
and returns the validation errors.
You can also add more complex validation or default values to your DTO:
|
|
This adds length validation to the name, range validation to the age, and uses EmailStr
for email validation.
I can tell you that it’s attractive when you see the following method and think about the maintainability of your code…
Without a Library
You can parse JSON data into a DTO class using Python’s built-in features. Here’s how you can do it:
-
First, define your DTO class:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20
class UserDTO: def __init__(self, name: str, age: int, email: str | None = None): self.name = name self.age = age self.email = email @classmethod def from_dict(cls, data: dict): return cls( name=data.get('name'), age=data.get('age'), email=data.get('email') ) def to_dict(self): return { 'name': self.name, 'age': self.age, 'email': self.email }
-
Now, use this DTO in your Flask route:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32
from flask import Flask, request, jsonify app = Flask(__name__) @app.route('/user', methods=['POST']) def create_user(): user_data = request.get_json() if not user_data: return jsonify({"error": "No data provided"}), 400 try: user = UserDTO.from_dict(user_data) # Perform basic validation if not user.name or not isinstance(user.name, str): raise ValueError("Invalid name") if not isinstance(user.age, int) or user.age < 0: raise ValueError("Invalid age") if user.email is not None and not isinstance(user.email, str): raise ValueError("Invalid email") # Save data... # Return the response return jsonify({"message": "User created", "user": user.to_dict()}), 201 except ValueError as e: return jsonify({"error": str(e)}), 400 if __name__ == '__main__': app.run(debug=True)
Here are the explanation, step by step, of the code above:
- Defines a
UserDTO
class with a constructor and methods for creating an instance from a dictionary (from_dict
) and converting an instance to a dictionary (to_dict
). - In the route handler, it gets the JSON data using
request.get_json()
. - It creates a
UserDTO
instance using thefrom_dict
class method. - It performs basic validation manually. You can add more complex validation as needed.
- If the data is valid, it returns a success message along with the user data.
- If the data is invalid, it catches the
ValueError
and returns an error message.
This method requires more manual work compared to using Pydantic, especially for validation. However, it gives you full control over the process and doesn’t require additional libraries.
Conclusion
Keep in mind that this quick introduction doesn’t handle all edge cases, but this is how I got started with Python and REST API last year. For a production environment, you might want to add more robust error handling and validation.
Is it maintenable on large applications? Maybe not… I’ll talk about it as I progress with Python programming.
In the meantime, for more on Python, use the tag at the bottom of the page ⬇️
Follow me
Thanks for reading this article. Make sure to follow me on X, subscribe to my Substack publication and bookmark my blog to read more in the future.
Credit: Photo by Hitesh Choudhary on Unsplash.