DEV Community

Cover image for Building APIs with Python: A Comprehensive Guide
Scofield Idehen
Scofield Idehen

Posted on • Originally published at blog.learnhub.africa

Building APIs with Python: A Comprehensive Guide

Application Programming Interfaces (APIs) have become an essential component of modern software development.

They allow developers to create applications that can interact with other software components, services, or data sources in a standardized way.

Python is a popular programming language for building APIs due to its ease of use, flexibility, and many libraries and frameworks.

In this article, we will provide a comprehensive guide to building APIs with Python.

An API is a set of protocols, routines, and tools for building software applications. APIs allow different software components to interact with each other in a standardized way, regardless of the underlying technology or platform.

APIs can access data, services, or functionality other applications, platforms, or devices provide.

APIs come in different types and styles. One of the most common types of APIs is RESTful APIs. REST stands for Representational State Transfer, a set of architectural principles for building web applications.

RESTful APIs use HTTP requests to access and manipulate resources, which can be represented in different formats such as JSON or XML.

Overview of Python

Python is a high-level, interpreted programming language popular for its simplicity, readability, and versatility.

Python is used for many applications, including web development, data analysis, scientific computing, artificial intelligence, and more.

Python has an extensive standard library that provides various functionality for different tasks. There are also many third-party libraries and frameworks available for Python that can be used to extend its capabilities.

Python is well-suited for building APIs due to its ease of use, flexibility, and large number of libraries and frameworks that support building web applications.

Choosing a Python API framework

Python has several popular web frameworks that can be used for building APIs. These include Flask, Django, Pyramid, Falcon, and more.

Each framework has its strengths and weaknesses, so it’s important to choose a framework that fits the project’s specific requirements.

This article will focus on Flask, a lightweight and flexible web framework well-suited for building APIs. Flask provides a simple and intuitive interface for building web applications, and it can be extended with a wide range of third-party extensions.

Setting up a Python development environment

Before we can build an API with Python, we need to set up a development environment. We recommend using a virtual environment to manage dependencies and avoid version conflicts.

Several tools are available for creating virtual environments in Python, such as virtualenv, conda, or pyenv.

Once we have set up a virtual environment, we can install the required packages for building the API. For Flask, we need to install the flask package using pip, the package manager for Python.

We also need to install other packages required for the API’s specific functionality, such as database drivers, authentication libraries, or third-party extensions.

Creating a basic API endpoint with Flask

To create a primary API endpoint with Flask, we need to define a route and a Python function that handles the request to that route. For example, we can define a route that returns a “Hello, world!” message when accessed with a GET request:

To create a primary API endpoint with Flask, we first need to install Flask by running the following command in the terminal:

pip install flask

Then, we can create a new Python file called app.py and add the following code:

from flask import Flask

app = Flask(__name__)

@app.route('/')
def hello_world():
    return 'Hello, World!'
Enter fullscreen mode Exit fullscreen mode

In this code, we import the Flask class from the flask module and create a new instance of the Flask class with the name parameter. This creates a new Flask application.

We then use the @app.route() decorator to define a route for the root URL path ‘/’. When a GET request is made to this URL path, the hello_world() function is called, which returns the string ‘Hello, World!’.

To run the application, we can add the following code at the end of the app.py file:

if __name__ == '__main__':
    app.run()
Enter fullscreen mode Exit fullscreen mode

This starts the Flask development server and runs the application. We can then access the API by visiting http://localhost:5000/ in a web browser or by sending a GET request to the same URL using a tool such as curl.

Defining API methods

APIs typically support multiple HTTP methods for interacting with resources, such as GET, POST, PUT, and DELETE.

To define API methods in Flask, we can use the @app.route() decorator with the corresponding HTTP method as a parameter.

For example, we can define a route for creating a new user with a POST request:

@app.route('/users', methods=['POST'])
def create_user():
    # logic for creating a new user
    return 'User created successfully'
Enter fullscreen mode Exit fullscreen mode

In this code, we use the methods parameter of the @app.route() decorator to specify that the create_user() function should be called only for POST requests to the /users URL path.

We can then add the logic for creating a new user inside the create_user() function and return a success or error message depending on the outcome.

Defining API data structures

APIs typically use data structures to represent resources, such as users, products, or orders. In Flask, we can use Python dictionaries or classes to define data structures for our API.

