8
0
Fork 0
mirror of https://gitlab.federez.net/re2o/re2o synced 2024-06-01 07:22:25 +00:00
re2o/cotisations/models.py

272 lines
9.2 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
#
# 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.
from __future__ import unicode_literals
2016-07-02 13:58:50 +00:00
from django.db import models
2016-07-25 22:13:38 +00:00
from django.db.models.signals import post_save, post_delete
from django.dispatch import receiver
from dateutil.relativedelta import relativedelta
2017-06-26 17:23:01 +00:00
from django.forms import ValidationError
from django.core.validators import MinValueValidator
2016-07-02 13:58:50 +00:00
2017-09-27 13:40:28 +00:00
from django.db.models import Max
from django.utils import timezone
2017-06-26 17:23:01 +00:00
from machines.models import regen
2017-10-13 02:07:56 +00:00
2016-07-02 13:58:50 +00:00
class Facture(models.Model):
2017-10-13 02:07:56 +00:00
""" Définition du modèle des factures. Une facture regroupe une ou
plusieurs ventes, rattachée à un user, et reliée à un moyen de paiement
et si il y a lieu un numero pour les chèques. Possède les valeurs
valides et controle (trésorerie)"""
PRETTY_NAME = "Factures émises"
2016-07-02 13:58:50 +00:00
user = models.ForeignKey('users.User', on_delete=models.PROTECT)
paiement = models.ForeignKey('Paiement', on_delete=models.PROTECT)
2017-10-13 02:07:56 +00:00
banque = models.ForeignKey(
'Banque',
on_delete=models.PROTECT,
blank=True,
null=True)
cheque = models.CharField(max_length=255, blank=True)
2016-07-02 13:58:50 +00:00
date = models.DateTimeField(auto_now_add=True)
valid = models.BooleanField(default=True)
control = models.BooleanField(default=False)
def prix(self):
2017-10-13 02:07:56 +00:00
prix = Vente.objects.filter(
facture=self
).aggregate(models.Sum('prix'))['prix__sum']
return prix
2016-07-11 22:05:07 +00:00
def prix_total(self):
2017-10-13 02:07:56 +00:00
"""Prix total : somme des produits prix_unitaire et quantité des
ventes de l'objet"""
return Vente.objects.filter(
facture=self
).aggregate(
total=models.Sum(
models.F('prix')*models.F('number'),
output_field=models.FloatField()
)
)['total']
2016-07-11 22:05:07 +00:00
def name(self):
2017-10-13 02:07:56 +00:00
"""String, somme des name des ventes de self"""
name = ' - '.join(Vente.objects.filter(
facture=self
).values_list('name', flat=True))
return name
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)
def facture_post_save(sender, **kwargs):
2017-10-13 02:07:56 +00:00
"""Post save d'une facture, synchronise l'user ldap"""
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)
def facture_post_delete(sender, **kwargs):
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
class Vente(models.Model):
2017-10-13 02:07:56 +00:00
"""Objet vente, contient une quantité, une facture parente, un nom,
un prix. Peut-être relié à un objet cotisation, via le boolean
iscotisation"""
PRETTY_NAME = "Ventes effectuées"
facture = models.ForeignKey('Facture', on_delete=models.CASCADE)
number = models.IntegerField(validators=[MinValueValidator(1)])
2016-07-02 13:58:50 +00:00
name = models.CharField(max_length=255)
prix = models.DecimalField(max_digits=5, decimal_places=2)
iscotisation = models.BooleanField()
2017-10-13 02:07:56 +00:00
duration = models.IntegerField(
help_text="Durée exprimée en mois entiers",
blank=True,
null=True)
2016-07-02 13:58:50 +00:00
def prix_total(self):
2017-10-13 02:07:56 +00:00
"""Renvoie le prix_total de self (nombre*prix)"""
return self.prix*self.number
def update_cotisation(self):
if hasattr(self, 'cotisation'):
cotisation = self.cotisation
2017-10-13 02:07:56 +00:00
cotisation.date_end = cotisation.date_start + relativedelta(
months=self.duration*self.number)
return
def create_cotis(self, date_start=False):
2017-10-13 02:07:56 +00:00
"""Update et crée l'objet cotisation associé à une facture, prend
en argument l'user, la facture pour la quantitéi, et l'article pour
la durée"""
if not hasattr(self, 'cotisation'):
2017-10-13 02:07:56 +00:00
cotisation = Cotisation(vente=self)
if date_start:
2017-10-13 02:07:56 +00:00
end_adhesion = Cotisation.objects.filter(
vente__in=Vente.objects.filter(
facture__in=Facture.objects.filter(
user=self.facture.user
).exclude(valid=False))
).filter(
date_start__lt=date_start
).aggregate(Max('date_end'))['date_end__max']
else:
end_adhesion = self.facture.user.end_adhesion()
date_start = date_start or timezone.now()
end_adhesion = end_adhesion or date_start
date_max = max(end_adhesion, date_start)
cotisation.date_start = date_max
2017-10-13 02:07:56 +00:00
cotisation.date_end = cotisation.date_start + relativedelta(
months=self.duration*self.number
)
return
def save(self, *args, **kwargs):
# On verifie que si iscotisation, duration est présent
if self.iscotisation and not self.duration:
2017-10-13 02:07:56 +00:00
raise ValidationError("Cotisation et durée doivent être présents\
ensembles")
self.update_cotisation()
super(Vente, self).save(*args, **kwargs)
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
2016-07-25 22:13:38 +00:00
@receiver(post_save, sender=Vente)
def vente_post_save(sender, **kwargs):
2017-10-13 02:07:56 +00:00
"""Post save d'une vente, déclencge la création de l'objet cotisation
si il y a lieu(si iscotisation) """
2016-07-25 22:13:38 +00:00
vente = kwargs['instance']
if hasattr(vente, 'cotisation'):
vente.cotisation.vente = vente
vente.cotisation.save()
2016-07-25 22:13:38 +00:00
if vente.iscotisation:
vente.create_cotis()
vente.cotisation.save()
2016-07-25 22:13:38 +00:00
user = vente.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=Vente)
def vente_post_delete(sender, **kwargs):
vente = kwargs['instance']
if vente.iscotisation:
user = vente.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-02 13:58:50 +00:00
class Article(models.Model):
2017-10-13 02:07:56 +00:00
"""Liste des articles en vente : prix, nom, et attribut iscotisation
et duree si c'est une cotisation"""
PRETTY_NAME = "Articles en vente"
name = models.CharField(max_length=255, unique=True)
2016-07-02 13:58:50 +00:00
prix = models.DecimalField(max_digits=5, decimal_places=2)
iscotisation = models.BooleanField()
2017-07-18 21:57:57 +00:00
duration = models.IntegerField(
help_text="Durée exprimée en mois entiers",
blank=True,
null=True,
2017-07-22 15:57:58 +00:00
validators=[MinValueValidator(0)])
2017-06-26 17:23:01 +00:00
def clean(self):
if self.name.lower() == "solde":
raise ValidationError("Solde est un nom d'article invalide")
2016-07-02 13:58:50 +00:00
def __str__(self):
return self.name
2017-10-13 02:07:56 +00:00
2016-07-02 13:58:50 +00:00
class Banque(models.Model):
2017-10-13 02:07:56 +00:00
"""Liste des banques"""
PRETTY_NAME = "Banques enregistrées"
2016-07-02 13:58:50 +00:00
name = models.CharField(max_length=255)
def __str__(self):
return self.name
2017-10-13 02:07:56 +00:00
2016-07-02 13:58:50 +00:00
class Paiement(models.Model):
2017-10-13 02:07:56 +00:00
"""Moyens de paiement"""
PRETTY_NAME = "Moyens de paiement"
PAYMENT_TYPES = (
2017-08-18 22:58:42 +00:00
(0, 'Autre'),
(1, 'Chèque'),
)
2016-07-02 13:58:50 +00:00
moyen = models.CharField(max_length=255)
2017-09-02 11:03:37 +00:00
type_paiement = models.IntegerField(choices=PAYMENT_TYPES, default=0)
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):
self.moyen = self.moyen.title()
2017-09-04 13:31:48 +00:00
def save(self, *args, **kwargs):
2017-10-13 02:07:56 +00:00
"""Un seul type de paiement peut-etre cheque..."""
2017-09-04 13:31:48 +00:00
if Paiement.objects.filter(type_paiement=1).count() > 1:
2017-10-13 02:07:56 +00:00
raise ValidationError("On ne peut avoir plusieurs mode de paiement\
chèque")
2017-09-04 13:31:48 +00:00
super(Paiement, self).save(*args, **kwargs)
2017-10-13 02:07:56 +00:00
class Cotisation(models.Model):
2017-10-13 02:07:56 +00:00
"""Objet cotisation, debut et fin, relié en onetoone à une vente"""
PRETTY_NAME = "Cotisations"
vente = models.OneToOneField('Vente', on_delete=models.CASCADE, null=True)
date_start = models.DateTimeField()
date_end = models.DateTimeField()
def __str__(self):
return str(self.vente)
2017-10-13 02:07:56 +00:00
@receiver(post_save, sender=Cotisation)
def cotisation_post_save(sender, **kwargs):
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)
def vente_post_delete(sender, **kwargs):
cotisation = kwargs['instance']
2017-09-01 20:21:51 +00:00
regen('mac_ip_list')
2017-09-14 18:03:28 +00:00
regen('mailing')