8
0
Fork 0
mirror of https://gitlab.federez.net/re2o/re2o synced 2024-05-31 23:12:40 +00:00
re2o/cotisations/models.py

850 lines
29 KiB
Python
Raw Normal View History

# -*- mode: python; coding: utf-8 -*-
2017-01-15 23:01:18 +00:00
# Re2o est un logiciel d'administration développé initiallement au rezometz. Il
# se veut agnostique au réseau considéré, de manière à être installable en
# quelques clics.
#
# Copyright © 2017 Gabriel Détraz
# Copyright © 2017 Goulven Kermarec
# Copyright © 2017 Augustin Lemesle
# Copyright © 2018 Hugo Levy-Falk
2017-01-15 23:01:18 +00:00
#
# This program is free software; you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation; either version 2 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License along
# with this program; if not, write to the Free Software Foundation, Inc.,
# 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA.
2017-10-13 21:15:07 +00:00
"""
The database models for the 'cotisation' app of re2o.
The goal is to keep the main actions here, i.e. the 'clean' and 'save'
function are higly reposnsible for the changes, checking the coherence of the
data and the good behaviour in general for not breaking the database.
2017-10-13 21:15:07 +00:00
For further details on each of those models, see the documentation details for
each.
2017-10-13 21:15:07 +00:00
"""
2017-01-15 23:01:18 +00:00
from __future__ import unicode_literals
2017-10-13 21:15:07 +00:00
from dateutil.relativedelta import relativedelta
2016-07-02 13:58:50 +00:00
from django.db import models
2018-04-14 13:39:51 +00:00
from django.db.models import Q, Max
2016-07-25 22:13:38 +00:00
from django.db.models.signals import post_save, post_delete
from django.dispatch import receiver
2017-06-26 17:23:01 +00:00
from django.forms import ValidationError
from django.core.validators import MinValueValidator
from django.utils import timezone
from django.utils.translation import ugettext as _
from django.utils.translation import ugettext_lazy as _l
from django.urls import reverse
from django.shortcuts import redirect
from django.contrib import messages
2018-04-14 13:39:51 +00:00
from machines.models import regen
from re2o.field_permissions import FieldPermissionModelMixin
from re2o.mixins import AclMixin, RevMixin
from cotisations.utils import find_payment_method
from cotisations.validators import check_no_balance
2018-07-21 22:16:05 +00:00
class BaseInvoice(RevMixin, AclMixin, FieldPermissionModelMixin, models.Model):
date = models.DateTimeField(
auto_now_add=True,
verbose_name=_l("Date")
)
# TODO : change prix to price
def prix(self):
"""
Returns: the raw price without the quantities.
Deprecated, use :total_price instead.
"""
price = Vente.objects.filter(
facture=self
).aggregate(models.Sum('prix'))['prix__sum']
return price
# TODO : change prix to price
def prix_total(self):
"""
Returns: the total price for an invoice. Sum all the articles' prices
and take the quantities into account.
"""
# TODO : change Vente to somethingelse
return Vente.objects.filter(
facture=self
).aggregate(
total=models.Sum(
models.F('prix')*models.F('number'),
output_field=models.FloatField()
)
)['total'] or 0
def name(self):
"""
Returns : a string with the name of all the articles in the invoice.
Used for reprensenting the invoice with a string.
"""
name = ' - '.join(Vente.objects.filter(
facture=self
).values_list('name', flat=True))
return name
# TODO : change facture to invoice
2018-07-21 22:16:05 +00:00
class Facture(BaseInvoice):
"""
The model for an invoice. It reprensents the fact that a user paid for
something (it can be multiple article paid at once).
2018-04-13 18:58:29 +00:00
An invoice is linked to :
* one or more purchases (one for each article sold that time)
* a user (the one who bought those articles)
* a payment method (the one used by the user)
* (if applicable) a bank
* (if applicable) a cheque number.
Every invoice is dated throught the 'date' value.
An invoice has a 'controlled' value (default : False) which means that
someone with high enough rights has controlled that invoice and taken it
into account. It also has a 'valid' value (default : True) which means
that someone with high enough rights has decided that this invoice was not
valid (thus it's like the user never paid for his articles). It may be
necessary in case of non-payment.
"""
2016-07-02 13:58:50 +00:00
user = models.ForeignKey('users.User', on_delete=models.PROTECT)
# TODO : change paiement to payment
2016-07-02 13:58:50 +00:00
paiement = models.ForeignKey('Paiement', on_delete=models.PROTECT)
# TODO : change banque to bank
2017-10-13 02:07:56 +00:00
banque = models.ForeignKey(
2017-10-13 21:15:07 +00:00
'Banque',
on_delete=models.PROTECT,
blank=True,
null=True
)
# TODO : maybe change to cheque nummber because not evident
cheque = models.CharField(
max_length=255,
blank=True,
verbose_name=_l("Cheque number")
)
# TODO : change name to validity for clarity
valid = models.BooleanField(
default=True,
verbose_name=_l("Validated")
)
# TODO : changed name to controlled for clarity
control = models.BooleanField(
default=False,
verbose_name=_l("Controlled")
)
class Meta:
abstract = False
permissions = (
# TODO : change facture to invoice
2018-04-13 18:58:29 +00:00
('change_facture_control',
2018-04-14 13:39:51 +00:00
_l("Can change the \"controlled\" state")),
2018-04-13 18:58:29 +00:00
('view_facture',
2018-04-14 13:39:51 +00:00
_l("Can see an invoice's details")),
2018-04-13 18:58:29 +00:00
('change_all_facture',
2018-04-14 13:39:51 +00:00
_l("Can edit all the previous invoices")),
)
verbose_name = _l("Invoice")
verbose_name_plural = _l("Invoices")
2018-04-02 01:52:15 +00:00
def linked_objects(self):
"""Return linked objects : machine and domain.
Usefull in history display"""
return self.vente_set.all()
def can_edit(self, user_request, *args, **kwargs):
2017-12-31 19:13:41 +00:00
if not user_request.has_perm('cotisations.change_facture'):
return False, _("You don't have the right to edit an invoice.")
2018-04-13 18:58:29 +00:00
elif not user_request.has_perm('cotisations.change_all_facture') and \
not self.user.can_edit(user_request, *args, **kwargs)[0]:
return False, _("You don't have the right to edit this user's "
"invoices.")
elif not user_request.has_perm('cotisations.change_all_facture') and \
(self.control or not self.valid):
return False, _("You don't have the right to edit an invoice "
"already controlled or invalidated.")
else:
return True, None
def can_delete(self, user_request, *args, **kwargs):
2017-12-31 19:13:41 +00:00
if not user_request.has_perm('cotisations.delete_facture'):
return False, _("You don't have the right to delete an invoice.")
if not self.user.can_edit(user_request, *args, **kwargs)[0]:
2018-04-13 18:58:29 +00:00
return False, _("You don't have the right to delete this user's "
"invoices.")
if self.control or not self.valid:
2018-04-13 18:58:29 +00:00
return False, _("You don't have the right to delete an invoice "
"already controlled or invalidated.")
else:
return True, None
2018-04-14 13:39:51 +00:00
def can_view(self, user_request, *_args, **_kwargs):
2018-04-13 18:58:29 +00:00
if not user_request.has_perm('cotisations.view_facture') and \
self.user != user_request:
return False, _("You don't have the right to see someone else's "
"invoices history.")
2017-12-27 20:09:00 +00:00
elif not self.valid:
return False, _("The invoice has been invalidated.")
else:
return True, None
2017-12-29 18:43:44 +00:00
@staticmethod
2018-04-14 13:39:51 +00:00
def can_change_control(user_request, *_args, **_kwargs):
""" Returns True if the user can change the 'controlled' status of
this invoice """
2018-04-13 18:58:29 +00:00
return (
user_request.has_perm('cotisations.change_facture_control'),
_("You don't have the right to edit the \"controlled\" state.")
)
2017-12-27 20:09:00 +00:00
@staticmethod
def can_create(user_request, *_args, **_kwargs):
2018-07-03 11:58:10 +00:00
"""Check if a user can create an invoice.
:param user_request: The user who wants to create an invoice.
:return: a message and a boolean which is True if the user can create
an invoice or if the `options.allow_self_subscription` is set.
"""
if user_request.has_perm('cotisations.add_facture'):
return True, None
if len(Paiement.find_allowed_payments(user_request)) <= 0:
return False, _("There are no payment types which you can use.")
2018-07-15 18:43:20 +00:00
if len(Article.find_allowed_articles(user_request)) <= 0:
return False, _("There are no article that you can buy.")
2018-07-15 18:43:20 +00:00
return True, None
def __init__(self, *args, **kwargs):
super(Facture, self).__init__(*args, **kwargs)
self.field_permissions = {
2018-04-13 18:58:29 +00:00
'control': self.can_change_control,
}
def __str__(self):
2017-01-08 12:41:01 +00:00
return str(self.user) + ' ' + str(self.date)
2017-10-13 02:07:56 +00:00
2016-07-25 22:13:38 +00:00
@receiver(post_save, sender=Facture)
2018-04-15 01:00:05 +00:00
def facture_post_save(**kwargs):
"""
Synchronise the LDAP user after an invoice has been saved.
"""
2016-07-25 22:13:38 +00:00
facture = kwargs['instance']
user = facture.user
2016-11-20 15:53:59 +00:00
user.ldap_sync(base=False, access_refresh=True, mac_refresh=False)
2016-07-25 22:13:38 +00:00
2017-10-13 02:07:56 +00:00
2016-07-25 22:13:38 +00:00
@receiver(post_delete, sender=Facture)
2018-04-15 01:00:05 +00:00
def facture_post_delete(**kwargs):
"""
Synchronise the LDAP user after an invoice has been deleted.
"""
2016-07-25 22:13:38 +00:00
user = kwargs['instance'].user
2016-11-20 15:53:59 +00:00
user.ldap_sync(base=False, access_refresh=True, mac_refresh=False)
2016-07-25 22:13:38 +00:00
2017-10-13 02:07:56 +00:00
2018-07-21 22:16:05 +00:00
class CustomInvoice(BaseInvoice):
class Meta:
permissions = (
2018-07-26 08:11:53 +00:00
('view_custominvoice', _l("Can view a custom invoice")),
2018-07-21 22:16:05 +00:00
)
recipient = models.CharField(
max_length=255,
verbose_name=_l("Recipient")
)
payment = models.CharField(
max_length=255,
verbose_name=_l("Payment type")
)
address = models.CharField(
max_length=255,
verbose_name=_l("Address")
)
paid = models.BooleanField(
verbose_name="Paid"
)
# TODO : change Vente to Purchase
class Vente(RevMixin, AclMixin, models.Model):
"""
The model defining a purchase. It consist of one type of article being
sold. In particular there may be multiple purchases in a single invoice.
2018-04-13 18:58:29 +00:00
It's reprensentated by:
* an amount (the number of items sold)
* an invoice (whose the purchase is part of)
* an article
* (if applicable) a cotisation (which holds some informations about
the effect of the purchase on the time agreed for this user)
"""
# TODO : change this to English
COTISATION_TYPE = (
('Connexion', _l("Connexion")),
('Adhesion', _l("Membership")),
('All', _l("Both of them")),
)
# TODO : change facture to invoice
facture = models.ForeignKey(
2018-07-21 22:16:05 +00:00
'BaseInvoice',
on_delete=models.CASCADE,
verbose_name=_l("Invoice")
)
# TODO : change number to amount for clarity
number = models.IntegerField(
validators=[MinValueValidator(1)],
verbose_name=_l("Amount")
)
# TODO : change this field for a ForeinKey to Article
name = models.CharField(
max_length=255,
verbose_name=_l("Article")
)
# TODO : change prix to price
# TODO : this field is not needed if you use Article ForeignKey
prix = models.DecimalField(
max_digits=5,
decimal_places=2,
verbose_name=_l("Price"))
# TODO : this field is not needed if you use Article ForeignKey
duration = models.PositiveIntegerField(
2017-10-13 21:15:07 +00:00
blank=True,
null=True,
verbose_name=_l("Duration (in whole month)")
)
# TODO : this field is not needed if you use Article ForeignKey
type_cotisation = models.CharField(
choices=COTISATION_TYPE,
blank=True,
null=True,
max_length=255,
verbose_name=_l("Type of cotisation")
)
2016-07-02 13:58:50 +00:00
class Meta:
permissions = (
('view_vente', _l("Can see a purchase's details")),
('change_all_vente', _l("Can edit all the previous purchases")),
)
verbose_name = _l("Purchase")
verbose_name_plural = _l("Purchases")
# TODO : change prix_total to total_price
def prix_total(self):
"""
Returns: the total of price for this amount of items.
"""
return self.prix*self.number
def update_cotisation(self):
"""
Update the related object 'cotisation' if there is one. Based on the
duration of the purchase.
"""
if hasattr(self, 'cotisation'):
cotisation = self.cotisation
2017-10-13 02:07:56 +00:00
cotisation.date_end = cotisation.date_start + relativedelta(
2017-10-13 21:15:07 +00:00
months=self.duration*self.number)
return
def create_cotis(self, date_start=False):
"""
Update and create a 'cotisation' related object if there is a
cotisation_type defined (which means the article sold represents
a cotisation)
"""
2018-07-21 22:16:05 +00:00
try:
invoice = self.facture.facture
except Facture.DoesNotExist:
return
if not hasattr(self, 'cotisation') and self.type_cotisation:
2017-10-13 02:07:56 +00:00
cotisation = Cotisation(vente=self)
cotisation.type_cotisation = self.type_cotisation
if date_start:
2017-10-29 17:48:30 +00:00
end_cotisation = Cotisation.objects.filter(
2017-10-13 21:15:07 +00:00
vente__in=Vente.objects.filter(
facture__in=Facture.objects.filter(
2018-07-21 22:16:05 +00:00
user=invoice.user
2017-10-13 21:15:07 +00:00
).exclude(valid=False))
).filter(
Q(type_cotisation='All') |
Q(type_cotisation=self.type_cotisation)
).filter(
date_start__lt=date_start
).aggregate(Max('date_end'))['date_end__max']
2018-04-13 18:58:29 +00:00
elif self.type_cotisation == "Adhesion":
2018-07-21 22:16:05 +00:00
end_cotisation = invoice.user.end_adhesion()
else:
2018-07-21 22:16:05 +00:00
end_cotisation = invoice.user.end_connexion()
date_start = date_start or timezone.now()
end_cotisation = end_cotisation or date_start
date_max = max(end_cotisation, date_start)
cotisation.date_start = date_max
2017-10-13 02:07:56 +00:00
cotisation.date_end = cotisation.date_start + relativedelta(
2017-10-13 21:15:07 +00:00
months=self.duration*self.number
)
return
def save(self, *args, **kwargs):
"""
Save a purchase object and check if all the fields are coherents
It also update the associated cotisation in the changes have some
effect on the user's cotisation
"""
# Checking that if a cotisation is specified, there is also a duration
if self.type_cotisation and not self.duration:
raise ValidationError(
_("A cotisation should always have a duration.")
)
self.update_cotisation()
super(Vente, self).save(*args, **kwargs)
def can_edit(self, user_request, *args, **kwargs):
2017-12-31 19:13:41 +00:00
if not user_request.has_perm('cotisations.change_vente'):
return False, _("You don't have the right to edit the purchases.")
2018-04-14 13:39:51 +00:00
elif (not user_request.has_perm('cotisations.change_all_facture') and
not self.facture.user.can_edit(
user_request, *args, **kwargs
)[0]):
2018-04-13 18:58:29 +00:00
return False, _("You don't have the right to edit this user's "
"purchases.")
2018-04-14 13:39:51 +00:00
elif (not user_request.has_perm('cotisations.change_all_vente') and
(self.facture.control or not self.facture.valid)):
2018-04-13 18:58:29 +00:00
return False, _("You don't have the right to edit a purchase "
"already controlled or invalidated.")
2017-12-27 20:09:00 +00:00
else:
return True, None
def can_delete(self, user_request, *args, **kwargs):
2017-12-31 19:13:41 +00:00
if not user_request.has_perm('cotisations.delete_vente'):
return False, _("You don't have the right to delete a purchase.")
if not self.facture.user.can_edit(user_request, *args, **kwargs)[0]:
2018-04-13 18:58:29 +00:00
return False, _("You don't have the right to delete this user's "
"purchases.")
2017-12-27 20:09:00 +00:00
if self.facture.control or not self.facture.valid:
2018-04-13 18:58:29 +00:00
return False, _("You don't have the right to delete a purchase "
"already controlled or invalidated.")
2017-12-27 20:09:00 +00:00
else:
return True, None
2018-04-14 13:39:51 +00:00
def can_view(self, user_request, *_args, **_kwargs):
if (not user_request.has_perm('cotisations.view_vente') and
self.facture.user != user_request):
2018-04-13 18:58:29 +00:00
return False, _("You don't have the right to see someone "
"else's purchase history.")
2017-12-27 20:09:00 +00:00
else:
return True, None
2016-07-02 13:58:50 +00:00
def __str__(self):
return str(self.name) + ' ' + str(self.facture)
2016-07-02 13:58:50 +00:00
2017-10-13 02:07:56 +00:00
# TODO : change vente to purchase
2016-07-25 22:13:38 +00:00
@receiver(post_save, sender=Vente)
2018-04-15 01:00:05 +00:00
def vente_post_save(**kwargs):
"""
Creates a 'cotisation' related object if needed and synchronise the
LDAP user when a purchase has been saved.
"""
purchase = kwargs['instance']
2018-07-21 22:16:05 +00:00
try:
purchase.facture.facture
except Facture.DoesNotExist:
return
2018-04-11 09:30:46 +00:00
if hasattr(purchase, 'cotisation'):
purchase.cotisation.vente = purchase
purchase.cotisation.save()
if purchase.type_cotisation:
purchase.create_cotis()
purchase.cotisation.save()
user = purchase.facture.user
2016-11-20 15:53:59 +00:00
user.ldap_sync(base=False, access_refresh=True, mac_refresh=False)
2016-07-25 22:13:38 +00:00
2017-10-13 02:07:56 +00:00
# TODO : change vente to purchase
2016-07-25 22:13:38 +00:00
@receiver(post_delete, sender=Vente)
2018-04-15 01:00:05 +00:00
def vente_post_delete(**kwargs):
"""
Synchronise the LDAP user after a purchase has been deleted.
"""
purchase = kwargs['instance']
2018-07-21 22:16:05 +00:00
try:
invoice = purchase.facture.facture
except Facture.DoesNotExist:
return
if purchase.type_cotisation:
2018-07-21 22:16:05 +00:00
user = invoice.user
2016-11-20 15:53:59 +00:00
user.ldap_sync(base=False, access_refresh=True, mac_refresh=False)
2016-07-25 22:13:38 +00:00
2017-10-13 02:07:56 +00:00
class Article(RevMixin, AclMixin, models.Model):
"""
2018-04-13 18:58:29 +00:00
The definition of an article model. It represents a type of object
that can be sold to the user.
It's represented by:
* a name
* a price
2018-04-13 18:58:29 +00:00
* a cotisation type (indicating if this article reprensents a
cotisation or not)
* a duration (if it is a cotisation)
* a type of user (indicating what kind of user can buy this article)
"""
# TODO : Either use TYPE or TYPES in both choices but not both
USER_TYPES = (
('Adherent', _l("Member")),
('Club', _l("Club")),
('All', _l("Both of them")),
)
COTISATION_TYPE = (
('Connexion', _l("Connexion")),
('Adhesion', _l("Membership")),
('All', _l("Both of them")),
)
name = models.CharField(
max_length=255,
verbose_name=_l("Designation")
)
# TODO : change prix to price
prix = models.DecimalField(
max_digits=5,
decimal_places=2,
verbose_name=_l("Unitary price")
)
duration = models.PositiveIntegerField(
2017-07-18 21:57:57 +00:00
blank=True,
null=True,
validators=[MinValueValidator(0)],
verbose_name=_l("Duration (in whole month)")
)
type_user = models.CharField(
choices=USER_TYPES,
default='All',
max_length=255,
verbose_name=_l("Type of users concerned")
)
type_cotisation = models.CharField(
choices=COTISATION_TYPE,
default=None,
blank=True,
null=True,
max_length=255,
verbose_name=_l("Type of cotisation")
)
2018-07-03 16:53:44 +00:00
available_for_everyone = models.BooleanField(
default=False,
2018-07-03 16:53:44 +00:00
verbose_name=_l("Is available for every user")
)
2017-06-26 17:23:01 +00:00
2017-10-29 10:57:18 +00:00
unique_together = ('name', 'type_user')
class Meta:
permissions = (
('view_article', _l("Can see an article's details")),
2018-07-03 16:53:44 +00:00
('buy_every_article', _l("Can buy every_article"))
)
verbose_name = "Article"
verbose_name_plural = "Articles"
2017-06-26 17:23:01 +00:00
def clean(self):
if self.name.lower() == 'solde':
raise ValidationError(
_("Solde is a reserved article name")
)
if self.type_cotisation and not self.duration:
raise ValidationError(
_("Duration must be specified for a cotisation")
)
2017-06-26 17:23:01 +00:00
2016-07-02 13:58:50 +00:00
def __str__(self):
return self.name
2018-07-03 16:53:44 +00:00
def can_buy_article(self, user, *_args, **_kwargs):
"""Check if a user can buy this article.
Args:
self: The article
user: The user requesting buying
Returns:
A boolean stating if usage is granted and an explanation
2018-07-03 16:53:44 +00:00
message if the boolean is `False`.
"""
return (
self.available_for_everyone
or user.has_perm('cotisations.buy_every_article')
or user.has_perm('cotisations.add_facture'),
2018-07-13 11:29:07 +00:00
_("You cannot buy this Article.")
2018-07-03 16:53:44 +00:00
)
@classmethod
def find_allowed_articles(cls, user):
"""Finds every allowed articles for an user.
Args:
user: The user requesting articles.
"""
if user.has_perm('cotisations.buy_every_article'):
return cls.objects.all()
return cls.objects.filter(available_for_everyone=True)
2018-07-03 16:53:44 +00:00
2017-10-13 02:07:56 +00:00
class Banque(RevMixin, AclMixin, models.Model):
"""
The model defining a bank. It represents a user's bank. It's mainly used
for statistics by regrouping the user under their bank's name and avoid
the use of a simple name which leads (by experience) to duplicates that
only differs by a capital letter, a space, a misspelling, ... That's why
it's easier to use simple object for the banks.
"""
name = models.CharField(
max_length=255,
verbose_name=_l("Name")
)
2016-07-02 13:58:50 +00:00
class Meta:
permissions = (
('view_banque', _l("Can see a bank's details")),
)
2018-04-13 18:58:29 +00:00
verbose_name = _l("Bank")
verbose_name_plural = _l("Banks")
2016-07-02 13:58:50 +00:00
def __str__(self):
return self.name
2017-10-13 02:07:56 +00:00
# TODO : change Paiement to Payment
class Paiement(RevMixin, AclMixin, models.Model):
"""
The model defining a payment method. It is how the user is paying for the
invoice. It's easier to know this information when doing the accouts.
It is represented by:
* a name
"""
2018-04-13 18:58:29 +00:00
# TODO : change moyen to method
moyen = models.CharField(
max_length=255,
verbose_name=_l("Method")
)
2018-07-03 16:53:44 +00:00
available_for_everyone = models.BooleanField(
default=False,
2018-07-03 16:53:44 +00:00
verbose_name=_l("Is available for every user")
)
2018-07-05 13:21:51 +00:00
is_balance = models.BooleanField(
default=False,
editable=False,
verbose_name=_l("Is user balance"),
help_text=_l("There should be only one balance payment method."),
validators=[check_no_balance]
)
2016-07-02 13:58:50 +00:00
class Meta:
permissions = (
('view_paiement', _l("Can see a payement's details")),
2018-07-03 16:53:44 +00:00
('use_every_payment', _l("Can use every payement")),
)
verbose_name = _l("Payment method")
verbose_name_plural = _l("Payment methods")
2016-07-02 13:58:50 +00:00
def __str__(self):
return self.moyen
2017-06-26 17:23:01 +00:00
def clean(self):
"""
Override of the herited clean function to get a correct name
"""
2017-06-26 17:23:01 +00:00
self.moyen = self.moyen.title()
def end_payment(self, invoice, request, use_payment_method=True):
"""
The general way of ending a payment.
Args:
invoice: The invoice being created.
request: Request sent by the user.
use_payment_method: If this flag is set to True and`self` has
an attribute `payment_method`, returns the result of
`self.payment_method.end_payment(invoice, request)`
Returns:
An `HttpResponse`-like object.
"""
payment_method = find_payment_method(self)
if payment_method is not None and use_payment_method:
return payment_method.end_payment(invoice, request)
# In case a cotisation was bought, inform the user, the
# cotisation time has been extended too
if any(sell.type_cotisation for sell in invoice.vente_set.all()):
messages.success(
request,
_("The cotisation of %(member_name)s has been \
extended to %(end_date)s.") % {
'member_name': invoice.user.pseudo,
'end_date': invoice.user.end_adhesion()
}
)
# Else, only tell the invoice was created
else:
messages.success(
request,
_("The invoice has been created.")
)
return redirect(reverse(
'users:profil',
kwargs={'userid': invoice.user.pk}
))
2018-07-03 16:53:44 +00:00
def can_use_payment(self, user, *_args, **_kwargs):
"""Check if a user can use this payment.
Args:
self: The payment
user: The user requesting usage
Returns:
A boolean stating if usage is granted and an explanation
2018-07-03 16:53:44 +00:00
message if the boolean is `False`.
"""
return (
self.available_for_everyone
or user.has_perm('cotisations.use_every_payment')
or user.has_perm('cotisations.add_facture'),
2018-07-03 16:53:44 +00:00
_("You cannot use this Payment.")
)
@classmethod
def find_allowed_payments(cls, user):
"""Finds every allowed payments for an user.
Args:
user: The user requesting payment methods.
"""
if user.has_perm('cotisations.use_every_payment'):
return cls.objects.all()
return cls.objects.filter(available_for_everyone=True)
2018-07-03 16:53:44 +00:00
def get_payment_method_name(self):
p = find_payment_method(self)
if p is not None:
return p._meta.verbose_name
return _("No custom payment method")
2017-10-13 02:07:56 +00:00
class Cotisation(RevMixin, AclMixin, models.Model):
"""
The model defining a cotisation. It holds information about the time a user
is allowed when he has paid something.
It characterised by :
* a date_start (the date when the cotisaiton begins/began
* a date_end (the date when the cotisation ends/ended
* a type of cotisation (which indicates the implication of such
cotisation)
* a purchase (the related objects this cotisation is linked to)
"""
COTISATION_TYPE = (
('Connexion', _l("Connexion")),
('Adhesion', _l("Membership")),
('All', _l("Both of them")),
)
# TODO : change vente to purchase
vente = models.OneToOneField(
'Vente',
on_delete=models.CASCADE,
null=True,
verbose_name=_l("Purchase")
)
type_cotisation = models.CharField(
choices=COTISATION_TYPE,
max_length=255,
default='All',
verbose_name=_l("Type of cotisation")
)
date_start = models.DateTimeField(
verbose_name=_l("Starting date")
)
date_end = models.DateTimeField(
verbose_name=_l("Ending date")
)
class Meta:
permissions = (
('view_cotisation', _l("Can see a cotisation's details")),
('change_all_cotisation', _l("Can edit the previous cotisations")),
)
2018-04-14 13:39:51 +00:00
def can_edit(self, user_request, *_args, **_kwargs):
2017-12-31 19:13:41 +00:00
if not user_request.has_perm('cotisations.change_cotisation'):
return False, _("You don't have the right to edit a cotisation.")
2018-04-13 18:58:29 +00:00
elif not user_request.has_perm('cotisations.change_all_cotisation') \
and (self.vente.facture.control or
not self.vente.facture.valid):
return False, _("You don't have the right to edit a cotisation "
"already controlled or invalidated.")
2017-12-27 20:09:00 +00:00
else:
return True, None
2018-04-14 13:39:51 +00:00
def can_delete(self, user_request, *_args, **_kwargs):
2017-12-31 19:13:41 +00:00
if not user_request.has_perm('cotisations.delete_cotisation'):
2018-04-13 18:58:29 +00:00
return False, _("You don't have the right to delete a "
"cotisation.")
2017-12-27 20:09:00 +00:00
if self.vente.facture.control or not self.vente.facture.valid:
2018-04-13 18:58:29 +00:00
return False, _("You don't have the right to delete a cotisation "
"already controlled or invalidated.")
2017-12-27 20:09:00 +00:00
else:
return True, None
2018-04-14 13:39:51 +00:00
def can_view(self, user_request, *_args, **_kwargs):
2017-12-31 19:13:41 +00:00
if not user_request.has_perm('cotisations.view_cotisation') and\
2018-04-13 18:58:29 +00:00
self.vente.facture.user != user_request:
return False, _("You don't have the right to see someone else's "
"cotisation history.")
2017-12-27 20:09:00 +00:00
else:
return True, None
def __str__(self):
return str(self.vente)
2017-10-13 02:07:56 +00:00
@receiver(post_save, sender=Cotisation)
2018-04-15 01:00:05 +00:00
def cotisation_post_save(**_kwargs):
"""
Mark some services as needing a regeneration after the edition of a
cotisation. Indeed the membership status may have changed.
"""
regen('dns')
regen('dhcp')
regen('mac_ip_list')
2017-09-14 18:03:28 +00:00
regen('mailing')
2017-10-13 02:07:56 +00:00
@receiver(post_delete, sender=Cotisation)
2018-04-15 01:00:05 +00:00
def cotisation_post_delete(**_kwargs):
"""
Mark some services as needing a regeneration after the deletion of a
cotisation. Indeed the membership status may have changed.
"""
2017-09-01 20:21:51 +00:00
regen('mac_ip_list')
2017-09-14 18:03:28 +00:00
regen('mailing')