For example, we can define a dictionary for a user resource:

user = {
    'id': 1,
    'name': 'John Doe',
    'email': 'john.doe@example.com'
}
Enter fullscreen mode Exit fullscreen mode

We can also define a class for a user resource using the dataclasses module:


from dataclasses import dataclass

@dataclass
class User:
    id: int
    name: str
    email: str
Enter fullscreen mode Exit fullscreen mode

We can then create a new instance of the User class for each user resource in our API.

Connecting to a database

APIs often need to store and retrieve data from a database, such as MySQL, PostgreSQL, or MongoDB. In Flask, we can use various database libraries and ORM (Object-Relational Mapping) frameworks to interact with databases.

For example, we can use the flask_sqlalchemy extension to connect to a MySQL database:

from flask_sqlalchemy import SQLAlchemy

app = Flask(__name__)
app.config['SQLALCHEMY_DATABASE_URI'] = 'mysql://user:password@localhost/db_name'
db = SQLAlchemy(app)f
Enter fullscreen mode Exit fullscreen mode

This code sets the database URI for the SQLAlchemy object, which allows us to interact with the MySQL database using Python.

We can then define database models, which are Python classes that represent database tables, and use them to query the database and retrieve data. For example, we can define a User model for the MySQL users table:

class User(db.Model):
    id = db.Column(db.Integer, primary_key=True)
    name = db.Column(db.String(80), nullable=False)
    email = db.Column(db.String(120), unique=True, nullable=False)
Enter fullscreen mode Exit fullscreen mode

This defines a User class that inherits from the db.Model class provided by SQLAlchemy. The class has three attributes: id, name, and email, which correspond to the columns in the users table.

We can then use the User model to query the database and retrieve data, for example:

@app.route('/users/<int:user_id>')
def get_user(user_id):
    user = User.query.get(user_id)
    if user:
        return f'User {user.name} with email {user.email} found'
    else:
        return 'User not found'
Enter fullscreen mode Exit fullscreen mode

This code defines a route for retrieving a user with a GET request to the URL path /users/<user_id>, where <user_id> is a variable that represents the user’s ID to retrieve.

We use the User.query.get() method to retrieve the user with the given ID from the database and return a success message or an error depending on whether the user is found.

Securing API endpoints

APIs often need to be secured to prevent unauthorized access and protect sensitive data.

In Flask, we can use various Authentication and Authorization mechanisms to secure our API endpoints.

For example, we can use JSON Web Tokens (JWT) to authenticate users and authorize access to protected resources. We can use the flask_jwt_extended extension to implement JWT authentication and authorization in our Flask application:

from flask_jwt_extended import JWTManager, jwt_required, create_access_token, get_jwt_identity

app = Flask(__name__)
app.config['JWT_SECRET_KEY'] = 'super-secret'  # replace with a secure secret key in production
jwt = JWTManager(app)

@app.route('/login', methods=['POST'])
def login():
    # check username and password
    username = request.json.get('username', None)
    password = request.json.get('password', None)
    if username != 'admin' or password != 'password':
        return jsonify({'message': 'Invalid username or password'}), 401
    # generate JWT token
    access_token = create_access_token(identity=username)
    return jsonify({'access_token': access_token}), 200

@app.route('/protected', methods=['GET'])
@jwt_required()
def protected():
    current_user = get_jwt_identity()
    return jsonify({'message': f'Hello, {current_user}!'}), 200
Enter fullscreen mode Exit fullscreen mode

In this code, we use the @jwt_required() decorator to protect the /protected endpoint, which can be accessed only with a valid JWT token.

We also define a /login endpoint that accepts a username and password in a POST request, and returns a JWT token if the credentials are valid.

We can then use a tool such as Postman to test our API endpoints and verify that they are properly secured.

Conclusion

In this article, we have learned how to define API endpoints, methods, data structures, and database connections and how to secure our API endpoints with authentication and authorization mechanisms.

Creating APIs with Python can be a powerful tool for building web applications.

Resources

Top comments (2)

Collapse
 
vulcanwm profile image
Medea

this is a great post! I was looking for something like this.

Collapse
 
scofieldidehen profile image
Scofield Idehen

Thanks Medea, I hope it helps!!