SQLALCHEMY-CONTINUUM(1) SQLAlchemy-Continuum SQLALCHEMY-CONTINUUM(1)

sqlalchemy-continuum - SQLAlchemy-Continuum Documentation

SQLAlchemy-Continuum is a versioning extension for SQLAlchemy.

SQLAlchemy already has a versioning extension. This extension however is very limited. It does not support versioning entire transactions.

Hibernate for Java has Envers, which had nice features but lacks a nice API. Ruby on Rails has papertrail, which has very nice API but lacks the efficiency and feature set of Envers.

As a Python/SQLAlchemy enthusiast I wanted to create a database versioning tool for Python with all the features of Envers and with as intuitive API as papertrail. Also I wanted to make it _fast_ keeping things as close to the database as possible.

  • Does not store updates which don't change anything
  • Supports alembic migrations
  • Can revert objects data as well as all object relations at given transaction even if the object was deleted
  • Transactions can be queried afterwards using SQLAlchemy query syntax
  • Querying for changed records at given transaction
  • Querying for versions of entity that modified given property
  • Querying for transactions, at which entities of a given class changed
  • History models give access to parent objects relations at any given point in time

pip install SQLAlchemy-Continuum

In order to make your models versioned you need two things:

1.
Call make_versioned() before your models are defined.
2.
Add __versioned__ to all models you wish to add versioning to
import sqlalchemy as sa
from sqlalchemy_continuum import make_versioned
make_versioned(user_cls=None)
class Article(Base):
    __versioned__ = {}
    __tablename__ = 'article'
    id = sa.Column(sa.Integer, primary_key=True, autoincrement=True)
    name = sa.Column(sa.Unicode(255))
    content = sa.Column(sa.UnicodeText)
# after you have defined all your models, call configure_mappers:
sa.orm.configure_mappers()

After this setup SQLAlchemy-Continuum does the following things:

1.
It creates ArticleHistory model that acts as version history for Article model
2.
Creates TransactionLog and TransactionChanges models for transactional history tracking
3.
Adds couple of listeners so that each Article object insert, update and delete gets recorded

When the models have been configured either by calling configure_mappers() or by accessing some of them the first time, the following things become available:

from sqlalchemy_continuum import version_class, parent_class
version_class(Article)  # ArticleHistory class
parent_class(version_class(Article))  # Article class

At the end of each transaction SQLAlchemy-Continuum gathers all changes together and creates version objects for each changed versioned entity. Continuum also creates one TransactionLog entity and N number of TransactionChanges entities per transaction (here N is the number of affected classes per transaction). TransactionLog and TransactionChanges entities are created for transaction tracking.

article = Article(name=u'Some article')
session.add(article)
session.commit()
article.versions[0].name == u'Some article'
article.name = u'Some updated article'
session.commit()
article.versions[1].name == u'Some updated article'

When changing entities and committing results into database Continuum saves the used operations (INSERT, UPDATE or DELETE) into version entities. The operation types are stored by default to a small integer field named 'operation_type'. Class called 'Operation' holds convenient constants for these values as shown below:

from sqlalchemy_continuum import Operation
article = Article(name=u'Some article')
session.add(article)
session.commit()
article.versions[0].operation_type == Operation.INSERT
article.name = u'Some updated article'
session.commit()
article.versions[1].operation_type == Operation.UPDATE
session.delete(article)
session.commit()
article.versions[2].operation_type == Operation.DELETE

first_version = article.versions[0]
first_version.index
# 0
second_version = first_version.next
assert second_version == article.versions[1]
second_version.previous == first_version
# True
second_version.index
# 1

Continuum provides easy way for getting the changeset of given version object. Each version contains a changeset property which holds a dict of changed fields in that version.

article = Article(name=u'New article', content=u'Some content')
session.add(article)
session.commit(article)
version = article.versions[0]
version.changeset
# {
#   'id': [None, 1],
#   'name': [None, u'New article'],
#   'content': [None, u'Some content']
# }
article.name = u'Updated article'
session.commit()
version = article.versions[1]
version.changeset
# {
#   'name': [u'New article', u'Updated article'],
# }
session.delete(article)
version = article.versions[1]
version.changeset
# {
#   'id': [1, None]
#   'name': [u'Updated article', None],
#   'content': [u'Some content', None]
# }

