Fundraising in PDF.
[wolnelektury.git] / src / club / models.py
index b5df041..c09769a 100644 (file)
@@ -1,7 +1,8 @@
-# This file is part of Wolnelektury, licensed under GNU Affero GPLv3 or later.
-# Copyright © Fundacja Nowoczesna Polska. See NOTICE for more information.
+# This file is part of Wolne Lektury, licensed under GNU Affero GPLv3 or later.
+# Copyright © Fundacja Wolne Lektury. See NOTICE for more information.
 #
 from datetime import datetime, timedelta
+from decimal import Decimal
 import os
 import tempfile
 from django.apps import apps
@@ -11,10 +12,9 @@ from django.core.mail import send_mail, EmailMessage
 from django.urls import reverse
 from django.db import models
 from django import template
-from django.utils.timezone import now
-from django.utils.translation import ugettext_lazy as _, ungettext, ugettext, get_language
+from django.utils.timezone import now, utc
+from django.utils.translation import get_language
 from django_countries.fields import CountryField
-from pytz import utc
 from catalogue.utils import get_random_hash
 from messaging.states import Level
 from reporting.utils import render_to_pdf
@@ -25,23 +25,66 @@ from . import utils
 
 
 class Club(models.Model):
-    min_amount = models.IntegerField(_('minimum amount'))
-    min_for_year = models.IntegerField(_('minimum amount for year'))
-    default_single_amount = models.IntegerField(_('default single amount'))
-    default_monthly_amount = models.IntegerField(_('default monthly amount'))
+    min_amount = models.IntegerField('minimalna kwota')
+    min_for_year = models.IntegerField('minimalna kwota na rok')
+    default_single_amount = models.IntegerField('domyślna kwota dla pojedynczej wpłaty')
+    default_monthly_amount = models.IntegerField('domyślna kwota dla miesięcznych wpłat')
 
     class Meta:
-        verbose_name = _('club')
-        verbose_name_plural = _('clubs')
+        verbose_name = 'towarzystwo'
+        verbose_name_plural = 'towarzystwa'
     
     def __str__(self):
         return 'Klub'
 
+    def get_amounts(self):
+        c = {}
+        single = list(self.singleamount_set.all())
+        monthly = list(self.monthlyamount_set.all())
+        for tag, amounts in ('single', single), ('monthly', monthly):
+            wide_spot = narrow_spot = 0
+            for i, p in enumerate(amounts):
+                if p.wide:
+                    # Do we have space for xl?
+                    if wide_spot < 2:
+                        p.box_variant = 'xl'
+                        wide_spot += 2
+                    else:
+                        p.box_variant = 'card'
+                        wide_spot += 1
+                    narrow_spot = 0
+                elif p.description:
+                    p.box_variant = 'card'
+                    if narrow_spot:
+                        amounts[i-1].box_variant = 'bar'
+                    wide_spot += 1
+                    narrow_spot = 0
+                else:
+                    p.box_variant = 'half'
+                    wide_spot += 1
+                    narrow_spot += 1
+                wide_spot %= 3
+                narrow_spot %= 2
+            c[tag] = amounts
+            c[f'{tag}_wide_spot'] = wide_spot
+        return c
+
+    def get_description_for_amount(self, amount, monthly):
+        amounts = self.monthlyamount_set if monthly else self.singleamount_set
+        amount = amounts.all().filter(amount__lte=amount).last()
+        return amount.description if amount is not None else ''
+
+    @property
+    def paypal_enabled(self):
+        print("ENABLED?", settings.PAYPAL_ENABLED)
+        return settings.PAYPAL_ENABLED
+    
 
 class SingleAmount(models.Model):
     club = models.ForeignKey(Club, models.CASCADE)
     amount = models.IntegerField()
     description = models.TextField(blank=True)
+    wide = models.BooleanField(default=False)
 
     class Meta:
         ordering = ['amount']
@@ -50,6 +93,7 @@ class MonthlyAmount(models.Model):
     club = models.ForeignKey(Club, models.CASCADE)
     amount = models.IntegerField()
     description = models.TextField(blank=True)
+    wide = models.BooleanField(default=False)
 
     class Meta:
         ordering = ['amount']
