no ssi for book_short
[wolnelektury.git] / src / catalogue / views.py
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.
4 #
5 from collections import OrderedDict
6 import re
7 import random
8
9 from django.conf import settings
10 from django.template import RequestContext
11 from django.template.loader import render_to_string
12 from django.shortcuts import render_to_response, get_object_or_404, render, redirect
13 from django.http import HttpResponse, HttpResponseRedirect, Http404, HttpResponsePermanentRedirect, JsonResponse
14 from django.core.urlresolvers import reverse
15 from django.db.models import Q, QuerySet
16 from django.contrib.auth.decorators import login_required, user_passes_test
17 from django.utils.http import urlquote_plus
18 from django.utils import translation
19 from django.utils.translation import ugettext as _, ugettext_lazy
20
21 from ajaxable.utils import AjaxableFormView
22 from pdcounter.models import BookStub, Author
23 from pdcounter import views as pdcounter_views
24 from picture.models import Picture, PictureArea
25 from ssify import ssi_included, ssi_expect, SsiVariable as Var
26 from suggest.forms import PublishingSuggestForm
27 from catalogue import constants
28 from catalogue import forms
29 from catalogue.helpers import get_top_level_related_tags
30 from catalogue.models import Book, Collection, Tag, Fragment
31 from catalogue.utils import split_tags
32 from catalogue.models.tag import prefetch_relations
33
34 staff_required = user_passes_test(lambda user: user.is_staff)
35
36
37 def catalogue(request):
38     return render(request, 'catalogue/catalogue.html', {
39         'books': Book.objects.filter(parent=None),
40         'pictures': Picture.objects.all(),
41         'collections': Collection.objects.all(),
42         'active_menu_item': 'all_works',
43     })
44
45
46 def book_list(request, filters=None, template_name='catalogue/book_list.html',
47               nav_template_name='catalogue/snippets/book_list_nav.html',
48               list_template_name='catalogue/snippets/book_list.html'):
49     """ generates a listing of all books, optionally filtered """
50     books_by_author, orphans, books_by_parent = Book.book_list(filters)
51     books_nav = OrderedDict()
52     for tag in books_by_author:
53         if books_by_author[tag]:
54             books_nav.setdefault(tag.sort_key[0], []).append(tag)
55     # WTF: dlaczego nie include?
56     return render_to_response(template_name, {
57         'rendered_nav': render_to_string(nav_template_name, {'books_nav': books_nav}),
58         'rendered_book_list': render_to_string(list_template_name, {
59             'books_by_author': books_by_author,
60             'orphans': orphans,
61             'books_by_parent': books_by_parent,
62         })
63     }, context_instance=RequestContext(request))
64
65
66 def daisy_list(request):
67     return book_list(request, Q(media__type='daisy'), template_name='catalogue/daisy_list.html')
68
69
70 def collection(request, slug):
71     coll = get_object_or_404(Collection, slug=slug)
72     return render(request, 'catalogue/collection.html', {'collection': coll})
73
74
75 def differentiate_tags(request, tags, ambiguous_slugs):
76     beginning = '/'.join(tag.url_chunk for tag in tags)
77     unparsed = '/'.join(ambiguous_slugs[1:])
78     options = []
79     for tag in Tag.objects.filter(slug=ambiguous_slugs[0]):
80         options.append({
81             'url_args': '/'.join((beginning, tag.url_chunk, unparsed)).strip('/'),
82             'tags': [tag]
83         })
84     return render_to_response(
85         'catalogue/differentiate_tags.html', {'tags': tags, 'options': options, 'unparsed': ambiguous_slugs[1:]},
86         context_instance=RequestContext(request))
87
88
89 def object_list(request, objects, fragments=None, related_tags=None, tags=None, list_type='books', extra=None):
90     if not tags:
91         tags = []
92     tag_ids = [tag.pk for tag in tags]
93
94     related_tag_lists = []
95     if related_tags:
96         related_tag_lists.append(related_tags)
97     else:
98         related_tag_lists.append(
99             Tag.objects.usage_for_queryset(objects, counts=True).exclude(category='set').exclude(pk__in=tag_ids))
100     if not (extra and extra.get('theme_is_set')):
101         if fragments is None:
102             if list_type == 'gallery':
103                 fragments = PictureArea.objects.filter(picture__in=objects)
104             else:
105                 fragments = Fragment.objects.filter(book__in=objects)
106         related_tag_lists.append(
107             Tag.objects.usage_for_queryset(fragments, counts=True).filter(category='theme').exclude(pk__in=tag_ids)
108             .only('name', 'sort_key', 'category', 'slug'))
109         if isinstance(objects, QuerySet):
110             objects = prefetch_relations(objects, 'author')
111
112     categories = split_tags(*related_tag_lists)
113
114     objects = list(objects)
115
116     if not objects and len(tags) == 1 and list_type == 'books':
117         if PictureArea.tagged.with_any(tags).exists() or Picture.tagged.with_any(tags).exists():
118             return redirect('tagged_object_list_gallery', '/'.join(tag.url_chunk for tag in tags))
119
120     if len(objects) > 3:
121         best = random.sample(objects, 3)
122     else:
123         best = objects
124
125     result = {
126         'object_list': objects,
127         'categories': categories,
128         'list_type': list_type,
129         'tags': tags,
130
131         'formats_form': forms.DownloadFormatsForm(),
132         'best': best,
133         'active_menu_item': list_type,
134     }
135     if extra:
136         result.update(extra)
137     return render_to_response(
138         'catalogue/tagged_object_list.html', result,
139         context_instance=RequestContext(request))
140
141
142 def literature(request):
143     books = Book.objects.filter(parent=None)
144
145     # last_published = Book.objects.exclude(cover_thumb='').filter(parent=None).order_by('-created_at')[:20]
146     # most_popular = Book.objects.exclude(cover_thumb='')\
147     #                    .order_by('-popularity__count', 'sort_key_author', 'sort_key')[:20]
148     return object_list(request, books, related_tags=get_top_level_related_tags([]))
149     # extra={
150     #     'last_published': last_published,
151     #     'most_popular': most_popular,
152     # })
153
154
155 def gallery(request):
156     return object_list(request, Picture.objects.all(), list_type='gallery')
157
158
159 def audiobooks(request):
160     audiobooks = Book.objects.filter(media__type__in=('mp3', 'ogg')).distinct()
161     return object_list(request, audiobooks, list_type='audiobooks', extra={
162         'daisy': Book.objects.filter(media__type='daisy').distinct(),
163     })
164
165
166 class ResponseInstead(Exception):
167     def __init__(self, response):
168         super(ResponseInstead, self).__init__()
169         self.response = response
170
171
172 def analyse_tags(request, tag_str):
173     try:
174         tags = Tag.get_tag_list(tag_str)
175     except Tag.DoesNotExist:
176         # Perhaps the user is asking about an author in Public Domain
177         # counter (they are not represented in tags)
178         chunks = tag_str.split('/')
179         if len(chunks) == 2 and chunks[0] == 'autor':
180             raise ResponseInstead(pdcounter_views.author_detail(request, chunks[1]))
181         else:
182             raise Http404
183     except Tag.MultipleObjectsReturned, e:
184         # Ask the user to disambiguate
185         raise ResponseInstead(differentiate_tags(request, e.tags, e.ambiguous_slugs))
186     except Tag.UrlDeprecationWarning, e:
187         raise ResponseInstead(HttpResponsePermanentRedirect(
188             reverse('tagged_object_list', args=['/'.join(tag.url_chunk for tag in e.tags)])))
189
190     try:
191         if len(tags) > settings.MAX_TAG_LIST:
192             raise Http404
193     except AttributeError:
194         pass
195
196     return tags
197
198
199 def theme_list(request, tags, list_type):
200     shelf_tags = [tag for tag in tags if tag.category == 'set']
201     fragment_tags = [tag for tag in tags if tag.category != 'set']
202     if list_type == 'gallery':
203         fragments = PictureArea.tagged.with_all(fragment_tags)
204     else:
205         fragments = Fragment.tagged.with_all(fragment_tags)
206
207     if shelf_tags:
208         # TODO: Pictures on shelves not supported yet.
209         books = Book.tagged.with_all(shelf_tags).order_by()
210         fragments = fragments.filter(Q(book__in=books) | Q(book__ancestor__in=books))
211
212     if not fragments and len(tags) == 1 and list_type == 'books':
213         if PictureArea.tagged.with_any(tags).exists() or Picture.tagged.with_any(tags).exists():
214             return redirect('tagged_object_list_gallery', '/'.join(tag.url_chunk for tag in tags))
215
216     return object_list(request, fragments, tags=tags, list_type=list_type, extra={
217         'theme_is_set': True,
218         'active_menu_item': 'theme',
219     })
220
221
222 def tagged_object_list(request, tags, list_type):
223     try:
224         tags = analyse_tags(request, tags)
225     except ResponseInstead as e:
226         return e.response
227
228     if list_type == 'gallery' and any(tag.category == 'set' for tag in tags):
229         raise Http404
230
231     if any(tag.category in ('theme', 'thing') for tag in tags):
232         return theme_list(request, tags, list_type=list_type)
233
234     if list_type == 'books':
235         books = Book.tagged.with_all(tags)
236
237         if any(tag.category == 'set' for tag in tags):
238             params = {'objects': books}
239         else:
240             params = {
241                 'objects': Book.tagged_top_level(tags),
242                 'fragments': Fragment.objects.filter(book__in=books),
243                 'related_tags': get_top_level_related_tags(tags),
244             }
245     elif list_type == 'gallery':
246         params = {'objects': Picture.tagged.with_all(tags)}
247     elif list_type == 'audiobooks':
248         audiobooks = Book.objects.filter(media__type__in=('mp3', 'ogg')).distinct()
249         params = {
250             'objects': Book.tagged.with_all(tags, audiobooks),
251             'extra': {
252                 'daisy': Book.tagged.with_all(tags, audiobooks.filter(media__type='daisy').distinct()),
253             }
254         }
255     else:
256         raise Http404
257
258     return object_list(request, tags=tags, list_type=list_type, **params)
259
260
261 def book_fragments(request, slug, theme_slug):
262     book = get_object_or_404(Book, slug=slug)
263     theme = get_object_or_404(Tag, slug=theme_slug, category='theme')
264     fragments = Fragment.tagged.with_all([theme]).filter(
265         Q(book=book) | Q(book__ancestor=book))
266
267     return render_to_response('catalogue/book_fragments.html', {
268         'book': book,
269         'theme': theme,
270         'fragments': fragments,
271         'active_menu_item': 'books',
272     }, context_instance=RequestContext(request))
273
274
275 def book_detail(request, slug):
276     try:
277         book = Book.objects.get(slug=slug)
278     except Book.DoesNotExist:
279         return pdcounter_views.book_stub_detail(request, slug)
280
281     return render_to_response('catalogue/book_detail.html', {
282         'book': book,
283         'tags': book.tags.exclude(category__in=('set', 'theme')),
284         'book_children': book.children.all().order_by('parent_number', 'sort_key'),
285         'active_menu_item': 'books',
286     }, context_instance=RequestContext(request))
287
288
289 # używane w publicznym interfejsie
290 def player(request, slug):
291     book = get_object_or_404(Book, slug=slug)
292     if not book.has_media('mp3'):
293         raise Http404
294
295     audiobooks, projects = book.get_audiobooks()
296
297     return render_to_response('catalogue/player.html', {
298         'book': book,
299         'audiobook': '',
300         'audiobooks': audiobooks,
301         'projects': projects,
302     }, context_instance=RequestContext(request))
303
304
305 def book_text(request, slug):
306     book = get_object_or_404(Book, slug=slug)
307
308     if not book.has_html_file():
309         raise Http404
310     return render_to_response('catalogue/book_text.html', {'book': book}, context_instance=RequestContext(request))
311
312
313 # ==========
314 # = Search =
315 # ==========
316
317 def _no_diacritics_regexp(query):
318     """ returns a regexp for searching for a query without diacritics
319
320     should be locale-aware """
321     names = {
322         u'a': u'aąĄ', u'c': u'cćĆ', u'e': u'eęĘ', u'l': u'lłŁ', u'n': u'nńŃ', u'o': u'oóÓ', u's': u'sśŚ',
323         u'z': u'zźżŹŻ',
324         u'ą': u'ąĄ', u'ć': u'ćĆ', u'ę': u'ęĘ', u'ł': u'łŁ', u'ń': u'ńŃ', u'ó': u'óÓ', u'ś': u'śŚ', u'ź': u'źŹ',
325         u'ż': u'żŻ'
326         }
327
328     def repl(m):
329         l = m.group()
330         return u"(?:%s)" % '|'.join(names[l])
331
332     return re.sub(u'[%s]' % (u''.join(names.keys())), repl, query)
333
334
335 def unicode_re_escape(query):
336     """ Unicode-friendly version of re.escape """
337     s = list(query)
338     for i, c in enumerate(query):
339         if re.match(r'(?u)(\W)', c) and re.match(r'[\x00-\x7e]', c):
340             if c == "\000":
341                 s[i] = "\\000"
342             else:
343                 s[i] = "\\" + c
344     return query[:0].join(s)
345
346
347 def _word_starts_with(name, prefix):
348     """returns a Q object getting models having `name` contain a word
349     starting with `prefix`
350
351     We define word characters as alphanumeric and underscore, like in JS.
352
353     Works for MySQL, PostgreSQL, Oracle.
354     For SQLite, _sqlite* version is substituted for this.
355     """
356     kwargs = {}
357
358     prefix = _no_diacritics_regexp(unicode_re_escape(prefix))
359     # can't use [[:<:]] (word start),
360     # but we want both `xy` and `(xy` to catch `(xyz)`
361     kwargs['%s__iregex' % name] = u"(^|[^[:alnum:]_])%s" % prefix
362
363     return Q(**kwargs)
364
365
366 def _word_starts_with_regexp(prefix):
367     prefix = _no_diacritics_regexp(unicode_re_escape(prefix))
368     return ur"(^|(?<=[^\wąćęłńóśźżĄĆĘŁŃÓŚŹŻ]))%s" % prefix
369
370
371 def _sqlite_word_starts_with(name, prefix):
372     """ version of _word_starts_with for SQLite
373
374     SQLite in Django uses Python re module
375     """
376     kwargs = {'%s__iregex' % name: _word_starts_with_regexp(prefix)}
377     return Q(**kwargs)
378
379
380 if hasattr(settings, 'DATABASES'):
381     if settings.DATABASES['default']['ENGINE'] == 'django.db.backends.sqlite3':
382         _word_starts_with = _sqlite_word_starts_with
383 elif settings.DATABASE_ENGINE == 'sqlite3':
384     _word_starts_with = _sqlite_word_starts_with
385
386
387 class App:
388     def __init__(self, name, view):
389         self.name = name
390         self._view = view
391         self.lower = name.lower()
392         self.category = 'application'
393
394     def view(self):
395         return reverse(*self._view)
396
397 _apps = (
398     App(u'Leśmianator', (u'lesmianator', )),
399     )
400
401
402 def _tags_starting_with(prefix, user=None):
403     prefix = prefix.lower()
404     # PD counter
405     book_stubs = BookStub.objects.filter(_word_starts_with('title', prefix))
406     authors = Author.objects.filter(_word_starts_with('name', prefix))
407
408     books = Book.objects.filter(_word_starts_with('title', prefix))
409     tags = Tag.objects.filter(_word_starts_with('name', prefix))
410     if user and user.is_authenticated():
411         tags = tags.filter(~Q(category='set') | Q(user=user))
412     else:
413         tags = tags.exclude(category='set')
414
415     prefix_regexp = re.compile(_word_starts_with_regexp(prefix))
416     return list(books) + list(tags) + [app for app in _apps if prefix_regexp.search(app.lower)] + list(book_stubs) + \
417         list(authors)
418
419
420 def _get_result_link(match, tag_list):
421     if isinstance(match, Tag):
422         return reverse('catalogue.views.tagged_object_list',
423                        kwargs={'tags': '/'.join(tag.url_chunk for tag in tag_list + [match])})
424     elif isinstance(match, App):
425         return match.view()
426     else:
427         return match.get_absolute_url()
428
429
430 def _get_result_type(match):
431     if isinstance(match, Book) or isinstance(match, BookStub):
432         match_type = 'book'
433     else:
434         match_type = match.category
435     return match_type
436
437
438 def books_starting_with(prefix):
439     prefix = prefix.lower()
440     return Book.objects.filter(_word_starts_with('title', prefix))
441
442
443 def find_best_matches(query, user=None):
444     """ Finds a Book, Tag, BookStub or Author best matching a query.
445
446     Returns a with:
447       - zero elements when nothing is found,
448       - one element when a best result is found,
449       - more then one element on multiple exact matches
450
451     Raises a ValueError on too short a query.
452     """
453
454     query = query.lower()
455     if len(query) < 2:
456         raise ValueError("query must have at least two characters")
457
458     result = tuple(_tags_starting_with(query, user))
459     # remove pdcounter stuff
460     book_titles = set(match.pretty_title().lower() for match in result
461                       if isinstance(match, Book))
462     authors = set(match.name.lower() for match in result
463                   if isinstance(match, Tag) and match.category == 'author')
464     result = tuple(res for res in result if not (
465                  (isinstance(res, BookStub) and res.pretty_title().lower() in book_titles) or
466                  (isinstance(res, Author) and res.name.lower() in authors)
467              ))
468
469     exact_matches = tuple(res for res in result if res.name.lower() == query)
470     if exact_matches:
471         return exact_matches
472     else:
473         return tuple(result)[:1]
474
475
476 def search(request):
477     tags = request.GET.get('tags', '')
478     prefix = request.GET.get('q', '')
479
480     try:
481         tag_list = Tag.get_tag_list(tags)
482     except (Tag.DoesNotExist, Tag.MultipleObjectsReturned, Tag.UrlDeprecationWarning):
483         tag_list = []
484
485     try:
486         result = find_best_matches(prefix, request.user)
487     except ValueError:
488         return render_to_response(
489             'catalogue/search_too_short.html', {'tags': tag_list, 'prefix': prefix},
490             context_instance=RequestContext(request))
491
492     if len(result) == 1:
493         return HttpResponseRedirect(_get_result_link(result[0], tag_list))
494     elif len(result) > 1:
495         return render_to_response(
496             'catalogue/search_multiple_hits.html',
497             {
498                 'tags': tag_list, 'prefix': prefix,
499                 'results': ((x, _get_result_link(x, tag_list), _get_result_type(x)) for x in result)
500             },
501             context_instance=RequestContext(request))
502     else:
503         form = PublishingSuggestForm(initial={"books": prefix + ", "})
504         return render_to_response(
505             'catalogue/search_no_hits.html',
506             {'tags': tag_list, 'prefix': prefix, "pubsuggest_form": form},
507             context_instance=RequestContext(request))
508
509
510 def tags_starting_with(request):
511     prefix = request.GET.get('q', '')
512     # Prefix must have at least 2 characters
513     if len(prefix) < 2:
514         return HttpResponse('')
515     tags_list = []
516     result = ""
517     for tag in _tags_starting_with(prefix, request.user):
518         if tag.name not in tags_list:
519             result += "\n" + tag.name
520             tags_list.append(tag.name)
521     return HttpResponse(result)
522
523
524 def json_tags_starting_with(request, callback=None):
525     # Callback for JSONP
526     prefix = request.GET.get('q', '')
527     callback = request.GET.get('callback', '')
528     # Prefix must have at least 2 characters
529     if len(prefix) < 2:
530         return HttpResponse('')
531     tags_list = []
532     for tag in _tags_starting_with(prefix, request.user):
533         if tag.name not in tags_list:
534             tags_list.append(tag.name)
535     if request.GET.get('mozhint', ''):
536         result = [prefix, tags_list]
537     else:
538         result = {"matches": tags_list}
539     response = JsonResponse(result, safe=False)
540     if callback:
541         response.content = callback + "(" + response.content + ");"
542     return response
543
544
545 # =========
546 # = Admin =
547 # =========
548 @login_required
549 @staff_required
550 def import_book(request):
551     """docstring for import_book"""
552     book_import_form = forms.BookImportForm(request.POST, request.FILES)
553     if book_import_form.is_valid():
554         try:
555             book_import_form.save()
556         except:
557             import sys
558             import pprint
559             import traceback
560             info = sys.exc_info()
561             exception = pprint.pformat(info[1])
562             tb = '\n'.join(traceback.format_tb(info[2]))
563             return HttpResponse(
564                     _("An error occurred: %(exception)s\n\n%(tb)s") % {'exception': exception, 'tb': tb},
565                     mimetype='text/plain')
566         return HttpResponse(_("Book imported successfully"))
567     else:
568         return HttpResponse(_("Error importing file: %r") % book_import_form.errors)
569
570
571 # info views for API
572
573 def book_info(request, book_id, lang='pl'):
574     book = get_object_or_404(Book, id=book_id)
575     # set language by hand
576     translation.activate(lang)
577     return render_to_response('catalogue/book_info.html', {'book': book}, context_instance=RequestContext(request))
578
579
580 def tag_info(request, tag_id):
581     tag = get_object_or_404(Tag, id=tag_id)
582     return HttpResponse(tag.description)
583
584
585 def download_zip(request, format, slug=None):
586     if format in Book.ebook_formats:
587         url = Book.zip_format(format)
588     elif format in ('mp3', 'ogg') and slug is not None:
589         book = get_object_or_404(Book, slug=slug)
590         url = book.zip_audiobooks(format)
591     else:
592         raise Http404('No format specified for zip package')
593     return HttpResponseRedirect(urlquote_plus(settings.MEDIA_URL + url, safe='/?='))
594
595
596 class CustomPDFFormView(AjaxableFormView):
597     form_class = forms.CustomPDFForm
598     title = ugettext_lazy('Download custom PDF')
599     submit = ugettext_lazy('Download')
600     template = 'catalogue/custom_pdf_form.html'
601     honeypot = True
602
603     def __call__(self, *args, **kwargs):
604         if settings.NO_CUSTOM_PDF:
605             raise Http404('Custom PDF is disabled')
606         return super(CustomPDFFormView, self).__call__(*args, **kwargs)
607
608     def form_args(self, request, obj):
609         """Override to parse view args and give additional args to the form."""
610         return (obj,), {}
611
612     def get_object(self, request, slug, *args, **kwargs):
613         return get_object_or_404(Book, slug=slug)
614
615     def context_description(self, request, obj):
616         return obj.pretty_title()
617
618
619 ####
620 # Includes
621 ####
622
623
624 @ssi_included
625 def book_mini(request, pk, with_link=True):
626     # book = get_object_or_404(Book, pk=pk)
627     try:
628         book = Book.objects.only('cover_thumb', 'title', 'language', 'slug').get(pk=pk)
629     except Book.DoesNotExist:
630         raise Http404
631     return render(request, 'catalogue/book_mini_box.html', {
632         'book': book,
633         'no_link': not with_link,
634     })
635
636
637 @ssi_included(get_ssi_vars=lambda pk: (lambda ipk: (
638         ('ssify.get_csrf_token',),
639         ('social_tags.likes_book', (ipk,)),
640         ('social_tags.book_shelf_tags', (ipk,)),
641     ))(ssi_expect(pk, int)))
642 def book_short(request, pk):
643     book = get_object_or_404(Book, pk=pk)
644
645     return render(request, 'catalogue/book_short.html', {
646         'book': book,
647     })
648
649
650 @ssi_included(
651     get_ssi_vars=lambda pk: book_short.get_ssi_vars(pk) +
652     (lambda ipk: (
653         ('social_tags.choose_cite', [ipk]),
654         ('catalogue_tags.choose_fragment', [ipk], {
655             'unless': Var('social_tags.choose_cite', [ipk])}),
656     ))(ssi_expect(pk, int)))
657 def book_wide(request, pk):
658     book = get_object_or_404(Book, pk=pk)
659     extra_info = book.extra_info
660
661     return render(request, 'catalogue/book_wide.html', {
662         'book': book,
663         'parents': book.parents(),
664         'tags': split_tags(book.tags.exclude(category__in=('set', 'theme'))),
665         'show_lang': book.language_code() != settings.LANGUAGE_CODE,
666
667         'main_link': reverse('book_text', args=[book.slug]) if book.html_file else None,
668         'extra_info': extra_info,
669         'hide_about': extra_info.get('about', '').startswith('http://wiki.wolnepodreczniki.pl'),
670     })
671
672
673 @ssi_included
674 def fragment_short(request, pk):
675     fragment = get_object_or_404(Fragment, pk=pk)
676     return render(request, 'catalogue/fragment_short.html', {'fragment': fragment})
677
678
679 @ssi_included
680 def fragment_promo(request, pk):
681     fragment = get_object_or_404(Fragment, pk=pk)
682     return render(request, 'catalogue/fragment_promo.html', {'fragment': fragment})
683
684
685 @ssi_included
686 def tag_box(request, pk):
687     tag = get_object_or_404(Tag, pk=pk)
688     assert tag.category != 'set'
689
690     return render(request, 'catalogue/tag_box.html', {
691         'tag': tag,
692     })
693
694
695 @ssi_included
696 def collection_box(request, pk):
697     collection = get_object_or_404(Collection, pk=pk)
698
699     return render(request, 'catalogue/collection_box.html', {
700         'collection': collection,
701     })
702
703
704 def tag_catalogue(request, category):
705     if category == 'theme':
706         tags = Tag.objects.usage_for_model(
707             Fragment, counts=True).filter(category='theme')
708     else:
709         tags = list(get_top_level_related_tags((), categories=(category,)))
710
711     described_tags = [tag for tag in tags if tag.description]
712
713     if len(described_tags) > 4:
714         best = random.sample(described_tags, 4)
715     else:
716         best = described_tags
717
718     return render(request, 'catalogue/tag_catalogue.html', {
719         'tags': tags,
720         'best': best,
721         'title': constants.CATEGORIES_NAME_PLURAL[category],
722         'whole_category': constants.WHOLE_CATEGORY[category],
723         'active_menu_item': 'theme' if category == 'theme' else None,
724     })
725
726
727 def collections(request):
728     objects = Collection.objects.all()
729
730     if len(objects) > 3:
731         best = random.sample(objects, 3)
732     else:
733         best = objects
734
735     return render(request, 'catalogue/collections.html', {
736         'objects': objects,
737         'best': best,
738     })
739
740
741 def ridero_cover(request, slug):
742     from librarian.cover import make_cover
743     wldoc = Book.objects.get(slug=slug).wldocument()
744     cover = make_cover(wldoc.book_info, width=980, bleed=20, format='PNG')
745     response = HttpResponse(content_type="image/png")
746     cover.save(response)
747     return response
748
749
750 def get_isbn(request, book_format, slug):
751     book = Book.objects.get(slug=slug)
752     return HttpResponse(book.extra_info.get('isbn_%s' % book_format))