RESTful Application Development with Python Flask, Part 1
Flask is a popular micro-framework written in Python. It has a very small core and it is very easy to extend. There are barely any restrictions or fixed structures for Flask framework, which means, it is also very easy to mess things up. In this tutorial series, I will try to demonstrate how to build a Flask RESTful application from scratch.
There are tools such as cookiecutter-flask-restful to quick-start a Flask application. However, having worked on several large Flask projects over the last couple of years, I think the best way to learn Flask application development is to start from scratch. The main goal of this tutorial series is to guide the reader through every step of designing, testing, distributing and deploying a Flask RESTful application. I will include tips on best practices where applicable.
In part 1 of this series, we will focus on:
- Preparing the project directory
- Creating and configuring a flask application
- Adding a resource endpoint and testing
- Preparing distribution packages and deployment
Add initial files
Alright, letβs start by creating our projectβs root directory, letβs call it flask-tutorial. All our project files will reside within this directory. Letβs quickly create three essential files within this directory:
- README.md: A README file. It often serves the purpose of an introductory page for the project. We should include developer instructions in this file. Hereβs an example README file.
- LICENSE: A license file. Typically this will contain copyright notices for our project. For this exercise, we will simply start with a MIT license. https://choosealicense.com is quite helpful for finding the correct license.
- .gitignore: A gitignore file. We do not want everything from our project directory to end up in the version control tree. Here is an example gitignore file.
At this point, our project directory will look like this:
1
2
3
4
flask-tutorial
βββ .gitignore
βββ LICENSE
βββ README.md
Initialize Git
Now we can git init and add our favorite remote origin. Letβs add our first commit:
1
2
3
4
5
6
git init
git remote add origin <origin_url>
git add . --all
git commit -am "Initial commit"
git branch -M main
git push -u origin main
Initialize virtualenv
As a server application, it is highly unlikely that we will make this server compatible with a lot of different python versions or platforms. However, build specifications can be changed anytime later on. Letβs create our virtual environment with Python 3.8:
1
2
3
4
python3.8 -m venv venv
source venv/bin/activate
pip install --upgrade pip
pip install wheel setuptools-scm
Add packaging files
We should be able to create source and binary distribution packages for our project. In order to do so, we have to add a few files, namely, setup.py, setup.cfg and MANIFEST.in at the root of our project.
setup.py is a python file, the presence of which is an indication that the package we are about to install has likely been packaged and distributed with Distutils, which is the standard for distributing Python Modules. Learn more about writing setup scripts here. Letβs start with a simple setup.py file for our project, feel free to add or change values in setup() as necessary:
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
33
34
35
36
37
# -*- coding: utf-8 -*-
from os import path
from setuptools import find_packages, setup
setup_dependencies = [
    "wheel",
    "setuptools-scm",
]
install_dependencies = [
    "flask-cors",
    "flask-restful",
    "python-dotenv",
]
setup(
    name="flask-tutorial",
    url="https://github.com/zobayer1/flask-tutorial",
    license="MIT",
    author="Zobayer Hasan",
    use_scm_version=True,
    setup_requires=setup_dependencies,
    packages=find_packages(exclude=["docs", "tests"]),
    include_package_data=True,
    zip_safe=True,
    platforms=["posix"],
    install_requires=install_dependencies,
    classifiers=[
        "Development Status :: 2 - Pre-Alpha",
        "Environment :: Web Environment",
        "Intended Audience :: Developers",
        "License :: OSI Approved :: MIT License",
        "Operating System :: POSIX",
        "Programming Language :: Python :: 3.8",
        "Topic :: Software Development :: Libraries :: Python Modules",
    ],
)
setup.cfg simply configures the behavior of the various setup commands for our project. This file is used in conjunction with setup.py file to supply metadata to the setup() function. We wonβt need to add much in setup.cfg file:
1
2
3
4
5
6
7
[metadata]
license_files = LICENSE
[options]
setup_requires =
    wheel==0.36.2
    setuptools-scm==6.0.1