SQLAlchemy-Continuum also provides a utility function called changeset. With this function you can easily check the changeset of given object in current transaction.

from sqlalchemy_continuum import changeset
article = Article(name=u'Some article')
changeset(article)
# {'name': [None, u'Some article']}

Each version object reflects all parent object relationships. You can think version object relations as 'relations of parent object in given point in time'.

Lets say you have two models: Article and Category. Each Article has one Category. In the following example we first add article and category objects into database.

Continuum saves new ArticleVersion and CategoryVersion records in the background. After that we update the created article entity to use another category. Continuum creates new version objects accordingly.

Lastly we check the category relations of different article versions.

category = Category(name=u'Some category')
article = Article(
    name=u'Some article',
    category=category
)
session.add(article)
session.commit()
article.category = Category(name=u'Some other category')
session.commit()
article.versions[0].category.name  # u'Some category'
article.versions[1].category.name  # u'Some other category'

The logic how SQLAlchemy-Continuum builds these relationships is within the RelationshipBuilder class.

Let's take previous example of Articles and Categories. Now consider that only Article model is versioned:

class Article(Base):
    __tablename__ = 'article'
    __versioned__ = {}
    id = sa.Column(sa.Integer, autoincrement=True, primary_key=True)
    name = sa.Column(sa.Unicode(255), nullable=False)
class Category(Base):
    __tablename__ = 'tag'
    id = sa.Column(sa.Integer, autoincrement=True, primary_key=True)
    name = sa.Column(sa.Unicode(255))
    article_id = sa.Column(sa.Integer, sa.ForeignKey(Article.id))
    article = sa.orm.relationship(
        Article,
        backref=sa.orm.backref('categories')
    )

Here Article versions will still reflect the relationships of Article model but they will simply return Category objects instead of CategoryVersion objects:

category = Category(name=u'Some category')
article = Article(
    name=u'Some article',
    category=category
)
session.add(article)
session.commit()
article.category = Category(name=u'Some other category')
session.commit()
version = article.versions[0]
version.category.name                   # u'Some other category'
isinstance(version.category, Category)  # True

If the parent class has a dynamic relationship it will be reflected as a property which returns a query in the associated version class.

class Article(Base):
    __tablename__ = 'article'
    __versioned__ = {}
    id = sa.Column(sa.Integer, autoincrement=True, primary_key=True)
    name = sa.Column(sa.Unicode(255), nullable=False)
class Tag(Base):
    __tablename__ = 'tag'
    __versioned__ = {}
    id = sa.Column(sa.Integer, autoincrement=True, primary_key=True)
    name = sa.Column(sa.Unicode(255))
    article_id = sa.Column(sa.Integer, sa.ForeignKey(Article.id))
    article = sa.orm.relationship(
        Article,
        backref=sa.orm.backref(
            'tags',
            lazy='dynamic'
        )
    )
article = Article()
article.name = u'Some article'
article.content = u'Some content'
session.add(article)
session.commit()
tag_query = article.versions[0].tags
tag_query.all()  # return all tags for given version
tag_query.count()  # return the tag count for given version

One of the major benefits of SQLAlchemy-Continuum is its ability to revert changes.

article = Article(name=u'New article', content=u'Some content')
session.add(article)
session.commit(article)
version = article.versions[0]
article.name = u'Updated article'
session.commit()
version.revert()
session.commit()
article.name
# u'New article'

article = Article(name=u'New article', content=u'Some content')
session.add(article)
session.commit(article)
version = article.versions[0]
session.delete(article)
session.commit()
version.revert()
session.commit()
# article lives again!
session.query(Article).first()

Sometimes you may have cases where you want to revert an object as well as some of its relation to certain state. Consider the following model definition:

