Alex Michael

Engineer @tictail, founder @hackcyprus

 

8 December 2013

Delightful testing with pytest and Flask-SQLAlchemy

TL;DR A succint guide on testing your Flask-SQLAlchemy project with pytest.

If words bore you, you can find the code in this gist. If you’re not familiar with either Flask-SQLAlchemy or pytest, you can read up on them here and here.

Goals

Before we dive in the code, let’s establish two important goals for our test suite:

Test setup

Our example project is structured like follows:

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
project/
  project/
    __init__.py
    models.py
    factory.py
    database.py
    ...
  tests/
    __init__.py
    conftest.py
    test_models.py
    ...

Expanding a bit on what each module does:

Note that I am using SQLite for this example, but the fixtures can be easily adapted to use a different database.

 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
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
import os
import pytest

from project.factory import create_app
from project.database import db as _db


TESTDB = 'test_project.db'
TESTDB_PATH = "/opt/project/data/{}".format(TESTDB)
TEST_DATABASE_URI = 'sqlite:///' + TESTDB_PATH


@pytest.fixture(scope='session')
def app(request):
    """Session-wide test `Flask` application."""
    settings_override = {
        'TESTING': True,
        'SQLALCHEMY_DATABASE_URI': TEST_DATABASE_URI
    }
    app = create_app(__name__, settings_override)

    # Establish an application context before running the tests.
    ctx = app.app_context()
    ctx.push()

    def teardown():
        ctx.pop()

    request.addfinalizer(teardown)
    return app


@pytest.fixture(scope='session')
def db(app, request):
    """Session-wide test database."""
    if os.path.exists(TESTDB_PATH):
        os.unlink(TESTDB_PATH)

    def teardown():
        _db.drop_all()
        os.unlink(TESTDB_PATH)

    _db.app = app
    _db.create_all()

    request.addfinalizer(teardown)
    return _db


@pytest.fixture(scope='function')
def session(db, request):
    """Creates a new database session for a test."""
    connection = db.engine.connect()
    transaction = connection.begin()

    options = dict(bind=connection, binds={})
    session = db.create_scoped_session(options=options)

    db.session = session

    def teardown():
        transaction.rollback()
        connection.close()
        session.remove()

    request.addfinalizer(teardown)
    return session

So, what happens here? First of all, the app fixture creates a new application using the test configuration. In our case, we just switch the database to a test one. It also establishes a context so all the parts of our Flask application are properly functioning.

The next fixture layer is the database. The db fixture creates a new database using the create_all() method in Flask-SQLAlchemy and drops all tables after the tests have run. Both the db and app fixtures have session scope, i.e they will get executed the first time they are requested and then get cached.

The final layer is the session, which is the fixture we will use in any tests that need database interaction. This fixture has function scope so it runs for every test. It creates a new scoped session and starts a transaction. On teardown, the transaction is rolled back so any changes introduced by the tests are discarded.

How does this setup achieve our goal?

As a refresher, our goal is to have fast and isolated tests. By wrapping each test in a transaction we ensure that it will not alter the state of the database since the transaction is rolled back on test teardown. This works for parallelized tests as well.

Apart from isolation, using transactions makes our test suite faster since creating and rolling back transactions is a faster operation than creating and dropping tables between tests (6.31 seconds versus 3.29 seconds for 29 tests on a Macbook Air using a SQLite database).

As a plus, if we’re running a subset of the tests that requires no database interaction and hence no session fixtures, all the database gruntwork is skipped automatically because of the fixture dependency tree. Nifty.

Writing tests

1
2
3
4
5
6
7
def test_post_model(session):
    post = Post(title='foo')

    session.add(post)
    session.commit()

    assert post.id > 0

The above is an example test using the session fixture. Notice that we are free to commit the session as we would do normally. This is achieved because the session “joins” the external transaction created by the connection we explicitly created in the session fixture, hence only the outermost BEGIN/COMMIT pair has any effect. The documentation at Joining a Session into an External Transaction has more details on how this works.

Migrations

As discussed above, the db fixture creates the database tables using the create_all() method in Flask-SQLAlchemy. This brings the database to the correct state but it doesn’t reflect the way you would create/alter your database schema in production. A popular way of handling migrations with SQLAlchemy is Alembic so let’s see how we can add that into the mix:

1
2
3
4
5
6
7
8
9
from alembic.command import upgrade
from alembic.config import Config

ALEMBIC_CONFIG = '/opt/project/alembic.ini'

def apply_migrations():
    """Applies all alembic migrations."""
    config = Config(ALEMBIC_CONFIG)
    upgrade(config, 'head')

All we have to do then is replace the create_all() method call in the db fixture with the method above. When the db fixture is first requested, alembic will apply the migrations in order and bring the database to the state described by your version scripts thus ensuring that they correctly reflect the state of your model layer.

Caveats

The current version of Flask-SQLAlchemy on PyPI (1.0) is outdated so I am using the latest master from Github (2.0-dev). However, the SignallingSession in Flask-SQLAlchemy breaks the example at Joining a Session into an External Transaction so I had to subclass SignallingSession to make it work. The code for this is included in the gist as well.

Thanks to Jocke Ekberg, Faethon Milikouris, George Eracleous and Alex Loizou for reviewing.

Thanks for reading – if you liked this, you can follow me on Twitter.