MANIFEST.in is a manifest template file that contains instructions about how to generate the MANIFEST file, which is the exact list of files to include in our source distribution. Letβs start with adding inclusion and exclusion rules for our project:
1
2
3
4
5
6
7
exclude .pre-commit-config.yaml
exclude .gitignore
include requirements.txt
include README.md
include .coveragerc
include tox.ini
recursive-include tests *.py
Note that, we havenβt created some of these files yet. Donβt worry about these files now, we will be creating them in the next section. At this point, our directory should look like this:
1
2
3
4
5
6
7
8
flask-tutorial
βββ .gitignore
βββ LICENSE
βββ MANIFEST.in
βββ README.md
βββ setup.cfg
βββ setup.py
βββ venv
Letβs generate a source and wheel distribution to test that setup.py is working as expected:
1
python setup.py sdist bdist_wheel
Two new directories have been created: build/ and dist/. Inside dist/, there will be a .tar.gz file and a .whl file. We can extract the .tar.gz file, and the .whl file can be installed with pip. They are our source package and wheel distribution respectively.
Add code styling and testing suite
At this point, our project does not have any real source code. Letβs fix this. Letβs create two python packages named myapi and tests. A python package is a directory with a __init__.py file.
Before adding any real source code, letβs add some more files in the project root that will help with testing and code styling for the project. It is extremely important for a large project that our codebase remain consistent, both at source and functional level.
First, we will add pre-commit, a python library to create pre-commit hooks. Pre-commit will run on every commit and make sure our source code is consistent. Learn more about pre-commit. To install pre-commit, simply run:
1
2
pip install pre-commit
pre-commit install
To define some pre-commit hooks, letβs create a file .pre-commit-config.yaml:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
repos:
-   repo: https://github.com/pre-commit/pre-commit-hooks
    rev: v3.4.0
    hooks:
    -   id: end-of-file-fixer
    -   id: trailing-whitespace
-   repo: https://github.com/mgedmin/check-manifest
    rev: "0.46"
    hooks:
    -   id: check-manifest
-   repo: https://github.com/psf/black
    rev: 21.4b2
    hooks:
    -   id: black
We have added some hooks such as end-of-file-fixer, trailing-whitespace, check-manifest and black. Now, we do not have to worry too much about code styling, black will convert our code to a standard python style that is followed by the majority of python community. Donβt forget to check official github to learn more about black.
We need to add one more file named pyproject.toml. This file allows us to add configurations from non-build development tools to a single file which is very convenient.
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
[build-system]
requires = ["setuptools>=42", "wheel", "setuptools_scm[toml]>=3.4"]
build-backend = "setuptools.build_meta"
[tool.setuptools_scm]
write_to = "myapi/version.py"
write_to_template = "# -*- coding: utf-8 -*-\n\n__version__ = '{version}'\n"
version_scheme = "release-branch-semver"
[tool.check-manifest]
ignore = ["myapi/version.py"]
[tool.black]
line-length = 120
include = '\.pyi?$'
exclude = '''
/(
    \.eggs
  | \.git
  | \.pytest_cache
  | \.tox
  | venv
  | scripts
  | build
  | dist
)/
'''
We have configured some of the tools that we have already added, for example, setuptools_scm. This allows us to find the package version automatically from git tags and commits. We will be using semantic versioning for tagging in this project. Note that we are using a temporary file myapi/version.py to write the version string. This file does not need to be tracked in git.
pre-commit will handle installing all of the hooks on its own. Simply run the following:
1
2
3
git add . --all
pre-commit autoupdate
pre-commit run --all-files
Letβs add our test frameworks. We will use tox and pytest for testing this project, and coverage to generate code coverage reports. Letβs start by installing the dependencies:
1
pip install tox flake8 codecov pytest pytest-cov python-dotenv
So far we have added a few pip libraries in our venv, letβs create a requirements.txt file to keep track of them:
1
pip freeze > requirements.txt
Note that requirements.txt file should not be manually modified, rather generated using commands like pip freeze. Our project does not depend on this file, but we will use this file to resolve test environment dependencies. This file should be overwritten every time we add a new dependency.
We will need a tox.ini file to configure our test environments. For now, we will add Python 3.8, but other python environments can be easily added in a similar fashion.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
[tox]
envlist =
    py38
    lint
[pytest]
filterwarnings =
    error::DeprecationWarning
    error::PendingDeprecationWarning