class Article(Base):
    __tablename__ = 'article'
    __versioned__ = {}
    id = sa.Column(sa.Integer, autoincrement=True, primary_key=True)
    name = sa.Column(sa.Unicode(255))
class Tag(Base):
    __tablename__ = 'tag'
    __versioned__ = {}
    id = sa.Column(sa.Integer, autoincrement=True, primary_key=True)
    name = sa.Column(sa.Unicode(255))
    article_id = sa.Column(sa.Integer, sa.ForeignKey(Article.id))
    article = sa.orm.relationship(Article, backref='tags')

Now lets say some user first adds an article with couple of tags:

article = Article(
    name=u'Some article',
    tags=[Tag(u'Good'), Tag(u'Interesting')]
)
session.add(article)
session.commit()

Then lets say another user deletes one of the tags:

tag = session.query(Tag).filter_by(name=u'Interesting')
session.delete(tag)
session.commit()

Now the first user wants to set the article back to its original state. It can be achieved as follows (notice how we use the relations parameter):

article = session.query(Article).get(1)
article.versions[0].revert(relations=['tags'])
session.commit()

You can query history models just like any other sqlalchemy declarative model.

from sqlalchemy_continuum import version_class
ArticleVersion = version_class(Article)
session.query(ArticleVersion).filter_by(name=u'some name').all()

from sqlalchemy_continuum import transaction_class
Transaction = transaction_class(Article)
Transaction.query.count()

In the following example we find all articles which were affected by transaction 33.

session.query(ArticleVersion).filter_by(transaction_id=33)

In this example we find all transactions which affected any instance of 'Article' model. This query needs the TransactionChangesPlugin.

TransactionChanges = Article.__versioned__['transaction_changes']
entries = (
    session.query(Transaction)
    .innerjoin(Transaction.changes)
    .filter(
        TransactionChanges.entity_name.in_(['Article'])
    )
)

In the following example we want to find all versions of Article class which changed the attribute 'name'. This example assumes you are using PropertyModTrackerPlugin.

ArticleVersion = version_class(Article)
session.query(ArticleHistory).filter(ArticleVersion.name_mod).all()

For each committed transaction SQLAlchemy-Continuum creates a new Transaction record.

Transaction can be queried just like any other sqlalchemy declarative model.

from sqlalchemy_continuum import transaction_class
Transaction = transaction_class(Article)
# find all transactions
session.query(Transaction).all()

For each database connection SQLAlchemy-Continuum creates an internal UnitOfWork object. Normally these objects are created at before flush phase of session workflow. However you can also force create unit of work before this phase.

uow = versioning_manager.unit_of_work(session)

Transaction objects are normally created automatically at before flush phase. If you need access to transaction object before the flush phase begins you can do so by calling the create_transaction method of the UnitOfWork class.

transaction = uow.create_transaction(session)

The version objects are normally created during the after flush phase but you can also force create those at any time by calling make_versions method.

uow.make_versions(session)

Consider the following code snippet where we create a new article.

article = Article()
article.name = u'Some article'
article.content = u'Some content'
session.add(article)
session.commit()

This would execute the following SQL queries (on PostgreSQL)

1.
params: ('Some article', 'Some content')
2.
3.
params: (<article id from query 1>, 'Some article', 'Some content', <transaction id from query 2>)

As of version 1.1 SQLAlchemy-Continuum supports native versioning for PostgreSQL dialect. Native versioning creates SQL triggers for all versioned models. These triggers keep track of changes made to versioned models. Compared to object based versioning, native versioning has

  • Much faster than regular object based versioning
  • Minimal memory footprint when used alongside create_tables=False and create_models=False configuration options.
  • More cumbersome database migrations, since triggers need to be updated also.

For enabling native versioning you need to set native_versioning configuration option as True.

make_versioned(options={'native_versioning': True})

When making schema migrations (for example adding new columns to version tables) you need to remember to call sync_trigger in order to keep the version trigger up-to-date.

from sqlalchemy_continuum.dialects.postgresql import sync_trigger
sync_trigger(conn, 'article_version')

