1 # -*- coding: utf-8 -*-
2 # This file is part of Wolnelektury, licensed under GNU Affero GPLv3 or later.
3 # Copyright © Fundacja Nowoczesna Polska. See NOTICE for more information.
5 from datetime import date, datetime
6 from urllib import urlencode
7 from django.core.urlresolvers import reverse
8 from django.core.mail import send_mail
9 from django.conf import settings
10 from django.template.loader import render_to_string
11 from django.db import models
12 from django.utils.translation import ugettext_lazy as _, ugettext, override
14 from catalogue.models import Book
15 from catalogue.utils import get_random_hash
16 from polls.models import Poll
17 from django.contrib.sites.models import Site
18 from . import app_settings
21 class Offer(models.Model):
22 """ A fundraiser for a particular book. """
23 author = models.CharField(_('author'), max_length=255)
24 title = models.CharField(_('title'), max_length=255)
25 slug = models.SlugField(_('slug'))
26 description = models.TextField(_('description'), blank=True)
27 target = models.DecimalField(_('target'), decimal_places=2, max_digits=10)
28 start = models.DateField(_('start'), db_index=True)
29 end = models.DateField(_('end'), db_index=True)
30 redakcja_url = models.URLField(_('redakcja URL'), blank=True)
31 book = models.ForeignKey(Book, null=True, blank=True,
32 help_text=_('Published book.'))
33 cover = models.ImageField(_('Cover'), upload_to = 'funding/covers')
34 poll = models.ForeignKey(Poll, help_text = _('Poll'), null = True, blank = True, on_delete = models.SET_NULL)
36 notified_near = models.DateTimeField(_('Near-end notifications sent'), blank=True, null=True)
37 notified_end = models.DateTimeField(_('End notifications sent'), blank=True, null=True)
39 def cover_img_tag(self):
40 return u'<img src="%s" />' % self.cover.url
41 cover_img_tag.short_description = _('Cover preview')
42 cover_img_tag.allow_tags = True
45 verbose_name = _('offer')
46 verbose_name_plural = _('offers')
49 def __unicode__(self):
50 return u"%s - %s" % (self.author, self.title)
52 def get_absolute_url(self):
53 return reverse('funding_offer', args=[self.slug])
55 def save(self, *args, **kw):
56 published_now = (self.book_id is not None and
57 self.pk is not None and
58 type(self).objects.values('book').get(pk=self.pk)['book'] != self.book_id)
59 retval = super(Offer, self).save(*args, **kw)
61 self.notify_published()
65 return self.start <= date.today() <= self.end
68 return self.sum() >= self.target
74 return self.sum() - self.target
80 """ Returns current fundraiser or None. """
82 objects = cls.objects.filter(start__lte=today, end__gte=today)
90 """ QuerySet for all current and past fundraisers. """
92 return cls.objects.filter(end__lt=today)
96 """ QuerySet for all current and past fundraisers. """
98 return cls.objects.filter(start__lte=today)
100 def get_perks(self, amount=None):
101 """ Finds all the perks for the offer.
103 If amount is provided, returns the perks you get for it.
106 perks = Perk.objects.filter(
107 models.Q(offer=self) | models.Q(offer=None)
108 ).exclude(end_date__lt=date.today())
109 if amount is not None:
110 perks = perks.filter(price__lte=amount)
113 def funding_payed(self):
114 """ QuerySet for all completed payments for the offer. """
115 return Funding.payed().filter(offer=self)
118 """ The money gathered. """
119 return self.funding_payed().aggregate(s=models.Sum('amount'))['s'] or 0
121 def notify_all(self, subject, template_name, extra_context=None):
122 Funding.notify_funders(
123 subject, template_name, extra_context,
124 query_filter=models.Q(offer=self)
127 def notify_end(self, force=False):
128 if not force and self.notified_end: return
129 assert not self.is_current()
131 _('The fundraiser has ended!'),
132 'funding/email/end.txt', {
134 'is_win': self.is_win(),
135 'remaining': self.remaining(),
136 'current': self.current(),
138 self.notified_end = datetime.now()
141 def notify_near(self, force=False):
142 if not force and self.notified_near: return
143 assert self.is_current()
145 need = self.target - sum_
147 _('The fundraiser will end soon!'),
148 'funding/email/near.txt', {
149 'days': (self.end - date.today()).days + 1,
151 'is_win': self.is_win(),
155 self.notified_near = datetime.now()
158 def notify_published(self):
159 assert self.book is not None
161 _('The book you helped fund has been published.'),
162 'funding/email/published.txt', {
165 'author': ", ".join(a[0] for a in self.book.related_info()['tags']['author']),
166 'current': self.current(),
170 class Perk(models.Model):
173 If no attached to a particular Offer, applies to all.
176 offer = models.ForeignKey(Offer, verbose_name=_('offer'), null=True, blank=True)
177 price = models.DecimalField(_('price'), decimal_places=2, max_digits=10)
178 name = models.CharField(_('name'), max_length=255)
179 long_name = models.CharField(_('long name'), max_length=255)
180 end_date = models.DateField(_('end date'), null=True, blank=True)
183 verbose_name = _('perk')
184 verbose_name_plural = _('perks')
185 ordering = ['-price']
187 def __unicode__(self):
188 return "%s (%s%s)" % (self.name, self.price, u" for %s" % self.offer if self.offer else "")
191 class Funding(models.Model):
192 """ A person paying in a fundraiser.
194 The payment was completed if and only if payed_at is set.
197 offer = models.ForeignKey(Offer, verbose_name=_('offer'))
198 name = models.CharField(_('name'), max_length=127, blank=True)
199 email = models.EmailField(_('email'), blank=True, db_index=True)
200 amount = models.DecimalField(_('amount'), decimal_places=2, max_digits=10)
201 payed_at = models.DateTimeField(_('payed at'), null=True, blank=True, db_index=True)
202 perks = models.ManyToManyField(Perk, verbose_name=_('perks'), blank=True)
203 language_code = models.CharField(max_length = 2, null = True, blank = True)
204 notifications = models.BooleanField(_('notifications'), default=True, db_index=True)
205 notify_key = models.CharField(max_length=32)
208 verbose_name = _('funding')
209 verbose_name_plural = _('fundings')
210 ordering = ['-payed_at']
214 """ QuerySet for all completed payments. """
215 return cls.objects.exclude(payed_at=None)
217 def __unicode__(self):
218 return unicode(self.offer)
220 def get_absolute_url(self):
221 return reverse('funding_funding', args=[self.pk])
223 def get_disable_notifications_url(self):
224 return "%s?%s" % (reverse("funding_disable_notifications"),
227 'key': self.notify_key,
230 def save(self, *args, **kwargs):
231 if self.email and not self.notify_key:
232 self.notify_key = get_random_hash(self.email)
233 return super(Funding, self).save(*args, **kwargs)
236 def notify_funders(cls, subject, template_name, extra_context=None,
237 query_filter=None, payed_only=True):
238 funders = cls.objects.exclude(email="").filter(notifications=True)
240 funders = funders.exclude(payed_at=None)
241 if query_filter is not None:
242 funders = funders.filter(query_filter)
244 for funder in funders:
245 if funder.email in emails:
247 emails.add(funder.email)
248 funder.notify(subject, template_name, extra_context)
250 def notify(self, subject, template_name, extra_context=None):
253 'site': Site.objects.get_current(),
256 context.update(extra_context)
257 with override(self.language_code or app_settings.DEFAULT_LANGUAGE):
259 render_to_string(template_name, context),
260 getattr(settings, 'CONTACT_EMAIL', 'wolnelektury@nowoczesnapolska.org.pl'),
265 def disable_notifications(self):
266 """Disables all notifications for this e-mail address."""
267 type(self).objects.filter(email=self.email).update(notifications=False)
270 # Register the Funding model with django-getpaid for payments.
271 getpaid.register_to_payment(Funding, unique=False, related_name='payment')
274 class Spent(models.Model):
275 """ Some of the remaining money spent on a book. """
276 book = models.ForeignKey(Book)
277 amount = models.DecimalField(_('amount'), decimal_places=2, max_digits=10)
278 timestamp = models.DateField(_('when'))
281 verbose_name = _('money spent on a book')
282 verbose_name_plural = _('money spent on books')
283 ordering = ['-timestamp']
285 def __unicode__(self):
286 return u"Spent: %s" % unicode(self.book)
289 def new_payment_query_listener(sender, order=None, payment=None, **kwargs):
290 """ Set payment details for getpaid. """
291 payment.amount = order.amount
292 payment.currency = 'PLN'
293 getpaid.signals.new_payment_query.connect(new_payment_query_listener)
296 def user_data_query_listener(sender, order, user_data, **kwargs):
297 """ Set user data for payment. """
298 user_data['email'] = order.email
299 getpaid.signals.user_data_query.connect(user_data_query_listener)
301 def payment_status_changed_listener(sender, instance, old_status, new_status, **kwargs):
302 """ React to status changes from getpaid. """
303 if old_status != 'paid' and new_status == 'paid':
304 instance.order.payed_at = datetime.now()
305 instance.order.save()
306 if instance.order.email:
307 instance.order.notify(
308 _('Thank you for your support!'),
309 'funding/email/thanks.txt'
311 getpaid.signals.payment_status_changed.connect(payment_status_changed_listener)