[flake8]
max-line-length = 120
select = B,C,E,F,W,T4,B9,B950
ignore = E203,E266,E501,W503,D1
[testenv]
passenv = USERNAME
commands = py.test --cov myapi {posargs} --cov-report term-missing
deps = -rrequirements.txt
[testenv:lint]
basepython = python3.8
commands = flake8 myapi tests
deps = flake8
Letβs add a .coveragerc file to configure code coverage:
1
2
3
4
5
6
7
8
9
10
11
[run]
omit =
    myapi/manage.py
    myapi/version.py
    myapi/wsgi.py
[report]
exclude_lines =
    pragma: no cover
    def __repr__
    def __del__
Letβs run tox and we should see it failing since we havenβt added any tests yet.
1
tox --recreate
Note that, --recreate flag is necessary every time a new dependency is added. We can target specific test environments with -e parameter, for example: tox -e py38, or tox -e lint.
Tests can also be run using pytest -s directly.
At this point, our project directory should include these (not including gitignored files and directories):
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
flask-tutorial
βββ .coveragerc
βββ .gitignore
βββ LICENSE
βββ MANIFEST.in
βββ myapi
β   βββ __init__.py
β   βββ version.py
βββ .pre-commit-config.yaml
βββ pyproject.toml
βββ README.md
βββ requirements.txt
βββ setup.cfg
βββ setup.py
βββ tests
β   βββ __init__.py
βββ tox.ini
We are now ready to move on to the next section, creating our Flask application.
Create a Flask application
We will create a few files that will help to define our Flask application.
myapi/config.py:
Behavior of a Flask application can be controlled by a number of configuration parameters. A common practice is to load these configurations from a file or a python object instead of manually updating Flaskβs app.config dictionary. A lot of example applications tend to create several different configuration classes in config.py file for various environments such as development, production and testing. But this is not necessary, because a Flask application can only run with one environment configuration. Which means we are creating multiple classes that are never going to be used. A better approach is to use config.py file as a set of default configurations, or a way of loading custom environment variables into the application. Later we will see how we can use instance specific configurations to load configurations for different environments.
1
2
3
4
5
# -*- coding: utf-8 -*-
import os
ENV = os.getenv("FLASK_ENV", "development")
SECRET_KEY = os.getenv("FLASK_SECRET", "bb9ba2817ef62e261d3adaf90c2727bb").encode("utf-8")
myapi/app.py:
This is going to be our script for creating the actual Flask application. We will enrich this file in future as we add more features to our application.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
# -*- coding: utf-8 -*-
import os
from flask import Flask
from flask_cors import CORS
def create_app(instance_name, app_name="flask-tutorial"):
    app = Flask(app_name, instance_path=os.path.join(os.getcwd(), "instance"), instance_relative_config=True)
    app.config.from_object("myapi.config")
    app.config.from_pyfile(f"{instance_name}/application.cfg", silent=True)
    initialize_extensions(app)
    initialize_blueprints(app)
    return app
def initialize_extensions(app):
    CORS(app)
def initialize_blueprints(app):
    pass
We will talk about instance_relative_config in a later section.
myapi/wsgi.py:
A simple script exposing an app object which can be used as FLASK_APP parameter.
1
2
3
4
5
6
# -*- coding: utf-8 -*-
import os
from myapi.app import create_app
app = create_app(os.getenv("FLASK_ENV", "development"))
myapi/manage.py:
While this script isnβt really necessary, it allows us to add custom scripts to our application. This can come handy if we want to add some CLI routines, for example, application initialization, database migration, dependency check, etc. We will use click for this.
1
2
pip install click
pip freeze > requirements.txt
Hereβs our initial myapi/manage.py file:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
# -*- coding: utf-8 -*-
import os
import click
from flask.cli import FlaskGroup
from myapi.app import create_app
def create_cli_app():
    return create_app(os.getenv("FLASK_ENV", "development"))
@click.group(cls=FlaskGroup, create_app=create_cli_app)
def cli():
    """Management interface for flask-tutorial"""
    pass
if __name__ == "__main__":
    cli()
