Django friendly finite state machine support.
Project description
Django friendly finite state machine support
xstate-machine
adds simple declarative state management for django models.
Based on the django-fsm project by viewflow.
Instead of adding a state field to a django model and managing its
values by hand, you use FSMField
and mark model methods with the
transition
decorator. These methods could contain side-effects of the
state change.
Nice introduction is available here: https://gist.github.com/Nagyman/9502133
You may also take a look at django-fsm-admin
project containing a mixin
and template tags to integrate xstate-machine
state transitions into the
django admin.
https://github.com/gadventures/django-fsm-admin
Transition logging support could be achieved with help of django-fsm-log package
https://github.com/gizmag/django-fsm-log
FSM really helps to structure the code, especially when a new developer comes to the project. FSM is most effective when you use it for some sequential steps.
Installation
pip install xstate-machine
Or, for the latest git version
pip install -e git://git@github.com:xpendit/xstate-machine.git#egg=xstate-machine
The library has full Python 3 support (from 3.10 or later) and Django
Usage
Add FSMState field to your model
from xstate_machine import FSMField, transition
class BlogPost(models.Model):
state = FSMField(default='new')
Use the transition
decorator to annotate model methods
@transition(field=state, source='new', target='published')
def publish(self):
"""
This function may contain side-effects,
like updating caches, notifying users, etc.
The return value will be discarded.
"""
The field
parameter accepts both a string attribute name or an actual
field instance.
If calling publish() succeeds without raising an exception, the state field will be changed, but not written to the database.
from xstate_machine import can_proceed
def publish_view(request, post_id):
post = get_object_or_404(BlogPost, pk=post_id)
if not can_proceed(post.publish):
raise PermissionDenied
post.publish()
post.save()
return redirect('/')
If some conditions are required to be met before changing the state, use
the conditions
argument to transition
. conditions
must be a list
of functions taking one argument, the model instance. The function must
return either True
or False
or a value that evaluates to True
or
False
. If all functions return True
, all conditions are considered
to be met and the transition is allowed to happen. If one of the
functions returns False
, the transition will not happen. These
functions should not have any side effects.
You can use ordinary functions
def can_publish(instance):
# No publishing after 17 hours
if datetime.datetime.now().hour > 17:
return False
return True
Or model methods
def can_destroy(self):
return self.is_under_investigation()
Use the conditions like this:
@transition(field=state, source='new', target='published', conditions=[can_publish])
def publish(self):
"""
Side effects galore
"""
@transition(field=state, source='*', target='destroyed', conditions=[can_destroy])
def destroy(self):
"""
Side effects galore
"""
You can instantiate a field with protected=True
option to prevent
direct state field modification.
class BlogPost(models.Model):
state = FSMField(default='new', protected=True)
model = BlogPost()
model.state = 'invalid' # Raises AttributeError
Note that calling refresh_from_db on a model instance with a protected FSMField will cause an exception.
source
state
source
parameter accepts a list of states, or an individual state or
xstate_machine.State
implementation.
You can use *
for source
to allow switching to target
from any
state.
You can use +
for source
to allow switching to target
from any
state excluding target
state.
target
state
target
state parameter could point to a specific state or
xstate_machine.State
implementation
from xstate_machine import FSMField, transition, RETURN_VALUE, GET_STATE
@transition(field=state,
source='*',
target=RETURN_VALUE('for_moderators', 'published'))
def publish(self, is_public=False):
return 'for_moderators' if is_public else 'published'
@transition(
field=state,
source='for_moderators',
target=GET_STATE(
lambda self, allowed: 'published' if allowed else 'rejected',
states=['published', 'rejected']))
def moderate(self, allowed):
pass
@transition(
field=state,
source='for_moderators',
target=GET_STATE(
lambda self, **kwargs: 'published' if kwargs.get("allowed", True) else 'rejected',
states=['published', 'rejected']))
def moderate(self, allowed=True):
pass
custom
properties
Custom properties can be added by providing a dictionary to the custom
keyword on the transition
decorator.
@transition(field=state,
source='*',
target='onhold',
custom=dict(verbose='Hold for legal reasons'))
def legal_hold(self):
"""
Side effects galore
"""
on_error
state
If the transition method raises an exception, you can provide a specific target state
@transition(field=state, source='new', target='published', on_error='failed')
def publish(self):
"""
Some exception could happen here
"""
state_choices
Instead of passing a two-item iterable choices
you can instead use the
three-element state_choices
, the last element being a string reference
to a model proxy class.
The base class instance would be dynamically changed to the corresponding Proxy class instance, depending on the state. Even for queryset results, you will get Proxy class instances, even if the QuerySet is executed on the base class.
Check the test case for example usage. Or read about implementation internals
Permissions
It is common to have permissions attached to each model transition.
xstate-machine
handles this with permission
keyword on the transition
decorator. permission
accepts a permission string, or callable that
expects instance
and user
arguments and returns True if the user can
perform the transition.
@transition(field=state, source='*', target='published',
permission=lambda instance, user: not user.has_perm('myapp.can_make_mistakes'))
def publish(self):
pass
@transition(field=state, source='*', target='removed',
permission='myapp.can_remove_post')
def remove(self):
pass
You can check permission with has_transition_permission
method
from xstate_machine import has_transition_perm
def publish_view(request, post_id):
post = get_object_or_404(BlogPost, pk=post_id)
if not has_transition_perm(post.publish, request.user):
raise PermissionDenied
post.publish()
post.save()
return redirect('/')
Model methods
get_all_FIELD_transitions
Enumerates all declared transitions
get_available_FIELD_transitions
Returns all transitions data available
in current state
get_available_user_FIELD_transitions
Enumerates all transitions data
available in current state for provided user
Foreign Key constraints support
If you store the states in the db table you could use FSMKeyField to ensure Foreign Key database integrity.
In your model :
class DbState(models.Model):
id = models.CharField(primary_key=True, max_length=50)
label = models.CharField(max_length=255)
def __unicode__(self):
return self.label
class BlogPost(models.Model):
state = FSMKeyField(DbState, default='new')
@transition(field=state, source='new', target='published')
def publish(self):
pass
In your fixtures/initial_data.json :
[
{
"pk": "new",
"model": "myapp.dbstate",
"fields": {
"label": "_NEW_"
}
},
{
"pk": "published",
"model": "myapp.dbstate",
"fields": {
"label": "_PUBLISHED_"
}
}
]
Note : source and target parameters in @transition decorator use pk values of DBState model as names, even if field "real" name is used, without _id postfix, as field parameter.
Integer Field support
You can also use FSMIntegerField
. This is handy when you want to use
enum style constants.
class BlogPostStateEnum(object):
NEW = 10
PUBLISHED = 20
HIDDEN = 30
class BlogPostWithIntegerField(models.Model):
state = FSMIntegerField(default=BlogPostStateEnum.NEW)
@transition(field=state, source=BlogPostStateEnum.NEW, target=BlogPostStateEnum.PUBLISHED)
def publish(self):
pass
Signals
xstate_machine.signals.pre_transition
and
xstate_machine.signals.post_transition
are called before and after allowed
transition. No signals on invalid transition are called.
Arguments sent with these signals:
sender The model class.
instance The actual instance being processed
name Transition name
source Source model state
target Target model state
Optimistic locking
xstate-machine
provides optimistic locking mixin, to avoid concurrent
model state changes. If model state was changed in database
xstate_machine.ConcurrentTransition
exception would be raised on
model.save()
from xstate_machine import FSMField, ConcurrentTransitionMixin
class BlogPost(ConcurrentTransitionMixin, models.Model):
state = FSMField(default='new')
For guaranteed protection against race conditions caused by concurrently executed transitions, make sure:
- Your transitions do not have any side effects except for changes in the database,
- You always run the save() method on the object within
django.db.transaction.atomic()
block.
Following these recommendations, you can rely on ConcurrentTransitionMixin to cause a rollback of all the changes that have been executed in an inconsistent (out of sync) state, thus practically negating their effect.
Drawing transitions
Renders a graphical overview of your models states transitions
You need pip install "graphviz>=0.4"
library and add xstate_machine
to
your INSTALLED_APPS
:
INSTALLED_APPS = (
...
'xstate_machine',
...
)
# Create a dot file
$ ./manage.py graph_transitions > transitions.dot
# Create a PNG image file only for specific model
$ ./manage.py graph_transitions -o blog_transitions.png myapp.Blog
Changelog
xstate-machine 2.8.2 2024-04-09
- Fix graph_transitions commnad for Django>=4.0
- Preserve chosen "using" DB in ConcurentTransitionMixin
- Fix error message in GET_STATE
- Implement Transition __hash__ and __eq__ for 'in' operator
Project details
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 xstate_machine-3.2.0.tar.gz
.
File metadata
- Download URL: xstate_machine-3.2.0.tar.gz
- Upload date:
- Size: 21.4 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: poetry/1.8.2 CPython/3.11.7 Darwin/23.5.0
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | b64f0a0396ba486addbef1b0433820b658c6023ab4be740dd71680bffa288e27 |
|
MD5 | a6786650b7fdd10520fa1f64f3cd29c5 |
|
BLAKE2b-256 | cfd6cd489eca5cfcc47b176fa7a19a0487ff44b28626b8094847562d7143f47c |
File details
Details for the file xstate_machine-3.2.0-py3-none-any.whl
.
File metadata
- Download URL: xstate_machine-3.2.0-py3-none-any.whl
- Upload date:
- Size: 23.4 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: poetry/1.8.2 CPython/3.11.7 Darwin/23.5.0
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | 5ff9ab302d2c3740521ae230a4b9657f11a2489328c882ba44d5584c555354a4 |
|
MD5 | f168ba7b396f1d11dd6780e96212fe48 |
|
BLAKE2b-256 | b9da49e672f0ff6fba4a9115709312ba8808b8d31cf369db69fcdf1ad6ceb7e5 |