@@ -70,22 +114,24 @@ class Consent(models.Model):
 
 class Schedule(models.Model):
     """ Represents someone taking up a plan. """
-    key = models.CharField(_('key'), max_length=255, unique=True)
-    email = models.EmailField(_('email'))
-    membership = models.ForeignKey('Membership', verbose_name=_('membership'), null=True, blank=True, on_delete=models.SET_NULL)
-    amount = models.DecimalField(_('amount'), max_digits=10, decimal_places=2)
-    method = models.CharField(_('method'), max_length=32, choices=[
+    key = models.CharField('klucz', max_length=255, unique=True)
+    email = models.EmailField('e-mail')
+    membership = models.ForeignKey(
+        'Membership', verbose_name='członkostwo',
+        null=True, blank=True, on_delete=models.SET_NULL)
+    amount = models.DecimalField('kwota', max_digits=10, decimal_places=2)
+    method = models.CharField('metoda płatności', max_length=32, choices=[
         (m.slug, m.name) for m in methods
         ])
-    monthly = models.BooleanField(_('monthly'), default=True)
-    yearly = models.BooleanField(_('yearly'), default=False)
+    monthly = models.BooleanField('miesięcznie', default=True)
+    yearly = models.BooleanField('rocznie', default=False)
 
-    source = models.CharField(_('source'), max_length=255, blank=True)
+    source = models.CharField('źródło', max_length=255, blank=True)
 
-    is_cancelled = models.BooleanField(_('cancelled'), default=False)
-    payed_at = models.DateTimeField(_('payed at'), null=True, blank=True)
-    started_at = models.DateTimeField(_('started at'), auto_now_add=True)
-    expires_at = models.DateTimeField(_('expires_at'), null=True, blank=True)
+    is_cancelled = models.BooleanField('anulowany', default=False)
+    payed_at = models.DateTimeField('opłacona', null=True, blank=True)
+    started_at = models.DateTimeField('start', auto_now_add=True)
+    expires_at = models.DateTimeField('wygasa', null=True, blank=True)
     email_sent = models.BooleanField(default=False)
 
     first_name = models.CharField(max_length=255, blank=True)
@@ -99,8 +145,8 @@ class Schedule(models.Model):
     consent = models.ManyToManyField(Consent)
     
     class Meta:
-        verbose_name = _('schedule')
-        verbose_name_plural = _('schedules')
+        verbose_name = 'harmonogram'
+        verbose_name_plural = 'harmonogramy'
 
     def __str__(self):
         return self.key
@@ -111,6 +157,10 @@ class Schedule(models.Model):
         super(Schedule, self).save(*args, **kwargs)
         self.update_contact()
 
+    def get_description(self):
+        club = Club.objects.first()
+        return club.get_description_for_amount(self.amount, self.monthly)
+
     def initiate_payment(self, request):
         return self.get_payment_method().initiate(request, self)
 
@@ -216,16 +266,16 @@ class Schedule(models.Model):
 
 class Membership(models.Model):
     """ Represents a user being recognized as a member of the club. """
-    user = models.OneToOneField(settings.AUTH_USER_MODEL, verbose_name=_('user'), on_delete=models.CASCADE)
-    created_at = models.DateTimeField(_('created at'), auto_now_add=True)
-    name = models.CharField(_('name'), max_length=255, blank=True)
-    manual = models.BooleanField(_('manual'), default=False)
-    notes = models.CharField(_('notes'), max_length=2048, blank=True)
-    updated_at = models.DateField(_('updated at'), auto_now=True, blank=True)
+    user = models.OneToOneField(settings.AUTH_USER_MODEL, verbose_name='użytkownik', on_delete=models.CASCADE)
+    created_at = models.DateTimeField('utworzone', auto_now_add=True)
+    name = models.CharField('nazwa', max_length=255, blank=True)
+    manual = models.BooleanField('ustawione ręcznie', default=False)
+    notes = models.CharField('notatki', max_length=2048, blank=True)
+    updated_at = models.DateField('aktualizacja', auto_now=True, blank=True)
 
     class Meta:
-        verbose_name = _('membership')
-        verbose_name_plural = _('memberships')
+        verbose_name = 'członkostwo'
+        verbose_name_plural = 'członkostwa'
 
     def __str__(self):
         return str(self.user)
@@ -262,30 +312,30 @@ class Membership(models.Model):
 
 
 class ReminderEmail(models.Model):
-    days_before = models.SmallIntegerField(_('days before'))
-    subject = models.CharField(_('subject'), max_length=1024)
-    body = models.TextField(_('body'))
+    days_before = models.SmallIntegerField('dni przed')
+    subject = models.CharField('temat', max_length=1024)
+    body = models.TextField('treść')
 
     class Meta:
-        verbose_name = _('reminder email')
-        verbose_name_plural = _('reminder emails')
+        verbose_name = 'email z przypomnieniem'
+        verbose_name_plural = 'e-maile z przypomnieniem'
         ordering = ['days_before']
 
     def __str__(self):
         if self.days_before >= 0:
-            return ungettext('a day before expiration', '%d days before expiration', n=self.days_before)
+            return '%d dni przed wygaśnięciem' % self.days_before
         else:
-            return ungettext('a day after expiration', '%d days after expiration', n=-self.days_before)
+            return '%d dni po wygaśnięciu' % -self.days_before
 
 
 class Ambassador(models.Model):
-    name = models.CharField(_('name'), max_length=255)
-    photo = models.ImageField(_('photo'), blank=True)
-    text = models.CharField(_('text'), max_length=1024)
+    name = models.CharField('imię i nazwisko', max_length=255)
+    photo = models.ImageField('zdjęcie', blank=True)
+    text = models.CharField('tekst', max_length=1024)
 
     class Meta:
-        verbose_name = _('ambassador')
-        verbose_name_plural = _('ambassadors')
+        verbose_name = 'ambasador'
+        verbose_name_plural = 'ambasadorowie'
         ordering = ['name']
     
     def __str__(self):
@@ -371,8 +421,12 @@ class PayUOrder(payu_models.Order):
         Contact = apps.get_model('messaging', 'Contact')
         Funding = apps.get_model('funding', 'Funding')
         BillingAgreement = apps.get_model('paypal', 'BillingAgreement')
+        DirectDebit = apps.get_model('pz', 'DirectDebit')
+        Payment = apps.get_model('pz', 'Payment')
+
         payments = []
 
+        optout = None
         try:
             contact = Contact.objects.get(email=email)
         except Contact.DoesNotExist:
@@ -382,8 +436,10 @@ class PayUOrder(payu_models.Order):
                 notifications=True).order_by('completed_at').first()
             if funding is None:
                 print('no notifications')
-                return
-            optout = funding.wl_optout_url()
+                if not DirectDebit.objects.filter(email=email, optout=False).exists():
+                    return
+            else:
+                optout = funding.wl_optout_url()
         else:
             if contact.level == Level.OPT_OUT:
                 print('opt-out')
@@ -410,6 +466,18 @@ class PayUOrder(payu_models.Order):
                 'amount': funding.amount,
             })
 