We will need to make some adjustments in setup.py file for this to work. Update install_dependencies list:
1
2
3
4
5
6
install_dependencies = [
    "click",
    "flask-cors",
    "flask-restful",
    "python-dotenv",
]
Also, letβs add entry_points argument to setup():
1
2
3
4
5
6
7
8
9
setup(
    ...
    entry_points={
        "console_scripts": [
            "myapi = myapi.manage:cli",
        ],
    },
    ...
)
.flaskenv:
Our Flask application can take advantage of python-dotenv. We can add environment variables that we need frequently in a .env file which will be automatically picked up by the application when we are running a development server. Letβs add a few environment variables:
1
2
3
export FLASK_ENV=development
export FLASK_APP=myapi.wsgi:app
export FLASK_SECRET=bb9ba2817ef62e261d3adaf90c2727bb
Note that, this file should be excluded from git. This file will not be used when we are testing with tox or running a production server with wsgi tools such as gunicorn.
Letβs test what weβve done so far. Install the application in editable mode.
1
2
pip install -e .
pip freeze > requirements.txt
Note that, this will also add flask-tutorial in requirements.txt file. It is generally a good idea to remove this manually before committing to git.
Try cli commands:
1
myapi --help
We should see output like this:
1
2
3
4
5
6
7
8
9
10
11
12
Usage: myapi [OPTIONS] COMMAND [ARGS]...
  Management interface for flask-tutorial
Options:
  --version  Show the flask version
  --help     Show this message and exit.
Commands:
  routes  Show the routes for the app.
  run     Run a development server.
  shell   Run a shell in the app context.
In future, we may even add some more commands. Feel free to play around with these commands. Letβs start a development server, we can do this by running
1
2
3
flask run -h 0.0.0.0 -p 5000
or
myapi run -h 0.0.0.0 -p 5000
Press CTRL+C to exit from the development server.
Adding tests
Now that we have our application ready, itβs time to add our tests. Letβs start by creating a tests/conftest.py file which will hold our shared pytest fixtures.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
# -*- coding: utf-8 -*-
import pytest
from myapi.app import create_app
@pytest.fixture(scope="module")
def app():
    """A flask app with testing configurations"""
    return create_app("testing")
@pytest.fixture(scope="module")
def client(app):
    """An HTTP test client to test api endpoints"""
    return app.test_client()
Next, we will add some actual tests, letβs create a tests/test_config.py with following tests:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
# -*- coding: utf-8 -*-
from importlib.metadata import version
def test_env(app):
    """Test fails if app was not initialized with testing configurations"""
    assert app.env == "testing"
    assert app.testing
def test_application_version(app):
    """Test fails if importlib metadata could not be loaded from metadata"""
    assert app.name == "flask-tutorial"
    assert len(version(app.name)) > 0
Now try to run these tests using pytest -s in the terminal. We will see that the tests failed. Why? Becase we do not know anything about a testing environment. This leads to our next section: configuring our flask application with instance relative files.
Configuring a Flask application
Letβs first create an instance directory at the root of our project. This directory will contain the actual configuration values for different environments. Note that, we should keep this directory out of git so that sensitive information donβt get exposed.
Letβs create a few different configuration files:
instance/development/application.cfg:
1
2
3
ENV = "development"
DEBUG = True
TESTING = False
instance/production/application.cfg:
1
2
3
ENV = "production"
DEBUG = False
TESTING = False
instance/testing/application.cfg:
1
2
3
ENV = "testing"
DEBUG = False
TESTING = True
In future, we will add a lot more things in these files, but for now, these are sufficient. Now, letβs try to run those tests again:
1
tox --recreate -e py38
The output should look something like:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
collected 2 items                                                                                                                                                                              
tests/test_config.py ..                                                                                                                                                                  [100%]
----------- coverage: platform linux, python 3.8.9-final-0 -----------
Name                Stmts   Miss  Cover   Missing
-------------------------------------------------
myapi/__init__.py       0      0   100%
myapi/app.py           14      0   100%
myapi/config.py         3      0   100%
-------------------------------------------------
TOTAL                  17      0   100%
====================================================================================== 2 passed in 0.06s =======================================================================================
___________________________________________________________________________________________ summary ____________________________________________________________________________________________
  py38: commands succeeded
  congratulations :)
This is great!! Now we are ready to add our first REST endpoint.
Adding our first endpoint
We will be adding a simple health-check endpoint in our application. Endpoints like this are useful for a production environment as our load balancers can poll these endpoints to determine server states. First, letβs add a test which will try to load /myapi/health/status. Create a python package named test_health within our tests package and add tests/test_health/test_status.py file:
1
2
3
4
5
6
7
8
9
# -*- coding: utf-8 -*-
import json
def test_server_status_returns_success(client):
    """Test fails if /myapi/health/status does not return success"""
    response = client.get("/myapi/health/status")
    assert response.status_code == 200
    assert json.loads(response.data).get("status") == "running"