If you don't use PropertyModTrackerPlugin, then you have to disable it:

sync_trigger(conn, 'article_version', use_property_mod_tracking=False)

from sqlalchemy_continuum.plugins import PropertyModTrackerPlugin
versioning_manager.plugins.append(PropertyModTrackerPlugin())
versioning_manager.plugins  # <PluginCollection [...]>
# You can also remove plugin
del versioning_manager.plugins[0]

The ActivityPlugin is the most powerful plugin for tracking changes of individual entities. If you use ActivityPlugin you probably don't need to use TransactionChanges nor TransactionMeta plugins.

You can initalize the ActivityPlugin by adding it to versioning manager.

activity_plugin = ActivityPlugin()
make_versioned(plugins=[activity_plugin])

ActivityPlugin uses single database table for tracking activities. This table follows the data structure in activity stream specification, but it comes with a nice twist:

Column Type Description
id BigInteger The primary key of the activity
verb Unicode Verb defines the action of the activity
data JSON Additional data for the activity in JSON format
transaction_id BigInteger The transaction this activity was associated with
object_id BigInteger The primary key of the object. Object can be any entity which has an integer as primary key.
object_type Unicode The type of the object (class name as string)
object_tx_id BigInteger The last transaction_id associated with the object. This is used for efficiently fetching the object version associated with this activity.
target_id BigInteger The primary key of the target. Target can be any entity which has an integer as primary key.
target_type Unicode The of the target (class name as string)
target_tx_id BigInteger The last transaction_id associated with the target.

Each Activity has relationships to actor, object and target but it also holds information about the associated transaction and about the last associated transactions with the target and object. This allows each activity to also have object_version and target_version relationships for introspecting what those objects and targets were in given point in time. All these relationship properties use generic relationships of the SQLAlchemy-Utils package.

Currently all changes to parent models must be flushed or committed before creating activities. This is due to a fact that there is still no dependency processors for generic relationships. So when you create activities and assign objects / targets for those please remember to flush the session before creating an activity:

article = Article(name=u'Some article')
session.add(article)
session.flush()  # <- IMPORTANT!
first_activity = Activity(verb=u'create', object=article)
session.add(first_activity)
session.commit()

Targets and objects of given activity must have an integer primary key column id.

Once your models have been configured you can get the Activity model from the ActivityPlugin class with activity_cls property:

Activity = activity_plugin.activity_cls

Now let's say we have model called Article and Category. Each Article has one Category. Activities should be created along with the changes you make on these models.

article = Article(name=u'Some article')
session.add(article)
session.flush()
first_activity = Activity(verb=u'create', object=article)
session.add(first_activity)
session.commit()

Current transaction gets automatically assigned to activity object:

first_activity.transaction  # Transaction object

The object property of the Activity object holds the current object and the object_version holds the object version at the time when the activity was created.

article.name = u'Some article updated!'
session.flush()
second_activity = Activity(verb=u'update', object=article)
session.add(second_activity)
session.commit()
second_activity.object.name  # u'Some article updated!'
first_activity.object.name  # u'Some article updated!'
first_activity.object_version.name  # u'Some article'

The version properties are especially useful for delete activities. Once the activity is fetched from the database the object is no longer available ( since its deleted), hence the only way we could show some information about the object the user deleted is by accessing the object_version property.

session.delete(article)
session.flush()
third_activity = Activity(verb=u'delete', object=article)
session.add(third_activity)
session.commit()
third_activity.object_version.name  # u'Some article updated!'

The target property of the Activity model offers a way of tracking changes of given related object. In the example below we create a new activity when adding a category for article and then mark the article as the target of this activity.

session.add(Category(name=u'Fist category', article=article))
session.flush()
activity = Activity(
    verb=u'create',
    object=category,
    target=article
)
session.add(activity)
session.commit()

Now if we wanted to find all the changes that affected given article we could do so by searching through all the activities where either the object or target is the given article.

import sqlalchemy as sa
activities = session.query(Activity).filter(
    sa.or_(
        Activity.object == article,
        Activity.target == article
    )
)

