Skip to content

Commit adc083a

Browse files
committed
Merge pull request #2 from ambitioninc/develop
0.1
2 parents 2787146 + 552a826 commit adc083a

18 files changed

+873
-13
lines changed

.gitignore

+16
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,16 @@
1+
# Compiled python files
2+
*.pyc
3+
4+
# Vim files
5+
*.swp
6+
*.swo
7+
8+
# Coverage files
9+
.coverage
10+
11+
# Setuptools distribution folder.
12+
/dist/
13+
14+
# Python egg metadata, regenerated from source files by setuptools.
15+
/*.egg-info
16+
/*.egg

.travis.yml

+15
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,15 @@
1+
language: python
2+
python:
3+
- '2.7'
4+
env:
5+
- DJANGO=1.6.1 DB=postgres
6+
install:
7+
- pip install -q Django==$DJANGO
8+
- pip install -r requirements.txt
9+
before_script:
10+
- find . | grep .py$ | grep -v /migrations | xargs pep8 --max-line-length=120
11+
- find . | grep .py$ | grep -v /migrations | grep -v __init__.py | xargs pyflakes
12+
- psql -c 'CREATE DATABASE db_mutex;' -U postgres
13+
script:
14+
- coverage run --source='db_mutex' --branch --omit 'db_mutex/migrations/*' manage.py test
15+
- coverage report --fail-under=100

LICENSE

+11-12
Original file line numberDiff line numberDiff line change
@@ -2,20 +2,19 @@ The MIT License (MIT)
22

33
Copyright (c) 2014 Ambition
44

5-
Permission is hereby granted, free of charge, to any person obtaining a copy
6-
of this software and associated documentation files (the "Software"), to deal
7-
in the Software without restriction, including without limitation the rights
8-
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
9-
copies of the Software, and to permit persons to whom the Software is
10-
furnished to do so, subject to the following conditions:
5+
Permission is hereby granted, free of charge, to any person obtaining a copy of
6+
this software and associated documentation files (the "Software"), to deal in
7+
the Software without restriction, including without limitation the rights to
8+
use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of
9+
the Software, and to permit persons to whom the Software is furnished to do so,
10+
subject to the following conditions:
1111

1212
The above copyright notice and this permission notice shall be included in all
1313
copies or substantial portions of the Software.
1414

1515
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
16-
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
17-
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
18-
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
19-
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
20-
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
21-
SOFTWARE.
16+
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS
17+
FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR
18+
COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER
19+
IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN
20+
CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.

MANIFEST.in

+3
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,3 @@
1+
include db_mutex/VERSION
2+
include README.md
3+
include LICENSE

README.md

+76-1
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,79 @@
1+
[![Build Status](https://travis-ci.org/ambitioninc/django-db-mutex.png)](https://travis-ci.org/ambitioninc/django-db-mutex)
12
django-db-mutex
23
===============
34

4-
Acquire a mutex via the DB in Django
5+
Provides the ability to acquire a mutex lock from the database in Django.
6+
7+
## A Brief Overview
8+
For critical pieces of code that cannot overlap with one another, it is often necessary to acquire a mutex lock of some sort. Many solutions use a memcache lock strategy, however, this strategy can be brittle in the case of memcache going down or when an unconsistent hashing function is used in a distributed memcache setup.
9+
10+
If your application does not need a high performance mutex lock, Django DB Mutex does the trick. The common use case for Django DB Mutex is to provide the abilty to lock long-running periodic tasks that should not overlap with one another. Celery is the common backend for Django when scheduling periodic tasks.
11+
12+
## How to Use Django DB Mutex
13+
The Django DB Mutex app provides a context manager and function decorator for locking a critical section of code. The context manager is used in the following way:
14+
15+
from db_mutex import db_mutex, DBMutexError, DBMutexTimeoutError
16+
17+
# Lock a critical section of code
18+
try:
19+
with db_mutex('lock_id'):
20+
# Run critical code here
21+
pass
22+
except DBMutexError:
23+
print 'Could not obtain lock'
24+
except DBMutexTimeoutError:
25+
print 'Task completed but the lock timed out'
26+
27+
You'll notice that two errors were caught from this context manager. The first one, DBMutexError, is thrown if the lock cannot be acquired. The second one, DBMutexTimeoutError, is thrown if the critical code completes but the lock timed out. More about lock timeout in the next section.
28+
29+
The db_mutex decorator can also be used in a similar manner for locking a function.
30+
31+
from db_mutex import db_mutex, DBMutexError, DBMutexTimeoutError
32+
33+
@db_mutex('lock_id')
34+
def critical_function():
35+
pass
36+
37+
try:
38+
critical_function()
39+
except DBMutexError:
40+
print 'Could not obtain lock'
41+
except DBMutexTimeoutError:
42+
print 'Task completed but the lock timed out'
43+
44+
## Lock Timeout
45+
Django DB Mutex comes with lock timeout baked in. This ensures that a lock cannot be held forever. This is especially important when working with segments of code that may run out of memory or produce errors that do not raise exceptions.
46+
47+
In the default setup of this app, a lock is only valid for 30 minutes. As shown earlier in the example code, if the lock times out during the execution of a critical piece of code, a DBMutexTimeoutError will be thrown. This error basically says that a critical section of your code could have overlapped (but it doesn't necessarily say if a section of code overlapped or didn't).
48+
49+
In order to change the duration of a lock, set the DB_MUTEX_TTL_SECONDS variable in your settings.py file to a number of seconds. If you want your locks to never expire (beware!), set the setting to None.
50+
51+
## Usage with Celery
52+
Django DB Mutex can be used with celery's tasks in the following manner.
53+
54+
from celery import Task
55+
from abc import ABCMeta, abstractmethod
56+
57+
class NonOverlappingTask(Task):
58+
__metaclass__ = ABCMeta
59+
60+
@abstractmethod
61+
def run_worker(self, *args, **kwargs):
62+
"""
63+
Run worker code here.
64+
"""
65+
pass
66+
67+
def run(self, *args, **kwargs):
68+
try:
69+
with db_mutex(self.__class__.__name__):
70+
self.run_worker(*args, **kwargs):
71+
except DBMutexError:
72+
# Ignore this task since the same one is already running
73+
pass
74+
except DBMutexTimeoutError:
75+
# A task ran for a long time and another one may have overlapped with it. Report the error
76+
pass
77+
78+
## License
79+
MIT License (see the LICENSE file included in the repository)

db_mutex/VERSION

+1
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
0.1

db_mutex/__init__.py

+1
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
from .db_mutex import DBMutexError, DBMutexTimeoutError, db_mutex

db_mutex/db_mutex.py

+126
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,126 @@
1+
from datetime import datetime, timedelta
2+
import functools
3+
4+
from django.conf import settings
5+
from django.db import transaction, IntegrityError
6+
7+
from .models import DBMutex
8+
9+
10+
class DBMutexError(Exception):
11+
"""
12+
Thrown when a lock cannot be acquired.
13+
"""
14+
pass
15+
16+
17+
class DBMutexTimeoutError(Exception):
18+
"""
19+
Thrown when a lock times out before it is released.
20+
"""
21+
pass
22+
23+
24+
class db_mutex(object):
25+
"""
26+
An object that acts as a context manager and a function decorator for acquiring a
27+
DB mutex lock.
28+
29+
Args:
30+
lock_id: The ID of the lock one is trying to acquire
31+
32+
Raises:
33+
DBMutexError when the lock cannot be obtained
34+
DBMutexTimeoutError when the lock was deleted during execution
35+
36+
Examples:
37+
This context manager/function decorator can be used in the following way
38+
39+
from db_mutex import db_mutex
40+
41+
# Lock a critical section of code
42+
try:
43+
with db_mutex('lock_id'):
44+
# Run critical code here
45+
pass
46+
except DBMutexError:
47+
print 'Could not obtain lock'
48+
except DBMutexTimeoutError:
49+
print 'Task completed but the lock timed out'
50+
51+
# Lock a function
52+
@db_mutex('lock_id'):
53+
def critical_function():
54+
# Critical code goes here
55+
pass
56+
57+
try:
58+
critical_function()
59+
except DBMutexError:
60+
print 'Could not obtain lock'
61+
except DBMutexTimeoutError:
62+
print 'Task completed but the lock timed out'
63+
"""
64+
mutex_ttl_seconds_settings_key = 'DB_MUTEX_TTL_SECONDS'
65+
66+
def __init__(self, lock_id):
67+
self.lock_id = lock_id
68+
self.lock = None
69+
70+
def get_mutex_ttl_seconds(self):
71+
"""
72+
Returns a TTL for mutex locks. It defaults to 30 minutes. If the user specifies None
73+
as the TTL, locks never expire.
74+
"""
75+
return getattr(settings, self.mutex_ttl_seconds_settings_key, timedelta(minutes=30).total_seconds())
76+
77+
def delete_expired_locks(self):
78+
"""
79+
Deletes all expired mutex locks if a ttl is provided.
80+
"""
81+
ttl_seconds = self.get_mutex_ttl_seconds()
82+
if ttl_seconds is not None:
83+
DBMutex.objects.filter(creation_time__lte=datetime.utcnow() - timedelta(seconds=ttl_seconds)).delete()
84+
85+
def __call__(self, func):
86+
return self.decorate_callable(func)
87+
88+
def __enter__(self):
89+
self.start()
90+
91+
def __exit__(self, *args):
92+
self.stop()
93+
94+
def start(self):
95+
"""
96+
Acquires the db mutex lock. Takes the necessary steps to delete any stale locks.
97+
Throws a DBMutexError if it can't acquire the lock.
98+
"""
99+
# Delete any expired locks first
100+
self.delete_expired_locks()
101+
try:
102+
with transaction.atomic():
103+
self.lock = DBMutex.objects.create(lock_id=self.lock_id)
104+
except IntegrityError:
105+
raise DBMutexError('Could not acquire lock: {0}'.format(self.lock_id))
106+
107+
def stop(self):
108+
"""
109+
Releases the db mutex lock. Throws an error if the lock was released before the function finished.
110+
"""
111+
if not DBMutex.objects.filter(id=self.lock.id).exists():
112+
raise DBMutexTimeoutError('Lock {0} expired before function completed'.format(self.lock_id))
113+
else:
114+
self.lock.delete()
115+
116+
def decorate_callable(self, func):
117+
"""
118+
Decorates a function with the db_mutex decorator by using this class as a context manager around
119+
it.
120+
"""
121+
def wrapper(*args, **kwargs):
122+
with self:
123+
result = func(*args, **kwargs)
124+
return result
125+
functools.update_wrapper(wrapper, func)
126+
return wrapper

db_mutex/migrations/0001_initial.py

+34
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,34 @@
1+
# -*- coding: utf-8 -*-
2+
import datetime
3+
from south.db import db
4+
from south.v2 import SchemaMigration
5+
from django.db import models
6+
7+
8+
class Migration(SchemaMigration):
9+
10+
def forwards(self, orm):
11+
# Adding model 'DBMutex'
12+
db.create_table(u'db_mutex_dbmutex', (
13+
(u'id', self.gf('django.db.models.fields.AutoField')(primary_key=True)),
14+
('lock_id', self.gf('django.db.models.fields.CharField')(unique=True, max_length=256)),
15+
('creation_time', self.gf('django.db.models.fields.DateTimeField')(auto_now_add=True, blank=True)),
16+
))
17+
db.send_create_signal(u'db_mutex', ['DBMutex'])
18+
19+
20+
def backwards(self, orm):
21+
# Deleting model 'DBMutex'
22+
db.delete_table(u'db_mutex_dbmutex')
23+
24+
25+
models = {
26+
u'db_mutex.dbmutex': {
27+
'Meta': {'object_name': 'DBMutex'},
28+
'creation_time': ('django.db.models.fields.DateTimeField', [], {'auto_now_add': 'True', 'blank': 'True'}),
29+
u'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
30+
'lock_id': ('django.db.models.fields.CharField', [], {'unique': 'True', 'max_length': '256'})
31+
}
32+
}
33+
34+
complete_apps = ['db_mutex']

db_mutex/migrations/__init__.py

Whitespace-only changes.

db_mutex/models.py

+9
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,9 @@
1+
from django.db import models
2+
3+
4+
class DBMutex(models.Model):
5+
"""
6+
Models a mutex lock with a lock ID and a creation time.
7+
"""
8+
lock_id = models.CharField(max_length=256, unique=True)
9+
creation_time = models.DateTimeField(auto_now_add=True)

manage.py

+10
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,10 @@
1+
#!/usr/bin/env python
2+
import os
3+
import sys
4+
5+
if __name__ == '__main__':
6+
os.environ.setdefault('DJANGO_SETTINGS_MODULE', 'test_project.settings')
7+
8+
from django.core.management import execute_from_command_line
9+
10+
execute_from_command_line(sys.argv)

requirements.txt

+9
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,9 @@
1+
coverage
2+
django-dynamic-fixture==1.6.5
3+
django-nose==1.1
4+
pep8
5+
psycopg2==2.4.5
6+
pyflakes
7+
south==0.7.6
8+
freezegun==0.1.13
9+
# Note that Django is a requirement, but it is installed in the .travis.yml file in order to test against different versions

setup.py

+26
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,26 @@
1+
import os
2+
from setuptools import setup
3+
4+
5+
setup(
6+
name='django-db-mutex',
7+
version=open(os.path.join(os.path.dirname(__file__), 'db_mutex', 'VERSION')).read().strip(),
8+
description='Acquire a mutex via the DB in Django',
9+
long_description=open('README.md').read(),
10+
url='http://github.com/ambitioninc/django-db-mutex/',
11+
author='Wes Kendall',
12+
author_email='[email protected]',
13+
packages=[
14+
'manager_utils',
15+
],
16+
classifiers=[
17+
'Programming Language :: Python',
18+
'License :: OSI Approved :: BSD License',
19+
'Operating System :: OS Independent',
20+
'Framework :: Django',
21+
],
22+
install_requires=[
23+
'django>=1.6',
24+
],
25+
include_package_data=True,
26+
)

test_project/__init__.py

Whitespace-only changes.

0 commit comments

Comments
 (0)