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