FlaskPlugin offers way of integrating Flask framework with SQLAlchemy-Continuum. Flask-Plugin adds two columns for Transaction model, namely user_id and remote_addr.

These columns are automatically populated when transaction object is created. The remote_addr column is populated with the value of the remote address that made current request. The user_id column is populated with the id of the current_user object.

from sqlalchemy_continuum.plugins import FlaskPlugin
from sqlalchemy_continuum import make_versioned
make_versioned(plugins=[FlaskPlugin()])

The PropertyModTrackerPlugin offers a way of efficiently tracking individual property modifications. With PropertyModTrackerPlugin you can make efficient queries such as:

Find all versions of model X where user updated the property A or property B.

Find all versions of model X where user didn't update property A.

PropertyModTrackerPlugin adds separate modified tracking column for each versioned column. So for example if you have versioned model called Article with columns name and content, this plugin would add two additional boolean columns name_mod and content_mod for the version model. When user commits transactions the plugin automatically updates these boolean columns.

TransactionChanges provides way of keeping track efficiently which declarative models were changed in given transaction. This can be useful when transactions need to be queried afterwards for problems such as:

1.
Find all transactions which affected User model.
2.
Find all transactions which didn't affect models Entity and Event.

The plugin works in two ways. On class instrumentation phase this plugin creates a special transaction model called TransactionChanges. This model is associated with table called transaction_changes, which has only only two fields: transaction_id and entity_name. If for example transaction consisted of saving 5 new User entities and 1 Article entity, two new rows would be inserted into transaction_changes table.

transaction_id entity_name
233678 User
233678 Article

TransactionMetaPlugin offers a way of saving key-value data for transations. You can use the plugin in same way as other plugins:

meta_plugin = TransactionMetaPlugin()
versioning_manager.plugins.add(meta_plugin)

TransactionMetaPlugin creates a simple model called TransactionMeta. This class has three columns: transaction_id, key and value. TransactionMeta plugin also creates an association proxy between TransactionMeta and Transaction classes for easy dictionary based access of key-value pairs.

You can easily 'tag' transactions with certain key value pairs by giving these keys and values to the meta property of Transaction class.

from sqlalchemy_continuum import versioning_manager
article = Article()
session.add(article)
uow = versioning_manager.unit_of_work(session)
tx = uow.create_transaction(session)
tx.meta = {u'some_key': u'some value'}
session.commit()
TransactionMeta = meta_plugin.model_class
Transaction = versioning_manager.transaction_cls
# find all transactions with 'article' tags
query = (
    session.query(Transaction)
    .join(Transaction.meta_relation)
    .filter(
        db.and_(
            TransactionMeta.key == 'some_key',
            TransactionMeta.value == 'some value'
        )
    )
)

All Continuum configuration parameters can be set on global level (manager level) and on class level. Setting an option at manager level affects all classes within the scope of the manager's class instrumentation listener (by default all SQLAlchemy declarative models).

In the following example we set 'transaction_column_name' configuration option to False at the manager level.

make_versioned(options={'transaction_column_name': 'my_tx_id'})

As the name suggests class level configuration only applies to given class. Class level configuration can be passed to __versioned__ class attribute.

class User(Base):
    __versioned__ = {
        'transaction_column_name': 'tx_id'
    }

Similar to Hibernate Envers SQLAlchemy-Continuum offers two distinct versioning strategies 'validity' and 'subquery'. The default strategy is 'validity'.

The 'validity' strategy saves two columns in each history table, namely 'transaction_id' and 'end_transaction_id'. The names of these columns can be configured with configuration options transaction_column_name and end_transaction_column_name.

As with 'subquery' strategy for each inserted, updated and deleted entity Continuum creates new version in the history table. However it also updates the end_transaction_id of the previous version to point at the current version. This creates a little bit of overhead during data manipulation.

