2015-06-18 16:38:29 +03:00
|
|
|
import binascii
|
2015-06-25 23:55:51 +03:00
|
|
|
import os
|
2014-12-04 04:50:25 +03:00
|
|
|
|
2015-06-18 16:38:29 +03:00
|
|
|
from django.conf import settings
|
2015-06-25 23:55:51 +03:00
|
|
|
from django.db import models
|
Replace all usage ugettext functions with the non-u versions (#6634)
On Python 3, the ugettext functions are a simple aliases of their non-u
counterparts (the 'u' represents Python 2 unicode type). Starting with
Django 3.0, the u versions will be deprecated.
https://docs.djangoproject.com/en/dev/releases/3.0/#id2
> django.utils.translation.ugettext(), ugettext_lazy(), ugettext_noop(),
> ungettext(), and ungettext_lazy() are deprecated in favor of the
> functions that they’re aliases for:
> django.utils.translation.gettext(), gettext_lazy(), gettext_noop(),
> ngettext(), and ngettext_lazy().
2019-05-01 08:49:54 +03:00
|
|
|
from django.utils.translation import gettext_lazy as _
|
2012-09-20 16:06:27 +04:00
|
|
|
|
2013-12-16 12:59:10 +04:00
|
|
|
|
2012-09-20 16:06:27 +04:00
|
|
|
class Token(models.Model):
|
|
|
|
"""
|
|
|
|
The default authorization token model.
|
|
|
|
"""
|
2016-02-01 11:20:16 +03:00
|
|
|
key = models.CharField(_("Key"), max_length=40, primary_key=True)
|
2016-06-07 14:13:35 +03:00
|
|
|
user = models.OneToOneField(
|
|
|
|
settings.AUTH_USER_MODEL, related_name='auth_token',
|
|
|
|
on_delete=models.CASCADE, verbose_name=_("User")
|
|
|
|
)
|
2016-02-01 11:20:16 +03:00
|
|
|
created = models.DateTimeField(_("Created"), auto_now_add=True)
|
2012-09-20 16:06:27 +04:00
|
|
|
|
2016-01-21 15:28:32 +03:00
|
|
|
class Meta:
|
|
|
|
# Work around for a bug in Django:
|
|
|
|
# https://code.djangoproject.com/ticket/19422
|
|
|
|
#
|
|
|
|
# Also see corresponding ticket:
|
2017-04-07 17:28:35 +03:00
|
|
|
# https://github.com/encode/django-rest-framework/issues/705
|
2016-01-21 15:28:32 +03:00
|
|
|
abstract = 'rest_framework.authtoken' not in settings.INSTALLED_APPS
|
2016-02-01 11:20:16 +03:00
|
|
|
verbose_name = _("Token")
|
|
|
|
verbose_name_plural = _("Tokens")
|
2016-01-21 15:28:32 +03:00
|
|
|
|
2012-09-20 16:06:27 +04:00
|
|
|
def save(self, *args, **kwargs):
|
|
|
|
if not self.key:
|
|
|
|
self.key = self.generate_key()
|
2019-04-30 18:53:44 +03:00
|
|
|
return super().save(*args, **kwargs)
|
2012-09-20 16:06:27 +04:00
|
|
|
|
2020-09-03 13:51:03 +03:00
|
|
|
@classmethod
|
|
|
|
def generate_key(cls):
|
2014-04-28 15:35:55 +04:00
|
|
|
return binascii.hexlify(os.urandom(20)).decode()
|
2012-10-09 12:57:31 +04:00
|
|
|
|
2014-12-04 04:50:25 +03:00
|
|
|
def __str__(self):
|
2012-10-09 12:57:31 +04:00
|
|
|
return self.key
|
2020-06-15 13:43:09 +03:00
|
|
|
|
|
|
|
|
|
|
|
class TokenProxy(Token):
|
|
|
|
"""
|
|
|
|
Proxy mapping pk to user pk for use in admin.
|
|
|
|
"""
|
|
|
|
@property
|
|
|
|
def pk(self):
|
|
|
|
return self.user.pk
|
|
|
|
|
|
|
|
class Meta:
|
|
|
|
proxy = True
|
|
|
|
verbose_name = "token"
|