Letβs run tests with pytest -s and this test should fail.
Now letβs add our blueprint that will expose /myapi/health/status. First, create a python package within myapi named health. Add our code for controller class inside myapi/health/status.py:
1
2
3
4
5
6
7
8
9
10
11
# -*- coding: utf-8 -*-
from importlib.metadata import version
from flask import current_app as app
from flask_restful import Resource
class ServerStatus(Resource):
    # noinspection PyMethodMayBeStatic
    def get(self):
        return {"server": f"{app.name} v{version(app.name)}", "status": "running"}, 200
My extending flask-restfulβs Resource class, we are letting it know that this class will be used to process HTTP requests. Letβs register this class in the blueprint. To do so, we will add the following code in myapi/health/__init__.py:
1
2
3
4
5
6
7
8
9
10
11
12
# -*- coding: utf-8 -*-
from flask import Blueprint
from flask_restful import Api
from myapi.health.status import ServerStatus
health_blueprint = Blueprint("health", __name__)
api = Api(health_blueprint)
api.add_resource(ServerStatus, "/status", endpoint="status")
__all__ = ["health_blueprint"]
Finally, we need to register this blueprint in our app. This can be done by app.register_blueprint method in the app.py file:
1
2
def initialize_blueprints(app):
    app.register_blueprint(health_blueprint, url_prefix="/myapi/health")
Donβt forget to add necessary import statements. Now, letβs try to run the tests again.
1
tox -e py38
We should see success output:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
collected 3 items                                                                                                                                                                              
tests/test_config.py ..                                                                                                                                                                  [ 66%]
tests/test_health/test_status.py .                                                                                                                                                       [100%]
----------- coverage: platform linux, python 3.8.9-final-0 -----------
Name                       Stmts   Miss  Cover   Missing
--------------------------------------------------------
myapi/__init__.py              0      0   100%
myapi/app.py                  15      0   100%
myapi/config.py                3      0   100%
myapi/health/__init__.py       7      0   100%
myapi/health/status.py         6      0   100%
--------------------------------------------------------
TOTAL                         31      0   100%
====================================================================================== 3 passed in 0.09s =======================================================================================
___________________________________________________________________________________________ summary ____________________________________________________________________________________________
  py38: commands succeeded
  congratulations :)
Fantastic!!! Now we are ready to explore the final segments of part 1, distributing and running the application.
Running the application server
To start a development server, we can simply run:
1
flask run -h 0.0.0.0 -p 5000
If you navigate to http://localhost:5000/myapi/health/status, you should be able to get a JSON response similar to:
1
2
3
4
{
    "server": "flask-tutorial v0.1.0.dev0+d20210508",
    "status": "running"
}
However, we are not going to run a server with flusk run in production. Letβs first create a wheel packaging by running:
1
python setup.py bdist_wheel
This should create a .whl file inside dist/ directory. Copy this file to your favorite location. Copy your instance/ directory here too. Contents of this directory should look like:
1
2
3
4
5
6
7
8
βββ flask_tutorial-0.1.0.dev0+d20210508-py3-none-any.whl
βββ instance
    βββ development
    βΒ Β  βββ application.cfg
    βββ production
    βΒ Β  βββ application.cfg
    βββ testing
        βββ application.cfg
Note, you only need the subfolder for your target environment. We will select the production environment here.
Next step, in your terminal, set your environment variables:
1
2
3
export FLASK_ENV=production
export FLASK_APP=myapi.wsgi:app
export FLASK_SECRET=bb9ba2817ef62e261d3adaf90c2727bb
Create a virtualenv and install the application:
1
2
3
4
5
python38 -m venv venv
source venv/bin/activate
pip install --upgrade pip
pip install flask_tutorial-0.1.0.dev0+d20210508-py3-none-any.whl
pip install gunicorn
Now that the dependencies are resolved, letβs run the application server with gunicorn:
1
gunicorn -b 0.0.0.0:5000 -w 4 myapi.wsgi:app
Navigate to http://localhost:5000/myapi/health/status and you should see the same output as before.
Finally, we are at the end of part 1 of this tutorial series. Full source code is available in Github. Clone the repository and checkout at tag v0.1.0.