dynamicweb/membership/models.py

299 lines
11 KiB
Python
Raw Normal View History

2016-04-23 19:00:20 +02:00
from datetime import datetime
from django.conf import settings
2016-03-07 17:49:02 +01:00
from django.contrib.auth.hashers import make_password
from django.contrib.auth.models import AbstractBaseUser, BaseUserManager, \
PermissionsMixin
2016-04-23 19:00:20 +02:00
from django.contrib.sites.models import Site
from django.core.urlresolvers import reverse
from django.core.validators import RegexValidator
from django.db import models
from django.utils.crypto import get_random_string
from django.utils.translation import ugettext_lazy as _
2016-05-01 14:13:12 +02:00
from utils.mailer import BaseEmail
from utils.mailer import DigitalGlarusRegistrationMailer
from utils.stripe_utils import StripeUtils
2016-03-03 22:55:23 +01:00
2016-03-07 17:49:02 +01:00
REGISTRATION_MESSAGE = {'subject': "Validation mail",
'message': 'Please validate Your account under this link '
'http://localhost:8000/en-us/digitalglarus/login/validate/{}',
2016-03-07 17:49:02 +01:00
'from': 'test@test.com'}
2017-08-03 00:24:16 +03:00
def get_anonymous_user_instance(CustomUser):
return CustomUser(name='Anonymous', email='anonymous@ungleich.ch',
validation_slug=make_password(None))
2016-06-26 14:50:48 -05:00
2016-03-07 17:49:02 +01:00
class MyUserManager(BaseUserManager):
def create_user(self, email, name, password=None):
"""
2016-03-16 00:26:49 +01:00
Creates and saves a User with the given email,name and password.
2016-03-07 17:49:02 +01:00
"""
if not email:
raise ValueError('Users must have an email address')
user = self.model(
email=self.normalize_email(email),
2016-03-16 15:10:48 +01:00
name=name,
validation_slug=make_password(None)
2016-03-07 17:49:02 +01:00
)
2016-05-02 02:00:38 +02:00
user.is_admin = False
2016-03-19 21:28:58 +01:00
user.set_password(password)
2016-03-07 17:49:02 +01:00
user.save(using=self._db)
return user
def create_superuser(self, email, name, password):
"""
2016-03-16 00:26:49 +01:00
Creates and saves a superuser with the given email, name and password.
2016-03-07 17:49:02 +01:00
"""
user = self.create_user(email,
password=password,
2016-03-16 15:10:48 +01:00
name=name,
2016-03-07 17:49:02 +01:00
)
user.is_admin = True
user.is_active = True
user.is_superuser = True
2016-03-07 17:49:02 +01:00
user.save(using=self._db)
return user
2018-02-13 02:37:03 +01:00
def get_validation_slug():
return make_password(None)
class CustomUser(AbstractBaseUser, PermissionsMixin):
2016-03-07 17:49:02 +01:00
VALIDATED_CHOICES = ((0, 'Not validated'), (1, 'Validated'))
2016-04-23 19:00:20 +02:00
site = models.ForeignKey(Site, default=1)
2016-03-07 17:49:02 +01:00
name = models.CharField(max_length=50)
email = models.EmailField(unique=True)
validated = models.IntegerField(choices=VALIDATED_CHOICES, default=0)
2018-02-13 02:37:03 +01:00
# By default, we initialize the validation_slug with appropriate value
# This is required for User(page) admin
validation_slug = models.CharField(
db_index=True, unique=True, max_length=50,
default=get_validation_slug
)
2016-05-02 02:00:38 +02:00
is_admin = models.BooleanField(
2016-03-16 15:10:48 +01:00
_('staff status'),
default=False,
help_text=_(
'Designates whether the user can log into this admin site.'),
2016-03-16 15:10:48 +01:00
)
import_stripe_bill_remark = models.TextField(
default="",
help_text="Indicates any issues while importing stripe bills"
)
2016-03-07 17:49:02 +01:00
objects = MyUserManager()
USERNAME_FIELD = "email"
REQUIRED_FIELDS = ['name', 'password']
2016-03-07 17:49:02 +01:00
@classmethod
def register(cls, name, password, email, app='digital_glarus',
2017-09-22 12:01:09 +02:00
base_url=None, send_email=True, account_details=None):
2016-03-07 17:49:02 +01:00
user = cls.objects.filter(email=email).first()
if not user:
user = cls.objects.create_user(name=name, email=email,
password=password)
2016-03-07 17:49:02 +01:00
if user:
if app == 'digital_glarus':
dg = DigitalGlarusRegistrationMailer(user.validation_slug)
dg.send_mail(to=user.email)
elif app == 'dcl':
dcl_text = settings.DCL_TEXT
user.is_active = False
if send_email is True:
email_data = {
'subject': '{dcl_text} {account_activation}'.format(
dcl_text=dcl_text,
account_activation=_('Account Activation')
),
'from_address': settings.DCL_SUPPORT_FROM_ADDRESS,
'to': user.email,
2017-06-29 19:23:25 +03:00
'context': {'base_url': base_url,
'activation_link': reverse(
'hosting:validate',
kwargs={
'validate_slug': user.validation_slug}),
2017-06-29 19:23:25 +03:00
'dcl_text': dcl_text
},
'template_name': 'user_activation',
'template_path': 'datacenterlight/emails/'
}
2017-09-22 12:01:09 +02:00
if account_details:
email_data['context'][
'account_details'] = account_details
email = BaseEmail(**email_data)
email.send()
2016-03-07 17:49:02 +01:00
return user
else:
return None
else:
return None
@classmethod
def get_all_members(cls):
return cls.objects.filter(
stripecustomer__membershiporder__isnull=False)
2016-03-07 17:49:02 +01:00
@classmethod
def validate_url(cls, validation_slug):
user = cls.objects.filter(validation_slug=validation_slug).first()
if user:
user.validated = 1
2016-03-16 15:10:48 +01:00
user.save()
2016-03-07 17:49:02 +01:00
return True
return False
@classmethod
def get_random_password(cls):
return get_random_string(24)
2016-03-07 18:39:24 +01:00
def is_superuser(self):
2016-03-16 15:10:48 +01:00
return False
2016-03-07 17:49:02 +01:00
def get_full_name(self):
# The user is identified by their email address
return self.email
def get_short_name(self):
# The user is identified by their email address
return self.email
def __str__(self): # __unicode__ on Python 2
return self.email
# def has_perm(self, perm, obj=None):
# "Does the user have a specific permission?"
# # Simplest possible answer: Yes, always
# return self.is_admin
2016-03-07 17:49:02 +01:00
def has_module_perms(self, app_label):
"Does the user have permissions to view the app `app_label`?"
# Simplest possible answer: Yes, always
2016-05-02 02:00:38 +02:00
return self.is_admin
2016-03-07 17:49:02 +01:00
@property
def is_staff(self):
"Is the user a member of staff?"
# Simplest possible answer: All admins are staff
return self.is_admin
@is_staff.setter
def is_staff(self, value):
self._is_staff = value
2016-03-11 19:42:45 +01:00
class StripeCustomer(models.Model):
user = models.OneToOneField(CustomUser)
stripe_id = models.CharField(unique=True, max_length=100)
def __str__(self):
return "%s - %s" % (self.stripe_id, self.user.email)
@classmethod
2017-09-22 12:01:09 +02:00
def create_stripe_api_customer(cls, email=None, token=None,
customer_name=None):
"""
This method creates a Stripe API customer with the given
2017-09-28 14:49:17 +02:00
email, token and customer_name. This is different from
get_or_create method below in that it does not create a
CustomUser and associate the customer created in stripe
with it, while get_or_create does that before creating the
stripe user.
"""
stripe_utils = StripeUtils()
stripe_data = stripe_utils.create_customer(token, email, customer_name)
if stripe_data.get('response_object'):
stripe_cus_id = stripe_data.get('response_object').get('id')
return stripe_cus_id
else:
return None
@classmethod
def get_or_create(cls, email=None, token=None):
"""
Check if there is a registered stripe customer with that email
or create a new one
"""
try:
2016-05-01 14:13:12 +02:00
stripe_utils = StripeUtils()
stripe_customer = cls.objects.get(user__email=email)
2016-05-02 02:00:38 +02:00
# check if user is not in stripe but in database
2016-12-19 09:33:15 -05:00
customer = stripe_utils.check_customer(stripe_customer.stripe_id,
stripe_customer.user, token)
if "deleted" in customer and customer["deleted"]:
raise StripeCustomer.DoesNotExist()
return stripe_customer
except StripeCustomer.DoesNotExist:
user = CustomUser.objects.get(email=email)
stripe_utils = StripeUtils()
stripe_data = stripe_utils.create_customer(token, email, user.name)
if stripe_data.get('response_object'):
stripe_cus_id = stripe_data.get('response_object').get('id')
if hasattr(user, 'stripecustomer'):
# User already had a Stripe account and we are here
# because the account was deleted in dashboard
# So, we simply update the stripe_id
user.stripecustomer.stripe_id = stripe_cus_id
user.stripecustomer.save()
stripe_customer = user.stripecustomer
else:
# The user never had an associated Stripe account
# So, create one
stripe_customer = StripeCustomer.objects.create(
user=user, stripe_id=stripe_cus_id
)
return stripe_customer
else:
return None
2016-03-11 19:42:45 +01:00
class CreditCards(models.Model):
name = models.CharField(max_length=50)
user_id = models.ForeignKey(CustomUser, on_delete=models.CASCADE)
card_number = models.CharField(max_length=50)
expiry_date = models.CharField(max_length=50, validators=[
RegexValidator(r'\d{2}\/\d{4}', _(
'Use this pattern(MM/YYYY).'))])
ccv = models.CharField(max_length=4, validators=[
RegexValidator(r'\d{3,4}', _('Wrong CCV number.'))])
2016-04-23 19:00:20 +02:00
payment_type = models.CharField(max_length=5, default='N')
2016-05-01 14:13:12 +02:00
def save(self, *args, **kwargs):
# override saving to database
pass
2016-04-23 19:00:20 +02:00
2019-05-06 08:07:26 +02:00
class DeletedUser(models.Model):
user_id = models.PositiveIntegerField()
# why 254 ? => to be consistent with legacy code
name = models.CharField(max_length=254)
email = models.EmailField(unique=True, max_length=254)
deleted_at = models.DateTimeField(auto_now_add=True)
2016-04-23 19:00:20 +02:00
class Calendar(models.Model):
datebooked = models.DateField()
user = models.ForeignKey(CustomUser)
def __init__(self, *args, **kwargs):
if kwargs.get('datebooked'):
user = kwargs.get('user')
kwargs['datebooked'] = datetime.strptime(
kwargs.get('datebooked', ''), '%d,%m,%Y')
2016-04-23 19:00:20 +02:00
self.user_id = user.id
super(Calendar, self).__init__(*args, **kwargs)
@classmethod
2016-05-01 14:13:12 +02:00
def add_dates(cls, dates, user):
2016-04-23 19:00:20 +02:00
old_dates = Calendar.objects.filter(user_id=user.id)
if old_dates:
old_dates.delete()
for date in dates:
2016-05-01 14:13:12 +02:00
Calendar.objects.create(datebooked=date, user=user)