It depends what you are trying to add to the model. If you want to add more information about the user, then it is generally recommended that you use the UserProfile
method: http://docs.djangoproject.com/en/dev/topics/auth/#storing-additional-information-about-users
However, if you just want to add custom methods or managers to the User
model, I would say that it's more logical to use a proxy model, like so:
from django.contrib.auth.models import User
class UserMethods(User):
def custom_method(self):
pass
class Meta:
proxy=True
A proxy model will operate on the same database table as the original model, so is ideal for creating custom methods without physically extending the model. Just replace any references to User
in your views to UserMethods
. (And of course you can use this in the admin tool by unregistering the User
model and registering your proxy model in its stead.)
Any instances of the original User
model that are created will be instantly accessible via the UserMethods
model, and vice-versa. More here: http://docs.djangoproject.com/en/dev/topics/db/models/#proxy-models
(NB. Proxy models require Django 1.1 and above)