Fundraising in PDF.
[wolnelektury.git] / src / catalogue / templatetags / catalogue_tags.py
1 # This file is part of Wolne Lektury, licensed under GNU Affero GPLv3 or later.
2 # Copyright © Fundacja Wolne Lektury. See NOTICE for more information.
3 #
4 from random import randint, random
5 from urllib.parse import urlparse
6 from django.contrib.contenttypes.models import ContentType
7
8 from django.conf import settings
9 from django import template
10 from django.template import Node, Variable, Template, Context
11 from django.urls import reverse
12 from django.utils.cache import add_never_cache_headers
13 from django.utils.safestring import mark_safe
14 from django.utils.translation import gettext as _
15
16 from catalogue.helpers import get_audiobook_tags
17 from catalogue.models import Book, BookMedia, Fragment, Tag, Source
18 from catalogue.constants import LICENSES
19 from club.models import Membership
20 from picture.models import Picture
21
22 register = template.Library()
23
24
25 def iterable(obj):
26     try:
27         iter(obj)
28         return True
29     except TypeError:
30         return False
31
32
33 def capfirst(text):
34     try:
35         return '%s%s' % (text[0].upper(), text[1:])
36     except IndexError:
37         return ''
38
39
40 @register.simple_tag
41 def html_title_from_tags(tags):
42     if len(tags) < 2:
43         return title_from_tags(tags)
44     template = Template("{{ category }}: <a href='{{ tag.get_absolute_url }}'>{{ tag.name }}</a>")
45     return mark_safe(capfirst(",<br/>".join(
46         template.render(Context({'tag': tag, 'category': tag.get_category_display()})) for tag in tags)))
47
48
49 def simple_title(tags):
50     title = []
51     for tag in tags:
52         title.append("%s: %s" % (tag.get_category_display(), tag.name))
53     return capfirst(', '.join(title))
54
55
56 @register.simple_tag
57 def book_title(book, html_links=False):
58     return mark_safe(book.pretty_title(html_links))
59
60
61 @register.simple_tag
62 def book_title_html(book):
63     return book_title(book, html_links=True)
64
65
66 @register.simple_tag
67 def title_from_tags(tags):
68     # TODO: Remove this after adding flection mechanism
69     return simple_title(tags)
70
71
72 @register.simple_tag
73 def nice_title_from_tags(tags, related_tags):
74     def split_tags(tags):
75         result = {}
76         for tag in tags:
77             result.setdefault(tag.category, []).append(tag)
78         return result
79
80     self = split_tags(tags)
81
82     pieces = []
83     plural = True
84     epoch_reduntant = False
85
86     if 'genre' in self:
87         pieces.append([
88             t.plural or t.name for t in self['genre']
89         ])
90         epoch_reduntant = self['genre'][-1].genre_epoch_specific
91     else:
92         # If we don't have genre,
93         # look if maybe we only have one genre in this context?
94         if 'genre' in related_tags and len(related_tags['genre']) == 1:
95             pieces.append([
96                 t.plural or t.name for t in related_tags['genre']
97             ])
98             epoch_reduntant = related_tags['genre'][-1].genre_epoch_specific
99         elif 'kind' in self:
100             # Only use kind if not talking about genre.
101             pieces.append([
102                 t.collective_noun or t.name for t in self['kind']
103             ])
104             plural = False
105         elif 'kind' in related_tags and len(related_tags['kind']) == 1:
106             # No info on genre, but there's only one kind related.
107             subpieces = []
108             pieces.append([
109                 t.collective_noun or t.name for t in related_tags['kind']
110             ])
111             plural = False
112         else:
113             # We can't say anything about genre or kind.
114             pieces.append(['Twórczość'])
115             plural = False
116
117     if not epoch_reduntant and 'epoch' in self:
118         if plural:
119             form = lambda t: t.adjective_nonmasculine_plural or t.name
120         else:
121             form = lambda t: t.adjective_feminine_singular or t.name
122         pieces.append([
123             form(t) for t in self['epoch']
124         ])
125
126     if 'author' in self:
127         pieces.append([
128             t.genitive or t.name for t in self['author']
129         ])
130     
131     p = []
132     for sublist in pieces:
133         for item in sublist[:-2]:
134             p.append(item + ',')
135         for item in sublist[-2:-1]:
136             p.append(item + ' i')
137         p.append(sublist[-1])
138
139     return ' '.join(p)
140
141
142 @register.simple_tag
143 def book_tree(book_list, books_by_parent):
144     text = "".join("<li><a href='%s'>%s</a>%s</li>" % (
145         book.get_absolute_url(), book.title, book_tree(books_by_parent.get(book, ()), books_by_parent)
146         ) for book in book_list)
147
148     if text:
149         return mark_safe("<ol>%s</ol>" % text)
150     else:
151         return ''
152
153
154 @register.simple_tag
155 def book_tree_texml(book_list, books_by_parent, depth=1):
156     return mark_safe("".join("""
157             <cmd name='hspace'><parm>%(depth)dem</parm></cmd>%(title)s
158             <spec cat='align' /><cmd name="note"><parm>%(audiences)s</parm></cmd>
159             <spec cat='align' /><cmd name="note"><parm>%(audiobook)s</parm></cmd>
160             <ctrl ch='\\' />
161             %(children)s
162             """ % {
163                 "depth": depth,
164                 "title": book.title,
165                 "audiences": ", ".join(book.audiences_pl()),
166                 "audiobook": "audiobook" if book.has_media('mp3') else "",
167                 "children": book_tree_texml(books_by_parent.get(book.id, ()), books_by_parent, depth + 1)
168             } for book in book_list))
169
170
171 @register.simple_tag
172 def book_tree_csv(author, book_list, books_by_parent, depth=1, max_depth=3, delimeter="\t"):
173     def quote_if_necessary(s):
174         try:
175             s.index(delimeter)
176             s.replace('"', '\\"')
177             return '"%s"' % s
178         except ValueError:
179             return s
180
181     return mark_safe("".join("""%(author)s%(d)s%(preindent)s%(title)s%(d)s%(postindent)s%(audiences)s%(d)s%(audiobook)s
182 %(children)s""" % {
183                 "d": delimeter,
184                 "preindent": delimeter * (depth - 1),
185                 "postindent": delimeter * (max_depth - depth),
186                 "depth": depth,
187                 "author": quote_if_necessary(author.name),
188                 "title": quote_if_necessary(book.title),
189                 "audiences": ", ".join(book.audiences_pl()),
190                 "audiobook": "audiobook" if book.has_media('mp3') else "",
191                 "children": book_tree_csv(author, books_by_parent.get(book.id, ()), books_by_parent, depth + 1)
192             } for book in book_list))
193
194
195 @register.simple_tag
196 def all_editors(extra_info):
197     editors = []
198     if 'editors' in extra_info:
199         editors += extra_info['editors']
200     if 'technical_editors' in extra_info:
201         editors += extra_info['technical_editors']
202     # support for extra_info-s from librarian<1.2
203     if 'editor' in extra_info:
204         editors.append(extra_info['editor'])
205     if 'technical_editor' in extra_info:
206         editors.append(extra_info['technical_editor'])
207     return ', '.join(
208                      ' '.join(p.strip() for p in person.rsplit(',', 1)[::-1])
209                      for person in sorted(set(editors)))
210
211
212 @register.tag
213 def catalogue_url(parser, token):
214     bits = token.split_contents()
215
216     tags_to_add = []
217     tags_to_remove = []
218     for bit in bits[2:]:
219         if bit[0] == '-':
220             tags_to_remove.append(bit[1:])
221         else:
222             tags_to_add.append(bit)
223
224     return CatalogueURLNode(bits[1], tags_to_add, tags_to_remove)
225
226
227 class CatalogueURLNode(Node):
228     def __init__(self, list_type, tags_to_add, tags_to_remove):
229         self.tags_to_add = [Variable(tag) for tag in tags_to_add]
230         self.tags_to_remove = [Variable(tag) for tag in tags_to_remove]
231         self.list_type_var = Variable(list_type)
232
233     def render(self, context):
234         list_type = self.list_type_var.resolve(context)
235         tags_to_add = []
236         tags_to_remove = []
237
238         for tag_variable in self.tags_to_add:
239             tag = tag_variable.resolve(context)
240             if isinstance(tag, (list, dict)):
241                 tags_to_add += [t for t in tag]
242             else:
243                 tags_to_add.append(tag)
244
245         for tag_variable in self.tags_to_remove:
246             tag = tag_variable.resolve(context)
247             if iterable(tag):
248                 tags_to_remove += [t for t in tag]
249             else:
250                 tags_to_remove.append(tag)
251
252         tag_slugs = [tag.url_chunk for tag in tags_to_add]
253         for tag in tags_to_remove:
254             try:
255                 tag_slugs.remove(tag.url_chunk)
256             except KeyError:
257                 pass
258
259         if len(tag_slugs) > 0:
260             if list_type == 'gallery':
261                 return reverse('tagged_object_list_gallery', kwargs={'tags': '/'.join(tag_slugs)})
262             elif list_type == 'audiobooks':
263                 return reverse('tagged_object_list_audiobooks', kwargs={'tags': '/'.join(tag_slugs)})
264             else:
265                 return reverse('tagged_object_list', kwargs={'tags': '/'.join(tag_slugs)})
266         else:
267             if list_type == 'gallery':
268                 return reverse('gallery')
269             elif list_type == 'audiobooks':
270                 return reverse('audiobook_list')
271             else:
272                 return reverse('book_list')
273
274
275 # @register.inclusion_tag('catalogue/tag_list.html')
276 def tag_list(tags, choices=None, category=None, list_type='books'):
277     if choices is None:
278         choices = []
279
280     if category is None and tags:
281         category = tags[0].category
282
283     category_choices = [tag for tag in choices if tag.category == category]
284
285     if len(tags) == 1 and category not in [t.category for t in choices]:
286         one_tag = tags[0]
287     else:
288         one_tag = None
289
290     if category is not None:
291         other = Tag.objects.filter(category=category).exclude(pk__in=[t.pk for t in tags])\
292             .exclude(pk__in=[t.pk for t in category_choices])
293         # Filter out empty tags.
294         ct = ContentType.objects.get_for_model(Picture if list_type == 'gallery' else Book)
295         other = other.filter(items__content_type=ct).distinct()
296         if list_type == 'audiobooks':
297             other = other.filter(id__in=get_audiobook_tags())
298         other = other.only('name', 'slug', 'category')
299     else:
300         other = []
301
302     return {
303         'one_tag': one_tag,
304         'choices': choices,
305         'category_choices': category_choices,
306         'tags': tags,
307         'other': other,
308         'list_type': list_type,
309     }
310
311
312 @register.inclusion_tag('catalogue/book_info.html')
313 def book_info(book):
314     return {
315         'is_picture': isinstance(book, Picture),
316         'book': book,
317     }
318
319
320 @register.inclusion_tag('catalogue/plain_list.html', takes_context=True)
321 def plain_list(context, object_list, with_initials=True, by_author=False, choice=None, book=None, list_type='books',
322                paged=True, initial_blocks=False):
323     names = [('', [])]
324     last_initial = None
325     if len(object_list) < settings.CATALOGUE_MIN_INITIALS and not by_author:
326         with_initials = False
327         initial_blocks = False
328     for obj in object_list:
329         if with_initials:
330             if by_author:
331                 initial = obj.sort_key_author
332             else:
333                 initial = obj.get_initial().upper()
334             if initial != last_initial:
335                 last_initial = initial
336                 names.append((obj.author_unicode() if by_author else initial, []))
337         names[-1][1].append(obj)
338     if names[0] == ('', []):
339         del names[0]
340     return {
341         'paged': paged,
342         'names': names,
343         'initial_blocks': initial_blocks,
344         'book': book,
345         'list_type': list_type,
346         'choice': choice,
347     }
348
349
350 # TODO: These are no longer just books.
351 @register.inclusion_tag('catalogue/related_books.html', takes_context=True)
352 def related_books(context, instance, limit=6, random=1, taken=0):
353     limit -= taken
354     max_books = limit - random
355     is_picture = isinstance(instance, Picture)
356
357     pics_qs = Picture.objects.all()
358     if is_picture:
359         pics_qs = pics_qs.exclude(pk=instance.pk)
360     pics = Picture.tagged.related_to(instance, pics_qs)
361     if pics.exists():
362         # Reserve one spot for an image.
363         max_books -= 1
364
365     books_qs = Book.objects.filter(findable=True)
366     if not is_picture:
367         books_qs = books_qs.exclude(common_slug=instance.common_slug).exclude(ancestor=instance)
368     books = Book.tagged.related_to(instance, books_qs)[:max_books]
369
370     pics = pics[:1 + max_books - books.count()]
371
372     random_excluded_books = [b.pk for b in books]
373     random_excluded_pics = [p.pk for p in pics]
374     (random_excluded_pics if is_picture else random_excluded_books).append(instance.pk)
375
376     return {
377         'request': context['request'],
378         'books': books,
379         'pics': pics,
380         'random': random,
381         'random_excluded_books': random_excluded_books,
382         'random_excluded_pics': random_excluded_pics,
383     }
384
385
386 @register.simple_tag
387 def related_books_2022(book=None, picture=None, limit=4, taken=0):
388     limit -= taken
389     max_books = limit
390
391     books_qs = Book.objects.filter(findable=True)
392     if book is not None:
393         books_qs = books_qs.exclude(common_slug=book.common_slug).exclude(ancestor=book)
394     instance = book or picture
395     books = Book.tagged.related_to(instance, books_qs)[:max_books]
396
397     return books
398
399 @register.simple_tag
400 def related_pictures_2022(book=None, picture=None, limit=4, taken=0):
401     limit -= taken
402     max_books = limit
403
404     books_qs = Picture.objects.all()
405     instance = book or picture
406     books = Picture.tagged.related_to(instance, books_qs)[:max_books]
407
408     return books
409
410
411 @register.simple_tag
412 def download_audio(book, daisy=True, mp3=True):
413     links = []
414     if mp3 and book.has_media('mp3'):
415         links.append("<a href='%s'>%s</a>" % (
416             reverse('download_zip_mp3', args=[book.slug]), BookMedia.formats['mp3'].name))
417     if book.has_media('ogg'):
418         links.append("<a href='%s'>%s</a>" % (
419             reverse('download_zip_ogg', args=[book.slug]), BookMedia.formats['ogg'].name))
420     if daisy and book.has_media('daisy'):
421         for dsy in book.get_media('daisy'):
422             links.append("<a href='%s'>%s</a>" % (dsy.file.url, BookMedia.formats['daisy'].name))
423     if daisy and book.has_media('audio.epub'):
424         for dsy in book.get_media('audio.epub'):
425             links.append("<a href='%s'>%s</a>" % (dsy.file.url, BookMedia.formats['audio.epub'].name))
426     return mark_safe("".join(links))
427
428
429 @register.inclusion_tag("catalogue/snippets/custom_pdf_link_li.html")
430 def custom_pdf_link_li(book):
431     return {
432         'book': book,
433         'NO_CUSTOM_PDF': settings.NO_CUSTOM_PDF,
434     }
435
436
437 @register.inclusion_tag("catalogue/snippets/license_icon.html")
438 def license_icon(license_url):
439     """Creates a license icon, if the license_url is known."""
440     known = LICENSES.get(license_url)
441     if known is None:
442         return {}
443     return {
444         "license_url": license_url,
445         "icon": "img/licenses/%s.png" % known['icon'],
446         "license_description": known['description'],
447     }
448
449
450 @register.simple_tag
451 def license_locative(license_url, default):
452     return LICENSES.get(license_url, {}).get('locative', default)
453
454
455 @register.simple_tag
456 def source_name(url):
457     url = url.lstrip()
458     netloc = urlparse(url).netloc
459     if not netloc:
460         netloc = urlparse('http://' + url).netloc
461     if not netloc:
462         return ''
463     source, created = Source.objects.get_or_create(netloc=netloc)
464     return source.name or netloc
465
466
467 @register.simple_tag
468 def catalogue_random_book(exclude_ids):
469     from .. import app_settings
470     if random() < app_settings.RELATED_RANDOM_PICTURE_CHANCE:
471         return None
472     queryset = Book.objects.filter(findable=True).exclude(pk__in=exclude_ids)
473     count = queryset.count()
474     if count:
475         return queryset[randint(0, count - 1)]
476     else:
477         return None
478
479
480 @register.simple_tag
481 def choose_fragment(book=None, tag_ids=None):
482     if book is not None:
483         fragment = book.choose_fragment()
484     else:
485         if tag_ids is not None:
486             tags = Tag.objects.filter(pk__in=tag_ids)
487             fragments = Fragment.tagged.with_all(tags).filter(book__findable=True).order_by().only('id')
488         else:
489             fragments = Fragment.objects.filter(book__findable=True).order_by().only('id')
490         fragment_count = fragments.count()
491         fragment = fragments[randint(0, fragment_count - 1)] if fragment_count else None
492     return fragment
493
494
495 @register.filter
496 def strip_tag(html, tag_name):
497     # docelowo może być warto zainstalować BeautifulSoup do takich rzeczy
498     import re
499     return re.sub(r"<.?%s\b[^>]*>" % tag_name, "", html)
500
501
502 @register.filter
503 def status(book, user):
504     if not book.preview:
505         return 'open'
506     elif book.is_accessible_to(user):
507         return 'preview'
508     else:
509         return 'closed'
510
511
512 @register.inclusion_tag('catalogue/snippets/content_warning.html')
513 def content_warning(book):
514     warnings_def = {
515         'wulgaryzmy': _('wulgaryzmy'),
516     }
517     warnings = book.get_extra_info_json().get('content_warnings', [])
518     warnings = sorted(
519         warnings_def.get(w, w)
520         for w in warnings
521     )
522     return {
523         "warnings": warnings
524     }
525
526
527 @register.inclusion_tag('catalogue/preview_ad.html', takes_context=True)
528 def preview_ad(context):
529     book = Book.objects.filter(parent=None, preview=True).first()
530     if book is None:
531         return {}
532     return {
533         'accessible': book.is_accessible_to(context['request'].user),
534         'book': book,
535     }
536
537 @register.inclusion_tag('catalogue/preview_ad_homepage.html', takes_context=True)
538 def preview_ad_homepage(context):
539     book = Book.objects.filter(parent=None, preview=True).first()
540     if book is None:
541         return {}
542     return {
543         'accessible': book.is_accessible_to(context['request'].user),
544         'book': book,
545     }