1 # -*- coding: utf-8 -*-
2 # This file is part of Wolnelektury, licensed under GNU Affero GPLv3 or later.
3 # Copyright © Fundacja Nowoczesna Polska. See NOTICE for more information.
5 from collections import OrderedDict
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
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
33 staff_required = user_passes_test(lambda user: user.is_staff)
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',
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,
60 'books_by_parent': books_by_parent,
62 }, context_instance=RequestContext(request))
65 def daisy_list(request):
66 return book_list(request, Q(media__type='daisy'), template_name='catalogue/daisy_list.html')
69 def collection(request, slug):
70 coll = get_object_or_404(Collection, slug=slug)
71 return render(request, 'catalogue/collection.html', {'collection': coll})
74 def differentiate_tags(request, tags, ambiguous_slugs):
75 beginning = '/'.join(tag.url_chunk for tag in tags)
76 unparsed = '/'.join(ambiguous_slugs[1:])
78 for tag in Tag.objects.filter(slug=ambiguous_slugs[0]):
80 'url_args': '/'.join((beginning, tag.url_chunk, unparsed)).strip('/'),
83 return render_to_response(
84 'catalogue/differentiate_tags.html', {'tags': tags, 'options': options, 'unparsed': ambiguous_slugs[1:]},
85 context_instance=RequestContext(request))
88 def object_list(request, objects, fragments=None, related_tags=None, tags=None, list_type='books', extra=None):
91 tag_ids = [tag.pk for tag in tags]
93 related_tag_lists = []
95 related_tag_lists.append(related_tags)
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)
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))
108 categories = split_tags(*related_tag_lists)
110 objects = list(objects)
112 best = random.sample(objects, 3)
117 'object_list': objects,
118 'categories': categories,
119 'list_type': list_type,
122 'formats_form': forms.DownloadFormatsForm(),
124 'active_menu_item': list_type,
128 return render_to_response(
129 'catalogue/tagged_object_list.html', result,
130 context_instance=RequestContext(request))
133 def literature(request):
134 books = Book.objects.filter(parent=None)
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([]))
141 # 'last_published': last_published,
142 # 'most_popular': most_popular,
146 def gallery(request):
147 return object_list(request, Picture.objects.all(), list_type='gallery')
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(),
157 class ResponseInstead(Exception):
158 def __init__(self, response):
159 super(ResponseInstead, self).__init__()
160 self.response = response
163 def analyse_tags(request, tag_str):
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]))
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)])))
182 if len(tags) > settings.MAX_TAG_LIST:
184 except AttributeError:
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)
196 fragments = Fragment.tagged.with_all(fragment_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))
203 if not fragments and len(tags) == 1 and list_type == 'books':
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))
210 return object_list(request, fragments, tags=tags, list_type=list_type, extra={
211 'theme_is_set': True,
212 'active_menu_item': 'theme',
216 def tagged_object_list(request, tags, list_type):
218 tags = analyse_tags(request, tags)
219 except ResponseInstead as e:
222 if list_type == 'gallery' and any(tag.category == 'set' for tag in tags):
225 if any(tag.category in ('theme', 'thing') for tag in tags):
226 return theme_list(request, tags, list_type=list_type)
228 if list_type == 'books':
229 books = Book.tagged.with_all(tags)
231 if any(tag.category == 'set' for tag in tags):
232 params = {'objects': books}
235 'objects': Book.tagged_top_level(tags),
236 'fragments': Fragment.objects.filter(book__in=books),
237 'related_tags': get_top_level_related_tags(tags),
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()
244 'objects': Book.tagged.with_all(tags, audiobooks),
246 'daisy': Book.tagged.with_all(tags, audiobooks.filter(media__type='daisy').distinct()),
252 return object_list(request, tags=tags, list_type=list_type, **params)
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))
261 return render_to_response('catalogue/book_fragments.html', {
264 'fragments': fragments,
265 'active_menu_item': 'books',
266 }, context_instance=RequestContext(request))
269 def book_detail(request, slug):
271 book = Book.objects.get(slug=slug)
272 except Book.DoesNotExist:
273 return pdcounter_views.book_stub_detail(request, slug)
275 return render_to_response('catalogue/book_detail.html', {
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))
283 def get_audiobooks(book):
285 for m in book.media.filter(type='ogg').order_by().iterator():
286 ogg_files[m.name] = m
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')
297 project = u'CzytamySłuchając'
299 projects.add((project, meta.get('funded_by', '')))
303 ogg = ogg_files.get(mp3.name)
308 audiobooks.append(media)
310 projects = sorted(projects)
311 return audiobooks, projects, have_oggs
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'):
320 audiobooks, projects, have_oggs = get_audiobooks(book)
322 return render_to_response('catalogue/player.html', {
325 'audiobooks': audiobooks,
326 'projects': projects,
327 }, context_instance=RequestContext(request))
330 def book_text(request, slug):
331 book = get_object_or_404(Book, slug=slug)
333 if not book.has_html_file():
335 return render_to_response('catalogue/book_text.html', {'book': book}, context_instance=RequestContext(request))
342 def _no_diacritics_regexp(query):
343 """ returns a regexp for searching for a query without diacritics
345 should be locale-aware """
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śŚ',
349 u'ą': u'ąĄ', u'ć': u'ćĆ', u'ę': u'ęĘ', u'ł': u'łŁ', u'ń': u'ńŃ', u'ó': u'óÓ', u'ś': u'śŚ', u'ź': u'źŹ',
355 return u"(?:%s)" % '|'.join(names[l])
357 return re.sub(u'[%s]' % (u''.join(names.keys())), repl, query)
360 def unicode_re_escape(query):
361 """ Unicode-friendly version of re.escape """
362 return re.sub(r'(?u)(\W)', r'\\\1', query)
365 def _word_starts_with(name, prefix):
366 """returns a Q object getting models having `name` contain a word
367 starting with `prefix`
369 We define word characters as alphanumeric and underscore, like in JS.
371 Works for MySQL, PostgreSQL, Oracle.
372 For SQLite, _sqlite* version is substituted for this.
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
384 def _word_starts_with_regexp(prefix):
385 prefix = _no_diacritics_regexp(unicode_re_escape(prefix))
386 return ur"(^|(?<=[^\wąćęłńóśźżĄĆĘŁŃÓŚŹŻ]))%s" % prefix
389 def _sqlite_word_starts_with(name, prefix):
390 """ version of _word_starts_with for SQLite
392 SQLite in Django uses Python re module
394 kwargs = {'%s__iregex' % name: _word_starts_with_regexp(prefix)}
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
406 def __init__(self, name, view):
409 self.lower = name.lower()
410 self.category = 'application'
413 return reverse(*self._view)
416 App(u'Leśmianator', (u'lesmianator', )),
420 def _tags_starting_with(prefix, user=None):
421 prefix = prefix.lower()
423 book_stubs = BookStub.objects.filter(_word_starts_with('title', prefix))
424 authors = Author.objects.filter(_word_starts_with('name', prefix))
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))
431 tags = tags.exclude(category='set')
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) + \
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):
445 return match.get_absolute_url()
448 def _get_result_type(match):
449 if isinstance(match, Book) or isinstance(match, BookStub):
452 match_type = match.category
456 def books_starting_with(prefix):
457 prefix = prefix.lower()
458 return Book.objects.filter(_word_starts_with('title', prefix))
461 def find_best_matches(query, user=None):
462 """ Finds a Book, Tag, BookStub or Author best matching a query.
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
469 Raises a ValueError on too short a query.
472 query = query.lower()
474 raise ValueError("query must have at least two characters")
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)
487 exact_matches = tuple(res for res in result if res.name.lower() == query)
491 return tuple(result)[:1]
495 tags = request.GET.get('tags', '')
496 prefix = request.GET.get('q', '')
499 tag_list = Tag.get_tag_list(tags)
500 except (Tag.DoesNotExist, Tag.MultipleObjectsReturned, Tag.UrlDeprecationWarning):
504 result = find_best_matches(prefix, request.user)
506 return render_to_response(
507 'catalogue/search_too_short.html', {'tags': tag_list, 'prefix': prefix},
508 context_instance=RequestContext(request))
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',
516 'tags': tag_list, 'prefix': prefix,
517 'results': ((x, _get_result_link(x, tag_list), _get_result_type(x)) for x in result)
519 context_instance=RequestContext(request))
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))
528 def tags_starting_with(request):
529 prefix = request.GET.get('q', '')
530 # Prefix must have at least 2 characters
532 return HttpResponse('')
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)
542 def json_tags_starting_with(request, callback=None):
544 prefix = request.GET.get('q', '')
545 callback = request.GET.get('callback', '')
546 # Prefix must have at least 2 characters
548 return HttpResponse('')
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]
556 result = {"matches": tags_list}
557 response = JsonResponse(result, safe=False)
559 response.content = callback + "(" + response.content + ");"
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():
573 book_import_form.save()
578 info = sys.exc_info()
579 exception = pprint.pformat(info[1])
580 tb = '\n'.join(traceback.format_tb(info[2]))
582 _("An error occurred: %(exception)s\n\n%(tb)s") % {'exception': exception, 'tb': tb},
583 mimetype='text/plain')
584 return HttpResponse(_("Book imported successfully"))
586 return HttpResponse(_("Error importing file: %r") % book_import_form.errors)
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))
598 def tag_info(request, tag_id):
599 tag = get_object_or_404(Tag, id=tag_id)
600 return HttpResponse(tag.description)
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)
610 raise Http404('No format specified for zip package')
611 return HttpResponseRedirect(urlquote_plus(settings.MEDIA_URL + url, safe='/?='))
614 class CustomPDFFormView(AjaxableFormView):
615 form_class = forms.CustomPDFForm
616 title = ugettext_lazy('Download custom PDF')
617 submit = ugettext_lazy('Download')
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)
625 def form_args(self, request, obj):
626 """Override to parse view args and give additional args to the form."""
629 def get_object(self, request, slug, *args, **kwargs):
630 return get_object_or_404(Book, slug=slug)
632 def context_description(self, request, obj):
633 return obj.pretty_title()
642 def book_mini(request, pk, with_link=True):
643 # book = get_object_or_404(Book, pk=pk)
645 book = Book.objects.only('cover_thumb', 'title', 'language', 'slug').get(pk=pk)
646 except Book.DoesNotExist:
648 return render(request, 'catalogue/book_mini_box.html', {
650 'no_link': not with_link,
654 @ssi_included(get_ssi_vars=lambda pk: (lambda ipk: (
655 ('ssify.get_csrf_token',),
656 ('social_tags.likes_book', (ipk,)),
657 ('social_tags.book_shelf_tags', (ipk,)),
658 ))(ssi_expect(pk, int)))
659 def book_short(request, pk):
660 book = get_object_or_404(Book, pk=pk)
661 stage_note, stage_note_url = book.stage_note()
662 audiobooks, projects, have_oggs = get_audiobooks(book)
664 return render(request, 'catalogue/book_short.html', {
666 'has_audio': book.has_media('mp3'),
667 'main_link': book.get_absolute_url(),
668 'parents': book.parents(),
669 'tags': split_tags(book.tags.exclude(category__in=('set', 'theme'))),
670 'show_lang': book.language_code() != settings.LANGUAGE_CODE,
671 'stage_note': stage_note,
672 'stage_note_url': stage_note_url,
673 'audiobooks': audiobooks,
674 'have_oggs': have_oggs,
679 get_ssi_vars=lambda pk: book_short.get_ssi_vars(pk) +
681 ('social_tags.choose_cite', [ipk]),
682 ('catalogue_tags.choose_fragment', [ipk], {
683 'unless': Var('social_tags.choose_cite', [ipk])}),
684 ))(ssi_expect(pk, int)))
685 def book_wide(request, pk):
686 book = get_object_or_404(Book, pk=pk)
687 stage_note, stage_note_url = book.stage_note()
688 extra_info = book.extra_info
689 audiobooks, projects, have_oggs = get_audiobooks(book)
691 return render(request, 'catalogue/book_wide.html', {
693 'has_audio': book.has_media('mp3'),
694 'parents': book.parents(),
695 'tags': split_tags(book.tags.exclude(category__in=('set', 'theme'))),
696 'show_lang': book.language_code() != settings.LANGUAGE_CODE,
697 'stage_note': stage_note,
698 'stage_note_url': stage_note_url,
700 'main_link': reverse('book_text', args=[book.slug]) if book.html_file else None,
701 'extra_info': extra_info,
702 'hide_about': extra_info.get('about', '').startswith('http://wiki.wolnepodreczniki.pl'),
703 'audiobooks': audiobooks,
704 'have_oggs': have_oggs,
709 def fragment_short(request, pk):
710 fragment = get_object_or_404(Fragment, pk=pk)
711 return render(request, 'catalogue/fragment_short.html', {'fragment': fragment})
715 def fragment_promo(request, pk):
716 fragment = get_object_or_404(Fragment, pk=pk)
717 return render(request, 'catalogue/fragment_promo.html', {'fragment': fragment})
721 def tag_box(request, pk):
722 tag = get_object_or_404(Tag, pk=pk)
723 assert tag.category != 'set'
725 return render(request, 'catalogue/tag_box.html', {
731 def collection_box(request, pk):
732 obj = get_object_or_404(Collection, pk=pk)
734 return render(request, 'catalogue/collection_box.html', {
739 def tag_catalogue(request, category):
740 if category == 'theme':
741 tags = Tag.objects.usage_for_model(
742 Fragment, counts=True).filter(category='theme')
744 tags = list(get_top_level_related_tags((), categories=(category,)))
746 described_tags = [tag for tag in tags if tag.description]
748 if len(described_tags) > 4:
749 best = random.sample(described_tags, 4)
751 best = described_tags
753 return render(request, 'catalogue/tag_catalogue.html', {
756 'title': constants.CATEGORIES_NAME_PLURAL[category],
757 'whole_category': constants.WHOLE_CATEGORY[category],
758 'active_menu_item': 'theme' if category == 'theme' else None,
762 def collections(request):
763 objects = Collection.objects.all()
766 best = random.sample(objects, 3)
770 return render(request, 'catalogue/collections.html', {