Load Django and SQLAlchemy database fixtures from Jinja-templated YAML files
Project description
Py YAML Fixtures
A (work-in-progress) library for loading database fixtures written in Jinja2-templated YAML files. It comes with support for faker and relationships between fixture objects. Currently it works with the following packages:
- Django 2+
- Flask SQLAlchemy
- Flask Unchained
- Standalone SQLAlchemy
Requires Python 3.5+
Useful Links
pip install py-yaml-fixtures
Table of Contents
Fixture File Syntax
First, let's define some example models to work with:
class Parent(BaseModel):
__tablename__ = 'parent'
id = sa.Column(sa.Integer, primary_key=True)
name = sa.Column(sa.String)
children = relationship('Child', back_populates='parent')
class Child(BaseModel):
__tablename__ = 'child'
id = sa.Column(sa.Integer, primary_key=True)
name = sa.Column(sa.String)
parent_id = sa.Column(sa.Integer, sa.ForeignKey('parent.id'))
parent = relationship('Parent', back_populates='children')
To populate these models with fixtures data, you can either create a single fixtures.yaml
file in your fixtures directory where the top-level keys are the model class names:
# db/fixtures/fixtures.yaml
Child:
alice:
name: Alice
bob:
name: Bob
grace:
name: Grace
judy:
name: Judy
Parent:
parent1:
name: Parent 1
children: ['Child(alice)', 'Child(bob)']
parent2:
name: Parent 2
children:
- 'Child(grace)'
- 'Child(judy)'
Or you can create YAML files named after each model's class name (Parent
and Child
in our case). For example:
# db/fixtures/Child.yaml
alice:
name: Alice
bob:
name: Bob
grace:
name: Grace
judy:
name: Judy
# db/fixtures/Parent.yaml
parent1:
name: Parent 1
children: ['Child(alice)', 'Child(bob)']
parent2:
name: Parent 2
children:
- 'Child(grace)'
- 'Child(judy)'
Relationships
The top-level YAML keys (alice
, bob
, grace
, judy
, parent1
, parent2
) are unique ids used to reference objects in relationships. They must be unique across all model fixtures.
To reference them, we use an identifier string. An identifier string consists of two parts: the class name, and one or more ids. For singular relationships the notation is 'ModelClassName(id)'
. For the many-side of relationships, the notation is the same, just combined with YAML's list syntax:
# db/fixtures/Parent.yaml
parent1:
name: Parent 1
children: ['Child(alice)', 'Child(bob)']
parent2:
name: Parent 2
children:
- 'Child(grace)'
- 'Child(judy)'
# or in short-hand notation
parent3:
name: Parent 3
children: ['Child(alice, bob)']
# technically, as long as there are at least 2 ids in the identifier string,
# then even the YAML list syntax is optional, and you can write stuff like this:
parent4:
name: Parent 4
children: Child(alice, bob)
# or spanning multiple lines:
parent5:
name: Parent 5
children: >
Child(
grace,
judy,
)
Faker and Jinja Templating
All of the YAML fixtures files are rendered by Jinja before getting loaded. This means you have full access to the Jinja environment, and can use things like faker
, range
and random
:
# db/fixtures/Child.yaml
{% for i in range(0, 20) %}
child{{ i }}:
name: {{ faker.name() }}
{% endfor %}
# db/fixtures/Parent.yaml
{% for i in range(0, 10) %}
parent{{ i }}:
name: {{ faker.name() }}
children: {{ random_models('Child', 0, range(0, 4)|random) }}
{% endfor %}
There are also two included Jinja helper functions:
random_model(model_name: str)
- For example, to get one random
Child
model:{{ random_model('Child') }}
- For example, to get one random
random_models(model_name: str, min_count: int = 0, max_count: int = 3)
- For example, to get a list of 0 to 3
Child
models:{{ random_models('Child') }}
- For example, to get a list of 1 to 4
Child
models:{{ random_models('Child', 1, 4) }}
- For example, to get a list of 0 to 3
Installation
# to use with django
pip install py-yaml-fixtures[django]
# to use with flask-sqlalchemy
pip install py-yaml-fixtures[flask-sqlalchemy]
# to use with flask-unchained
pip install py-yaml-fixtures[flask-unchained]
# to use with standalone sqlalchemy
pip install py-yaml-fixtures[sqlalchemy]
Configuration and Usage
With Django
Add py_yaml_fixtures
to your settings.INSTALLED_APPS
.
# project-root/app/settings.py
INSTALLED_APPS = [
# ...
'py_yaml_fixtures',
'auth',
'blog',
'app',
]
The py_yaml_fixtures
app adds one command: manage.py import_fixtures
. It looks for fixture files in every app configured in your settings.INSTALLED_APPS
that has a fixtures
folder. So in this example:
# app
project-root/app/fixtures/
project-root/app/fixtures/ContactSubmission.yaml
# blog
project-root/blog/fixtures/
project-root/blog/fixtures/Article.yaml
# auth
project-root/auth/fixtures/
project-root/auth/fixtures/User.yaml
project-root/auth/fixtures/Group.yaml
To load the model fixtures into the database, you would run:
cd your-django-project-root
# to load fixtures from all apps
./manage.py import_fixtures
# or to load fixtures from specific apps
./manage.py import_fixtures app blog
With Flask and Flask-SQLAlchemy
This is the minimal setup required to make a Flask cli command available to import fixtures, by default, flask import-fixtures
:
from flask import Flask
from flask_sqlalchemy import SQLAlchemy
from py_yaml_fixtures.flask import PyYAMLFixtures
app = Flask(__name__)
db = SQLAlchemy(app)
# optional configuration settings (these are all the defaults):
app.config['FLASK_MODELS_MODULE'] = 'app.models' # where all of your model classes are imported
app.config['PY_YAML_FIXTURES_DIR'] = 'db/fixtures' # where your fixtures file(s) live
app.config['PY_YAML_FIXTURES_COMMAND_NAME'] = 'import-fixtures' # the name of the CLI command
fixtures = PyYAMLFixtures(app) # instantiate the PyYAMLFixtures Flask Extension
After creating fixture files in the configured PY_YAML_FIXTURES_DIR
, you would then be able to run flask import-fixtures
to load the fixtures into the database.
With Flask Unchained
Add py_yaml_fixtures
to your unchained_config.BUNDLES
.
The PyYAMLFixtures bundle adds one command to Flask Unchained: flask db import-fixtures
. It looks for fixture files in each bundle's fixtures
folder (if it exists). For example:
# example folder structure:
# app
project-root/app/fixtures/
project-root/app/fixtures/ModelOne.yaml
# blog_bundle
project-root/bundles/blog/fixtures/
project-root/bundles/blog/fixtures/Post.yaml
# security_bundle
project-root/bundles/security/fixtures/
project-root/bundles/security/fixtures/User.yaml
project-root/bundles/security/fixtures/Role.yaml
# project-root/unchained_config.py
BUNDLES = [
# ...
'flask_unchained.bundles.sqlalchemy',
'py_yaml_fixtures',
'bundles.blog',
'bundles.security',
'app',
]
To load the model fixtures into the database, you would run:
cd your-flask-unchained-project-root
# to load fixtures from all bundles
flask db import-fixtures
# or to load fixtures from specific bundles
flask db import-fixtures app security_bundle
With Standalone SQLAlchemy
import sqlalchemy as sa
from py_yaml_fixtures import FixturesLoader
from py_yaml_fixtures.factories.sqlalchemy import SQLAlchemyModelFactory
from sqlalchemy import create_engine
from sqlalchemy.ext.declarative import declarative_base
from sqlalchemy.orm import relationship, sessionmaker
PY_YAML_FIXTURES_DIR = 'db/fixtures'
BaseModel = declarative_base()
class Parent(BaseModel):
__tablename__ = 'parent'
id = sa.Column(sa.Integer, primary_key=True)
name = sa.Column(sa.String)
children = relationship('Child', back_populates='parent')
class Child(BaseModel):
__tablename__ = 'child'
id = sa.Column(sa.Integer, primary_key=True)
name = sa.Column(sa.String)
parent_id = sa.Column(sa.Integer, sa.ForeignKey('parent.id'))
parent = relationship('Parent', back_populates='children')
# first we need a list of our model classes to provide to the factory
model_classes = [Parent, Child]
# and we need a session connected to the database, also for the factory
engine = create_engine('sqlite:///:memory:')
Session = sessionmaker()
Session.configure(bind=engine)
session = Session()
# then we create the factory, and pass it to the fixtures loader
factory = SQLAlchemyModelFactory(session, model_classes)
loader = FixturesLoader(factory, fixture_dirs=[PY_YAML_FIXTURES_DIR])
# to create all the fixtures in the database, we have to call loader.create_all()
if __name__ == '__main__':
# create the tables in the database
BaseModel.metadata.create_all(bind=engine)
# and use the loader to import the fixtures data into the database
loader.create_all(lambda identifier, model, created: print(
'{action} {identifier}: {model}'.format(
action='Creating' if created else 'Updating',
identifier=identifier.key,
model=repr(model)
)))
Known Limitations
One to Many Relationships
It is not possible to "mix" declarations on both sides of a relationship, eg this doesn't work:
Parent:
alice:
name: Alice
children:
- Child(grace)
bob:
name: Bob
Child:
grace:
name: Grace
judy:
name: Judy
parent: Parent(bob)
The above example will raise a circular dependency exception. You can either declare all children on Parent
models, or declare all parents on Child
models, but not both.
Many to Many Relationships
Let's say we have a many-to-many relationship between the Article
and Tag
models:
class ArticleTag(db.Model):
"""Join table between Article and Tag"""
article_id = db.foreign_key('Article', primary_key=True)
article = db.relationship('Article', back_populates='article_tags')
tag_id = db.foreign_key('Tag', primary_key=True)
tag = db.relationship('Tag', back_populates='tag_articles')
class Article(db.Model):
title = db.Column(db.String)
article_tags = db.relationship('ArticleTag', back_populates='article')
tags = db.association_proxy('article_tags', 'tag')
class Tag(db.Model):
name = db.Column(db.String)
tag_articles = db.relationship('ArticleTag', back_populates='tag')
articles = db.association_proxy('tag_articles', 'article')
The relationships must be specified on the join table model ArticleTag
:
Article:
hello_world:
title: Hello World
metaprogramming:
title: Metaprogramming
Tag:
coding:
name: Coding
beginner:
name: Beginner
advanced:
name: Advanced
ArticleTag:
at1:
article: Article(hello_world)
tag: Tag(coding)
at2:
article: Article(hello_world)
tag: Tag(beginner)
at3:
article: Article(metaprogramming)
tag: Tag(coding)
at4:
article: Article(metaprogramming)
tag: Tag(advanced)
Association Proxies
As of this writing, specifying values directly on association proxy columns is not supported.
Contributing
Contributions are welcome!
- Please file bug reports as GitHub issues.
- Or even better, open a pull request with the fix!
Adding support for other ORMs
You must implement a concrete factory by extending py_yaml_fixtures.FactoryInterface
. There are three abstract methods that must be implemented: create_or_update
, get_relationships
, and maybe_convert_values
(see the DjangoModelFactory and SQLAlchemyModelFactory implementations as examples).
License
MIT
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
File details
Details for the file py-yaml-fixtures-0.6.2.tar.gz
.
File metadata
- Download URL: py-yaml-fixtures-0.6.2.tar.gz
- Upload date:
- Size: 22.7 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/4.0.2 CPython/3.11.2
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | ea5f9a924ea606d9a4f62811e5758c52cf9edbfced0970960c6d408c12dd327c |
|
MD5 | c2fc456a8c9a8e0fe67aee30c438d37c |
|
BLAKE2b-256 | cbf6e2814a08f100ac90b22cf3c1f26d4175ca63f2b44a47be55c475e7a74339 |
File details
Details for the file py_yaml_fixtures-0.6.2-py3-none-any.whl
.
File metadata
- Download URL: py_yaml_fixtures-0.6.2-py3-none-any.whl
- Upload date:
- Size: 22.7 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/4.0.2 CPython/3.11.2
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | 9070ce2c4f71e053c67572d413929a8c4f374617b1587cb1bd7774ed37726413 |
|
MD5 | 6dd545b97d4b818482db95506a7df3cb |
|
BLAKE2b-256 | 21b68c44223e9a290825e3dd9b483f99eaa0c677b9fa45288e44d08cfdd0babe |