This code provides a primary key field that is globally unique. It uses the pre_save method to auto-populate the field with a Universal Unique Id as the record is saved the first time.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 | from django.db import models
import uuid
class UUIDField(models.CharField) :
def __init__(self, *args, **kwargs):
kwargs['max_length'] = kwargs.get('max_length', 64 )
kwargs['blank'] = True
models.CharField.__init__(self, *args, **kwargs)
def pre_save(self, model_instance, add):
if add :
value = str(uuid.uuid4())
setattr(model_instance, self.attname, value)
return value
else:
return super(models.CharField, self).pre_save(model_instance, add)
class Example(models.Model) :
uuid = UUIDField(primary_key=True, editable=False)
name = models.CharField(max_length=32)
value = models.CharField(max_length=255, blank=True)
|
More like this
- Template tag - list punctuation for a list of items by shapiromatron 10 months ago
- JSONRequestMiddleware adds a .json() method to your HttpRequests by cdcarter 10 months, 1 week ago
- Serializer factory with Django Rest Framework by julio 1 year, 5 months ago
- Image compression before saving the new model / work with JPG, PNG by Schleidens 1 year, 5 months ago
- Help text hyperlinks by sa2812 1 year, 6 months ago
Comments
It seems like it would be better to simply pass a default to a CharField? At least then the uuid will be assigned before the object is saved, which is useful when dealing with a Model that stores files.
from uuid import uuid4 uuid = models.CharField(primary_key=True, max_length=64, editable=False, blank=True, default=uuid4)
#
@manfre:
well, I was also pursuing your simpler solution (default = uuid.uuid4) and stuff, but I got some problems when trying to migrate my initial South migration:
ValueError: Cannot successfully create field 'hash' for model 'token': name 'UUID' is not defined.
I will look into it, but I'm afraid there will have to be some in-model hacking like the one above...
Right now, my code is as simple as could be:
#
max_length attribute could be set to 32 after replacing the '-' with '' in the string returned by uuid4.
#
Please login first before commenting.