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