With 'validity' strategy version traversal is very fast. When accessing previous version Continuum tries to find the version record where the primary keys match and end_transaction_id is the same as the transaction_id of the given version record. When accessing the next version Continuum tries to find the version record where the primary keys match and transaction_id is the same as the end_transaction_id of the given version record.

Version traversal is much faster since no correlated subqueries are needed
Updates, inserts and deletes are little bit slower

The 'subquery' strategy uses one column in each history table, namely 'transaction_id'. The name of this column can be configured with configuration option transaction_column_name.

After each inserted, updated and deleted entity Continuum creates new version in the history table and sets the 'transaction_id' column to point at the current transaction.

With 'subquery' strategy the version traversal is slow. When accessing previous and next versions of given version object needs correlated subqueries.

Updates, inserts and deletes little bit faster than in 'validity' strategy
Version traversel much slower

With exclude configuration option you can define which entity attributes you want to get versioned. By default Continuum versions all entity attributes.

class User(Base):
    __versioned__ = {
        'exclude': ['picture']
    }
    id = sa.Column(sa.Integer, primary_key=True)
    name = sa.Column(sa.Unicode(255))
    picture = sa.Column(sa.LargeBinary)

Here is a full list of configuration options:

A tuple defining history class base classes.
The name of the history table.
The name of the transaction column (used by history tables).
The name of the end transaction column in history table when using the validity versioning strategy.
The name of the operation type column (used by history tables).
The versioning strategy to use. Either 'validity' or 'subquery'

Example

class Article(Base):
    __versioned__ = {
        'transaction_column_name': 'tx_id'
    }
    __tablename__ = 'user'
    id = sa.Column(sa.Integer, primary_key=True, autoincrement=True)
    name = sa.Column(sa.Unicode(255))
    content = sa.Column(sa.UnicodeText)

By default Continuum tries to build a relationship between 'User' class and Transaction class. If you have differently named user class you can simply pass its name to make_versioned:

make_versioned(user_cls='MyUserClass')

If you don't want transactions to contain any user references you can also disable this feature.

make_versioned(user_cls=None)

By default SQLAlchemy-Continuum versions all mappers. You can override this behaviour by passing the desired mapper class/object to make_versioned function.

make_versioned(mapper=my_mapper)

By default SQLAlchemy-Continuum versions all sessions. You can override this behaviour by passing the desired session class/object to make_versioned function.

make_versioned(session=my_session)

By default SQLAlchemy-Continuum creates a version table for each versioned entity table. The version tables are suffixed with '_version'. So for example if you have two versioned tables 'article' and 'category', SQLAlchemy-Continuum would create two version tables 'article_version' and 'category_version'.

By default the version tables contain these columns:

  • id of the original entity (this can be more then one column in the case of composite primary keys)
  • transaction_id - an integer that matches to the id number in the transaction_log table.
  • end_transaction_id - an integer that matches the next version record's transaction_id. If this is the current version record then this field is null.
  • operation_type - a small integer defining the type of the operation
  • versioned fields from the original entity

If you are using PropertyModTracker Continuum also creates one boolean field for each versioned field. By default these boolean fields are suffixed with '_mod'.

The primary key of each version table is the combination of parent table's primary key + the transaction_id. This means there can be at most one version table entry for a given entity instance at given transaction.

By default Continuum creates one transaction table called transaction. Many continuum plugins also create additional tables for efficient transaction storage. If you wish to query efficiently transactions afterwards you should consider using some of these plugins.

The transaction table only contains two fields by default: id and issued_at.

When making structural changes to version tables (for example dropping columns) there are sometimes situations where some old version records become futile.

Vacuum deletes all futile version rows which had no changes compared to previous version.

from sqlalchemy_continuum import vacuum
vacuum(session, User)  # vacuums user version
  • session -- SQLAlchemy session object
  • model -- SQLAlchemy declarative model class
  • yield_per -- how many rows to process at a time

