| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364 |
- import hashlib
- import random
-
- from django.conf import settings
- from django.contrib.auth import models as auth_models
- from django.core.urlresolvers import reverse
- from django.db import models
- from django.template import Template, Context, TemplateDoesNotExist
- from django.template.loader import get_template
- from django.utils import timezone
- from django.utils.translation import ugettext_lazy as _
-
- from oscar.apps.customer.managers import CommunicationTypeManager
- from oscar.core.compat import AUTH_USER_MODEL
-
- if hasattr(auth_models, 'BaseUserManager'):
- # Only define custom UserModel when Django >= 1.5
- class UserManager(auth_models.BaseUserManager):
-
- def create_user(self, email, password=None, **extra_fields):
- """
- Creates and saves a User with the given username, email and
- password.
- """
- now = timezone.now()
- if not email:
- raise ValueError('The given email must be set')
- email = UserManager.normalize_email(email)
- user = self.model(
- email=email, is_staff=False, is_active=True,
- is_superuser=False,
- last_login=now, date_joined=now, **extra_fields)
-
- user.set_password(password)
- user.save(using=self._db)
- return user
-
- def create_superuser(self, email, password, **extra_fields):
- u = self.create_user(email, password, **extra_fields)
- u.is_staff = True
- u.is_active = True
- u.is_superuser = True
- u.save(using=self._db)
- return u
-
- class AbstractUser(auth_models.AbstractBaseUser,
- auth_models.PermissionsMixin):
- """
- An abstract base user suitable for use in Oscar projects.
-
- This is basically a copy of the core AbstractUser model but without a
- username field
- """
- email = models.EmailField(_('email address'), unique=True)
- first_name = models.CharField(
- _('First name'), max_length=255, blank=True)
- last_name = models.CharField(
- _('Last name'), max_length=255, blank=True)
- is_staff = models.BooleanField(
- _('Staff status'), default=False,
- help_text=_('Designates whether the user can log into this admin '
- 'site.'))
- is_active = models.BooleanField(
- _('Active'), default=True,
- help_text=_('Designates whether this user should be treated as '
- 'active. Unselect this instead of deleting accounts.'))
- date_joined = models.DateTimeField(_('date joined'), default=timezone.now)
-
- objects = UserManager()
-
- USERNAME_FIELD = 'email'
-
- class Meta:
- verbose_name = _('User')
- verbose_name_plural = _('Users')
- abstract = True
-
- def get_full_name(self):
- full_name = '%s %s' % (self.first_name, self.last_name)
- return full_name.strip()
-
- def get_short_name(self):
- return self.first_name
-
-
- class AbstractEmail(models.Model):
- """
- This is a record of all emails sent to a customer.
- Normally, we only record order-related emails.
- """
- user = models.ForeignKey(AUTH_USER_MODEL, related_name='emails', verbose_name=_("User"))
- subject = models.TextField(_('Subject'), max_length=255)
- body_text = models.TextField(_("Body Text"))
- body_html = models.TextField(_("Body HTML"), blank=True, null=True)
- date_sent = models.DateTimeField(_("Date Sent"), auto_now_add=True)
-
- class Meta:
- abstract = True
- verbose_name = _('Email')
- verbose_name_plural = _('Emails')
-
- def __unicode__(self):
- return _("Email to %(user)s with subject '%(subject)s'") % {
- 'user': self.user.username, 'subject': self.subject}
-
-
- class AbstractCommunicationEventType(models.Model):
- """
- A 'type' of communication. Like a order confirmation email.
- """
-
- # Code used for looking up this event programmatically.
- # eg. PASSWORD_RESET
- code = models.SlugField(_('Code'), max_length=128)
-
- #: Name is the friendly description of an event for use in the admin
- name = models.CharField(
- _('Name'), max_length=255,
- help_text=_("This is just used for organisational purposes"))
-
- # We allow communication types to be categorised
- ORDER_RELATED = _('Order related')
- USER_RELATED = _('User related')
- category = models.CharField(_('Category'), max_length=255,
- default=ORDER_RELATED)
-
- # Template content for emails
- email_subject_template = models.CharField(
- _('Email Subject Template'), max_length=255, blank=True, null=True)
- email_body_template = models.TextField(
- _('Email Body Template'), blank=True, null=True)
- email_body_html_template = models.TextField(
- _('Email Body HTML Template'), blank=True, null=True,
- help_text=_("HTML template"))
-
- # Template content for SMS messages
- sms_template = models.CharField(_('SMS Template'), max_length=170,
- blank=True, help_text=_("SMS template"))
-
- date_created = models.DateTimeField(_("Date Created"), auto_now_add=True)
- date_updated = models.DateTimeField(_("Date Updated"), auto_now=True)
-
- objects = CommunicationTypeManager()
-
- # File templates
- email_subject_template_file = 'customer/emails/commtype_%s_subject.txt'
- email_body_template_file = 'customer/emails/commtype_%s_body.txt'
- email_body_html_template_file = 'customer/emails/commtype_%s_body.html'
- sms_template_file = 'customer/sms/commtype_%s_body.txt'
-
- class Meta:
- abstract = True
- verbose_name = _("Communication event type")
- verbose_name_plural = _("Communication event types")
-
- def get_messages(self, ctx=None):
- """
- Return a dict of templates with the context merged in
-
- We look first at the field templates but fail over to
- a set of file templates that follow a conventional path.
- """
- code = self.code.lower()
-
- # Build a dict of message name to Template instances
- templates = {'subject': 'email_subject_template',
- 'body': 'email_body_template',
- 'html': 'email_body_html_template',
- 'sms': 'sms_template'}
- for name, attr_name in templates.items():
- field = getattr(self, attr_name, None)
- if field is not None:
- # Template content is in a model field
- templates[name] = Template(field)
- else:
- # Model field is empty - look for a file template
- template_name = getattr(self, "%s_file" % attr_name) % code
- try:
- templates[name] = get_template(template_name)
- except TemplateDoesNotExist:
- templates[name] = None
-
-
- # Pass base URL for serving images within HTML emails
- if ctx is None:
- ctx = {}
- ctx['static_base_url'] = getattr(settings,
- 'OSCAR_STATIC_BASE_URL', None)
-
- messages = {}
- for name, template in templates.items():
- messages[name] = template.render(Context(ctx)) if template else ''
-
- # Ensure the email subject doesn't contain any newlines
- messages['subject'] = messages['subject'].replace("\n", "").replace("\r", "")
-
- return messages
-
- def __unicode__(self):
- return self.name
-
- def is_order_related(self):
- return self.category == self.ORDER_RELATED
-
- def is_user_related(self):
- return self.category == self.USER_RELATED
-
-
- class AbstractNotification(models.Model):
- recipient = models.ForeignKey(AUTH_USER_MODEL, related_name='notifications',
- db_index=True)
-
- # Not all notifications will have a sender.
- sender = models.ForeignKey(AUTH_USER_MODEL, null=True)
-
- # HTML is allowed in this field as it can contain links
- subject = models.CharField(max_length=255)
- body = models.TextField()
-
- # Some projects may want to categorise their notifications. You may want
- # to use this field to show a different icons next to the notification.
- category = models.CharField(max_length=255, null=True)
-
- INBOX, ARCHIVE = 'Inbox', 'Archive'
- choices = (
- (INBOX, _(INBOX)),
- (ARCHIVE, _(ARCHIVE)))
- location = models.CharField(max_length=32, choices=choices,
- default=INBOX)
-
- date_sent = models.DateTimeField(auto_now_add=True)
- date_read = models.DateTimeField(blank=True, null=True)
-
- class Meta:
- ordering = ('-date_sent',)
- abstract = True
-
- def __unicode__(self):
- return self.subject
-
- def archive(self):
- self.location = self.ARCHIVE
- self.save()
- archive.alters_data = True
-
- @property
- def is_read(self):
- return self.date_read is not None
-
-
- class AbstractProductAlert(models.Model):
- """
- An alert for when a product comes back in stock
- """
- product = models.ForeignKey('catalogue.Product')
-
- # A user is only required if the notification is created by a
- # registered user, anonymous users will only have an email address
- # attached to the notification
- user = models.ForeignKey(AUTH_USER_MODEL, db_index=True, blank=True, null=True,
- related_name="alerts", verbose_name=_('User'))
- email = models.EmailField(_("Email"), db_index=True, blank=True, null=True)
-
- # This key are used to confirm and cancel alerts for anon users
- key = models.CharField(_("Key"), max_length=128, null=True, db_index=True)
-
- # An alert can have two different statuses for authenticated
- # users ``ACTIVE`` and ``INACTIVE`` and anonymous users have an
- # additional status ``UNCONFIRMED``. For anonymous users a confirmation
- # and unsubscription key are generated when an instance is saved for
- # the first time and can be used to confirm and unsubscribe the
- # notifications.
- UNCONFIRMED, ACTIVE, CANCELLED, CLOSED = (
- 'Unconfirmed', 'Active', 'Cancelled', 'Closed')
- STATUS_CHOICES = (
- (UNCONFIRMED, _('Not yet confirmed')),
- (ACTIVE, _('Active')),
- (CANCELLED, _('Cancelled')),
- (CLOSED, _('Closed')),
- )
- status = models.CharField(_("Status"), max_length=20,
- choices=STATUS_CHOICES, default=ACTIVE)
-
- date_created = models.DateTimeField(_("Date created"), auto_now_add=True)
- date_confirmed = models.DateTimeField(_("Date confirmed"), blank=True,
- null=True)
- date_cancelled = models.DateTimeField(_("Date cancelled"), blank=True,
- null=True)
- date_closed = models.DateTimeField(_("Date closed"), blank=True, null=True)
-
- class Meta:
- abstract = True
-
- @property
- def is_anonymous(self):
- return self.user is None
-
- @property
- def can_be_confirmed(self):
- return self.status == self.UNCONFIRMED
-
- @property
- def can_be_cancelled(self):
- return self.status == self.ACTIVE
-
- @property
- def is_cancelled(self):
- return self.status == self.CANCELLED
-
- @property
- def is_active(self):
- return self.status == self.ACTIVE
-
- def confirm(self):
- self.status = self.ACTIVE
- self.date_confirmed = timezone.now()
- self.save()
- confirm.alters_data = True
-
- def cancel(self):
- self.status = self.CANCELLED
- self.date_cancelled = timezone.now()
- self.save()
- cancel.alters_data = True
-
- def close(self):
- self.status = self.CLOSED
- self.date_closed = timezone.now()
- self.save()
- close.alters_data = True
-
- def get_email_address(self):
- if self.user:
- return self.user.email
- else:
- return self.email
-
- def save(self, *args, **kwargs):
- if not self.id and not self.user:
- self.key = self.get_random_key()
- self.status = self.UNCONFIRMED
- # Ensure date fields get updated when saving from modelform (which just
- # calls save, and doesn't call the methods cancel(), confirm() etc).
- if self.status == self.CANCELLED and self.date_cancelled is None:
- self.date_cancelled = timezone.now()
- if not self.user and self.status == self.ACTIVE and self.date_confirmed is None:
- self.date_confirmed = timezone.now()
- if self.status == self.CLOSED and self.date_closed is None:
- self.date_closed = timezone.now()
-
- return super(AbstractProductAlert, self).save(*args, **kwargs)
-
- def get_random_key(self):
- """
- Get a random generated key based on SHA-1 and email address
- """
- salt = hashlib.sha1(str(random.random())).hexdigest()
- return hashlib.sha1(salt + self.email).hexdigest()
-
- def get_confirm_url(self):
- return reverse('customer:alerts-confirm', kwargs={'key': self.key})
-
- def get_cancel_url(self):
- return reverse('customer:alerts-cancel', kwargs={'key': self.key})
|