+        for pa in Payment.objects.filter(
+                debit__email=email,
+                realised=True,
+                is_dd=True,
+                booking_date__year=year
+        ):
+            payments.append({
+                'timestamp': datetime(pa.booking_date.year, pa.booking_date.month, pa.booking_date.day, tzinfo=utc),
+                'amount': Decimal(str(pa.debit.amount) + '.00')
+            })
+
+    
         if not payments: return
 
         payments.sort(key=lambda x: x['timestamp'])
@@ -426,13 +494,13 @@ class PayUOrder(payu_models.Order):
         temp = tempfile.NamedTemporaryFile(prefix='receipt-', suffix='.pdf', delete=False)
         temp.close()
         render_to_pdf(temp.name, 'club/receipt.texml', ctx, {
-            "fnp.eps": os.path.join(settings.STATIC_ROOT, "img/fnp.eps"),
+            "wl.eps": os.path.join(settings.STATIC_ROOT, "img/wl.eps"),
             })
 
         message = EmailMessage(
                 'Odlicz darowiznę na Wolne Lektury od podatku',
                 template.loader.render_to_string('club/receipt_email.txt', ctx),
-                settings.CONTACT_EMAIL, [email]
+                settings.CLUB_CONTACT_EMAIL, [email]
             )
         with open(temp.name, 'rb') as f:
             message.attach('wolnelektury-darowizny.pdf', f.read(), 'application/pdf')