Calculates end transaction columns and updates the version table with the calculated values. This function can be used for migrating between subquery versioning strategy and validity versioning strategy.
  • table -- SQLAlchemy table object
  • end_tx_column_name -- Name of the end transaction column
  • tx_column_name -- Transaction column name
  • conn --

    Either SQLAlchemy Connection, Engine, Session or Alembic Operations object. Basically this should be an object that can execute the queries needed to update the end transaction column values.

    If no object is given then this function tries to use alembic.op for executing the queries.

Update property modification flags for given table and given columns. This function can be used for migrating an existing schema to use property mod flags (provided by PropertyModTracker plugin).
  • table -- SQLAlchemy table object
  • mod_suffix -- Modification tracking columns suffix
  • end_tx_column_name -- Name of the end transaction column
  • tx_column_name -- Transaction column name
  • conn --

    Either SQLAlchemy Connection, Engine, Session or Alembic Operations object. Basically this should be an object that can execute the queries needed to update the property modification flags.

    If no object is given then this function tries to use alembic.op for executing the queries.

Each time you make changes to database structure you should also change the associated history tables. When you make changes to your models SQLAlchemy-Continuum automatically alters the history model definitions, hence you can use alembic revision --autogenerate just like before. You just need to make sure make_versioned function gets called before alembic gathers all your models and configure_mappers is called afterwards.

Pay close attention when dropping or moving data from parent tables and reflecting these changes to history tables.

If alembic didn't detect any changes or generates reversed migration (tries to remove *_version tables from database instead of creating), make sure that configure_mappers was called by alembic command.

Return a humanized changeset for given SQLAlchemy declarative object. With this function you can easily check the changeset of given object in current transaction.
from sqlalchemy_continuum import changeset
article = Article(name=u'Some article')
changeset(article)
# {'name': [u'Some article', None]}
obj -- SQLAlchemy declarative model object

Return the number of versions given object has. This function works even when obj has create_models and create_tables versioned settings disabled.
article = Article(name=u'Some article')
count_versions(article)  # 0
session.add(article)
session.commit()
count_versions(article)  # 1
obj -- SQLAlchemy declarative model object

Return the associated SQLAlchemy-Continuum VersioningManager for given SQLAlchemy declarative model class or object.
obj_or_class -- SQLAlchemy declarative model object or class

Return whether or not the versioned properties of given object have been modified.
article = Article()
is_modified(article)  # False
article.name = 'Something'
is_modified(article)  # True
obj -- SQLAlchemy declarative model object

SEE ALSO:

is_modified_or_deleted()

SEE ALSO:

is_session_modified()

Return whether or not some of the versioned properties of given SQLAlchemy declarative object have been modified or if the object has been deleted.
obj -- SQLAlchemy declarative model object

Return whether or not any of the versioned objects in given session have been either modified or deleted.
session -- SQLAlchemy session object

SEE ALSO:

is_versioned()

SEE ALSO:

versioned_objects()

Return whether or not given object is versioned.
is_versioned(Article)  # True
article = Article()
is_versioned(article)  # True
obj_or_class -- SQLAlchemy declarative model object or SQLAlchemy declarative model class.

SEE ALSO:

versioned_objects()

Return the parent class for given version model class.
parent_class(ArticleVersion)  # Article class
model -- SQLAlchemy declarative version model class

SEE ALSO:

version_class()

Return the associated transaction class for given versioned SQLAlchemy declarative class or version class.
from sqlalchemy_continuum import transaction_class
transaction_class(Article)  # Transaction class
cls -- SQLAlchemy versioned declarative class or version model class

Return the version class for given SQLAlchemy declarative model class.
version_class(Article)  # ArticleVersion class
model -- SQLAlchemy declarative model class

SEE ALSO:

parent_class()

Return all versioned objects in given session.
session -- SQLAlchemy session object

SEE ALSO:

is_versioned()

Return associated version table for given SQLAlchemy Table object.
table -- SQLAlchemy Table object

Copyright (c) 2012, Konsta Vesterinen

All rights reserved.

Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met:

  • Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer.
  • Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution.
  • Neither the name of the copyright holder nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission.

THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.

Konsta Vesterinen

2023, Konsta Vesterinen

April 25, 2023 1.3.14