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 namedtuple
7 from django.db import models
8 from django.db.models import permalink, Q
10 from django.core.cache import cache
11 from django.core.files.storage import DefaultStorage
12 from django.utils.translation import ugettext_lazy as _
13 from django.contrib.auth.models import User
14 from django.template.loader import render_to_string
15 from django.utils.datastructures import SortedDict
16 from django.utils.safestring import mark_safe
17 from django.utils.translation import get_language
18 from django.core.urlresolvers import reverse
19 from django.db.models.signals import post_save, m2m_changed, pre_delete
21 from django.conf import settings
23 from newtagging.models import TagBase, tags_updated
24 from newtagging import managers
25 from catalogue.fields import JSONField, OverwritingFileField
26 from catalogue.utils import create_zip, split_tags
27 from catalogue.tasks import touch_tag, index_book
28 from shutil import copy
37 ('author', _('author')),
38 ('epoch', _('epoch')),
40 ('genre', _('genre')),
41 ('theme', _('theme')),
46 # not quite, but Django wants you to set a timeout
47 CACHE_FOREVER = 2419200 # 28 days
50 class TagSubcategoryManager(models.Manager):
51 def __init__(self, subcategory):
52 super(TagSubcategoryManager, self).__init__()
53 self.subcategory = subcategory
55 def get_query_set(self):
56 return super(TagSubcategoryManager, self).get_query_set().filter(category=self.subcategory)
60 name = models.CharField(_('name'), max_length=50, db_index=True)
61 slug = models.SlugField(_('slug'), max_length=120, db_index=True)
62 sort_key = models.CharField(_('sort key'), max_length=120, db_index=True)
63 category = models.CharField(_('category'), max_length=50, blank=False, null=False,
64 db_index=True, choices=TAG_CATEGORIES)
65 description = models.TextField(_('description'), blank=True)
67 user = models.ForeignKey(User, blank=True, null=True)
68 book_count = models.IntegerField(_('book count'), blank=True, null=True)
69 gazeta_link = models.CharField(blank=True, max_length=240)
70 wiki_link = models.CharField(blank=True, max_length=240)
72 created_at = models.DateTimeField(_('creation date'), auto_now_add=True, db_index=True)
73 changed_at = models.DateTimeField(_('creation date'), auto_now=True, db_index=True)
75 class UrlDeprecationWarning(DeprecationWarning):
86 categories_dict = dict((item[::-1] for item in categories_rev.iteritems()))
89 ordering = ('sort_key',)
90 verbose_name = _('tag')
91 verbose_name_plural = _('tags')
92 unique_together = (("slug", "category"),)
94 def __unicode__(self):
98 return "Tag(slug=%r)" % self.slug
101 def get_absolute_url(self):
102 return ('catalogue.views.tagged_object_list', [self.url_chunk])
104 def has_description(self):
105 return len(self.description) > 0
106 has_description.short_description = _('description')
107 has_description.boolean = True
110 """Returns global book count for book tags, fragment count for themes."""
112 if self.category == 'book':
114 objects = Book.objects.none()
115 elif self.category == 'theme':
116 objects = Fragment.tagged.with_all((self,))
118 objects = Book.tagged.with_all((self,)).order_by()
119 if self.category != 'set':
120 # eliminate descendants
121 l_tags = Tag.objects.filter(slug__in=[book.book_tag_slug() for book in objects])
122 descendants_keys = [book.pk for book in Book.tagged.with_any(l_tags)]
124 objects = objects.exclude(pk__in=descendants_keys)
125 return objects.count()
128 def get_tag_list(tags):
129 if isinstance(tags, basestring):
134 tags_splitted = tags.split('/')
135 for name in tags_splitted:
137 real_tags.append(Tag.objects.get(slug=name, category=category))
139 elif name in Tag.categories_rev:
140 category = Tag.categories_rev[name]
143 real_tags.append(Tag.objects.exclude(category='book').get(slug=name))
145 except Tag.MultipleObjectsReturned, e:
146 ambiguous_slugs.append(name)
149 # something strange left off
150 raise Tag.DoesNotExist()
152 # some tags should be qualified
153 e = Tag.MultipleObjectsReturned()
155 e.ambiguous_slugs = ambiguous_slugs
158 e = Tag.UrlDeprecationWarning()
163 return TagBase.get_tag_list(tags)
167 return '/'.join((Tag.categories_dict[self.category], self.slug))
170 def tags_from_info(info):
171 from slughifi import slughifi
172 from sortify import sortify
174 categories = (('kinds', 'kind'), ('genres', 'genre'), ('authors', 'author'), ('epochs', 'epoch'))
175 for field_name, category in categories:
177 tag_names = getattr(info, field_name)
180 tag_names = [getattr(info, category)]
182 # For instance, Pictures do not have 'genre' field.
184 for tag_name in tag_names:
185 tag_sort_key = tag_name
186 if category == 'author':
187 tag_sort_key = tag_name.last_name
188 tag_name = tag_name.readable()
189 tag, created = Tag.objects.get_or_create(slug=slughifi(tag_name), category=category)
192 tag.sort_key = sortify(tag_sort_key.lower())
194 meta_tags.append(tag)
199 def get_dynamic_path(media, filename, ext=None, maxlen=100):
200 from slughifi import slughifi
202 # how to put related book's slug here?
205 ext = media.formats[media.type].ext
206 if media is None or not media.name:
207 name = slughifi(filename.split(".")[0])
209 name = slughifi(media.name)
210 return 'book/%s/%s.%s' % (ext, name[:maxlen-len('book/%s/.%s' % (ext, ext))-4], ext)
213 # TODO: why is this hard-coded ?
214 def book_upload_path(ext=None, maxlen=100):
215 return lambda *args: get_dynamic_path(*args, ext=ext, maxlen=maxlen)
218 def get_customized_pdf_path(book, customizations):
220 Returns a MEDIA_ROOT relative path for a customized pdf. The name will contain a hash of customization options.
222 customizations.sort()
223 h = hash(tuple(customizations))
225 pdf_name = '%s-custom-%s' % (book.fileid(), h)
226 pdf_file = get_dynamic_path(None, pdf_name, ext='pdf')
231 def get_existing_customized_pdf(book):
233 Returns a list of paths to generated customized pdf of a book
235 pdf_glob = '%s-custom-' % (book.fileid(),)
236 pdf_glob = get_dynamic_path(None, pdf_glob, ext='pdf')
237 pdf_glob = re.sub(r"[.]([a-z0-9]+)$", "*.\\1", pdf_glob)
238 return glob(path.join(settings.MEDIA_ROOT, pdf_glob))
241 class BookMedia(models.Model):
242 FileFormat = namedtuple("FileFormat", "name ext")
243 formats = SortedDict([
244 ('mp3', FileFormat(name='MP3', ext='mp3')),
245 ('ogg', FileFormat(name='Ogg Vorbis', ext='ogg')),
246 ('daisy', FileFormat(name='DAISY', ext='daisy.zip')),
248 format_choices = [(k, _('%s file') % t.name)
249 for k, t in formats.items()]
251 type = models.CharField(_('type'), choices=format_choices, max_length="100")
252 name = models.CharField(_('name'), max_length="100")
253 file = OverwritingFileField(_('file'), upload_to=book_upload_path())
254 uploaded_at = models.DateTimeField(_('creation date'), auto_now_add=True, editable=False)
255 extra_info = JSONField(_('extra information'), default='{}', editable=False)
256 book = models.ForeignKey('Book', related_name='media')
257 source_sha1 = models.CharField(null=True, blank=True, max_length=40, editable=False)
259 def __unicode__(self):
260 return "%s (%s)" % (self.name, self.file.name.split("/")[-1])
263 ordering = ('type', 'name')
264 verbose_name = _('book media')
265 verbose_name_plural = _('book media')
267 def save(self, *args, **kwargs):
268 from slughifi import slughifi
269 from catalogue.utils import ExistingFile, remove_zip
272 old = BookMedia.objects.get(pk=self.pk)
273 except BookMedia.DoesNotExist, e:
276 # if name changed, change the file name, too
277 if slughifi(self.name) != slughifi(old.name):
278 self.file.save(None, ExistingFile(self.file.path), save=False, leave=True)
280 super(BookMedia, self).save(*args, **kwargs)
282 # remove the zip package for book with modified media
283 remove_zip(self.book.fileid())
285 extra_info = self.get_extra_info_value()
286 extra_info.update(self.read_meta())
287 self.set_extra_info_value(extra_info)
288 self.source_sha1 = self.read_source_sha1(self.file.path, self.type)
289 return super(BookMedia, self).save(*args, **kwargs)
293 Reads some metadata from the audiobook.
296 from mutagen import id3
298 artist_name = director_name = project = funded_by = ''
299 if self.type == 'mp3':
301 audio = id3.ID3(self.file.path)
302 artist_name = ', '.join(', '.join(tag.text) for tag in audio.getall('TPE1'))
303 director_name = ', '.join(', '.join(tag.text) for tag in audio.getall('TPE3'))
304 project = ", ".join([t.data for t in audio.getall('PRIV')
305 if t.owner=='wolnelektury.pl?project'])
306 funded_by = ", ".join([t.data for t in audio.getall('PRIV')
307 if t.owner=='wolnelektury.pl?funded_by'])
310 elif self.type == 'ogg':
312 audio = mutagen.File(self.file.path)
313 artist_name = ', '.join(audio.get('artist', []))
314 director_name = ', '.join(audio.get('conductor', []))
315 project = ", ".join(audio.get('project', []))
316 funded_by = ", ".join(audio.get('funded_by', []))
321 return {'artist_name': artist_name, 'director_name': director_name,
322 'project': project, 'funded_by': funded_by}
325 def read_source_sha1(filepath, filetype):
327 Reads source file SHA1 from audiobok metadata.
330 from mutagen import id3
332 if filetype == 'mp3':
334 audio = id3.ID3(filepath)
335 return [t.data for t in audio.getall('PRIV')
336 if t.owner=='wolnelektury.pl?flac_sha1'][0]
339 elif filetype == 'ogg':
341 audio = mutagen.File(filepath)
342 return audio.get('flac_sha1', [None])[0]
349 class Book(models.Model):
350 title = models.CharField(_('title'), max_length=120)
351 sort_key = models.CharField(_('sort key'), max_length=120, db_index=True, editable=False)
352 slug = models.SlugField(_('slug'), max_length=120, db_index=True)
353 language = models.CharField(_('language code'), max_length=3, db_index=True,
354 default=settings.CATALOGUE_DEFAULT_LANGUAGE)
355 description = models.TextField(_('description'), blank=True)
356 created_at = models.DateTimeField(_('creation date'), auto_now_add=True, db_index=True)
357 changed_at = models.DateTimeField(_('creation date'), auto_now=True, db_index=True)
358 parent_number = models.IntegerField(_('parent number'), default=0)
359 extra_info = JSONField(_('extra information'), default='{}')
360 gazeta_link = models.CharField(blank=True, max_length=240)
361 wiki_link = models.CharField(blank=True, max_length=240)
362 # files generated during publication
364 cover = models.FileField(_('cover'), upload_to=book_upload_path('png'),
365 null=True, blank=True)
366 ebook_formats = ['pdf', 'epub', 'mobi', 'txt']
367 formats = ebook_formats + ['html', 'xml']
369 parent = models.ForeignKey('self', blank=True, null=True, related_name='children')
370 objects = models.Manager()
371 tagged = managers.ModelTaggedItemManager(Tag)
372 tags = managers.TagDescriptor(Tag)
374 html_built = django.dispatch.Signal()
375 published = django.dispatch.Signal()
377 URLID_RE = r'[a-z0-9-]+(?:/[a-z]{3})?'
378 FILEID_RE = r'[a-z0-9-]+(?:_[a-z]{3})?'
380 class AlreadyExists(Exception):
384 unique_together = [['slug', 'language']]
385 ordering = ('sort_key',)
386 verbose_name = _('book')
387 verbose_name_plural = _('books')
389 def __unicode__(self):
392 def urlid(self, sep='/'):
394 if self.language != settings.CATALOGUE_DEFAULT_LANGUAGE:
395 stem += sep + self.language
399 return self.urlid('_')
402 def split_urlid(urlid, sep='/', default_lang=settings.CATALOGUE_DEFAULT_LANGUAGE):
403 """Splits a URL book id into slug and language code.
405 Returns a dictionary usable i.e. for object lookup, or None.
407 >>> Book.split_urlid("a-slug/pol", default_lang="eng")
408 {'slug': 'a-slug', 'language': 'pol'}
409 >>> Book.split_urlid("a-slug", default_lang="eng")
410 {'slug': 'a-slug', 'language': 'eng'}
411 >>> Book.split_urlid("a-slug_pol", "_", default_lang="eng")
412 {'slug': 'a-slug', 'language': 'pol'}
413 >>> Book.split_urlid("a-slug/eng", default_lang="eng")
416 parts = urlid.rsplit(sep, 1)
418 if parts[1] == default_lang:
420 return {'slug': parts[0], 'language': parts[1]}
422 return {'slug': urlid, 'language': default_lang}
425 def split_fileid(cls, fileid):
426 return cls.split_urlid(fileid, '_')
428 def save(self, force_insert=False, force_update=False, reset_short_html=True, **kwargs):
429 from sortify import sortify
431 self.sort_key = sortify(self.title)
433 ret = super(Book, self).save(force_insert, force_update)
436 self.reset_short_html()
441 def get_absolute_url(self):
442 return ('catalogue.views.book_detail', [self.urlid()])
448 def book_tag_slug(self):
449 stem = 'l-' + self.slug
450 if self.language != settings.CATALOGUE_DEFAULT_LANGUAGE:
451 return stem[:116] + ' ' + self.language
456 slug = self.book_tag_slug()
457 book_tag, created = Tag.objects.get_or_create(slug=slug, category='book')
459 book_tag.name = self.title[:50]
460 book_tag.sort_key = self.title.lower()
464 def has_media(self, type):
465 if type in Book.formats:
466 return bool(getattr(self, "%s_file" % type))
468 return self.media.filter(type=type).exists()
470 def get_media(self, type):
471 if self.has_media(type):
472 if type in Book.formats:
473 return getattr(self, "%s_file" % type)
475 return self.media.filter(type=type)
480 return self.get_media("mp3")
482 return self.get_media("odt")
484 return self.get_media("ogg")
486 return self.get_media("daisy")
488 def reset_short_html(self):
492 cache_key = "Book.short_html/%d/%s"
493 for lang, langname in settings.LANGUAGES:
494 cache.delete(cache_key % (self.id, lang))
495 cache.delete("Book.mini_box/%d" % (self.id, ))
496 # Fragment.short_html relies on book's tags, so reset it here too
497 for fragm in self.fragments.all():
498 fragm.reset_short_html()
500 def short_html(self):
502 cache_key = "Book.short_html/%d/%s" % (self.id, get_language())
503 short_html = cache.get(cache_key)
507 if short_html is not None:
508 return mark_safe(short_html)
510 tags = self.tags.filter(category__in=('author', 'kind', 'genre', 'epoch'))
511 tags = split_tags(tags)
514 # files generated during publication
515 for ebook_format in self.ebook_formats:
516 if self.has_media(ebook_format):
517 formats[ebook_format] = self.get_media(ebook_format)
520 short_html = unicode(render_to_string('catalogue/book_short.html',
521 {'book': self, 'tags': tags, 'formats': formats}))
524 cache.set(cache_key, short_html, CACHE_FOREVER)
525 return mark_safe(short_html)
529 cache_key = "Book.mini_box/%d" % (self.id, )
530 short_html = cache.get(cache_key)
534 if short_html is None:
535 authors = self.tags.filter(category='author')
537 short_html = unicode(render_to_string('catalogue/book_mini_box.html',
538 {'book': self, 'authors': authors, 'STATIC_URL': settings.STATIC_URL}))
541 cache.set(cache_key, short_html, CACHE_FOREVER)
542 return mark_safe(short_html)
544 def has_description(self):
545 return len(self.description) > 0
546 has_description.short_description = _('description')
547 has_description.boolean = True
550 def has_mp3_file(self):
551 return bool(self.has_media("mp3"))
552 has_mp3_file.short_description = 'MP3'
553 has_mp3_file.boolean = True
555 def has_ogg_file(self):
556 return bool(self.has_media("ogg"))
557 has_ogg_file.short_description = 'OGG'
558 has_ogg_file.boolean = True
560 def has_daisy_file(self):
561 return bool(self.has_media("daisy"))
562 has_daisy_file.short_description = 'DAISY'
563 has_daisy_file.boolean = True
565 def wldocument(self, parse_dublincore=True):
566 from catalogue.utils import ORMDocProvider
567 from librarian.parser import WLDocument
569 return WLDocument.from_file(self.xml_file.path,
570 provider=ORMDocProvider(self),
571 parse_dublincore=parse_dublincore)
573 def build_cover(self, book_info=None):
574 """(Re)builds the cover image."""
575 from StringIO import StringIO
576 from django.core.files.base import ContentFile
577 from librarian.cover import WLCover
579 if book_info is None:
580 book_info = self.wldocument().book_info
582 cover = WLCover(book_info).image()
584 cover.save(imgstr, 'png')
585 self.cover.save(None, ContentFile(imgstr.getvalue()))
587 def build_pdf(self, customizations=None, file_name=None):
588 """ (Re)builds the pdf file.
589 customizations - customizations which are passed to LaTeX class file.
590 file_name - save the pdf file under a different name and DO NOT save it in db.
592 from os import unlink
593 from django.core.files import File
594 from catalogue.utils import remove_zip
596 pdf = self.wldocument().as_pdf(customizations=customizations)
598 if file_name is None:
599 # we'd like to be sure not to overwrite changes happening while
600 # (timely) pdf generation is taking place (async celery scenario)
601 current_self = Book.objects.get(id=self.id)
602 current_self.pdf_file.save('%s.pdf' % self.fileid(),
603 File(open(pdf.get_filename())))
604 self.pdf_file = current_self.pdf_file
606 # remove cached downloadables
607 remove_zip(settings.ALL_PDF_ZIP)
609 for customized_pdf in get_existing_customized_pdf(self):
610 unlink(customized_pdf)
612 print "saving %s" % file_name
613 print "to: %s" % DefaultStorage().path(file_name)
614 DefaultStorage().save(file_name, File(open(pdf.get_filename())))
616 def build_mobi(self):
617 """ (Re)builds the MOBI file.
620 from django.core.files import File
621 from catalogue.utils import remove_zip
623 mobi = self.wldocument().as_mobi()
625 self.mobi_file.save('%s.mobi' % self.fileid(), File(open(mobi.get_filename())))
627 # remove zip with all mobi files
628 remove_zip(settings.ALL_MOBI_ZIP)
630 def build_epub(self):
631 """(Re)builds the epub file."""
632 from django.core.files import File
633 from catalogue.utils import remove_zip
635 epub = self.wldocument().as_epub()
637 self.epub_file.save('%s.epub' % self.fileid(),
638 File(open(epub.get_filename())))
640 # remove zip package with all epub files
641 remove_zip(settings.ALL_EPUB_ZIP)
644 from django.core.files.base import ContentFile
646 text = self.wldocument().as_text()
647 self.txt_file.save('%s.txt' % self.fileid(), ContentFile(text.get_string()))
650 def build_html(self):
651 from markupstring import MarkupString
652 from django.core.files.base import ContentFile
653 from slughifi import slughifi
654 from librarian import html
656 meta_tags = list(self.tags.filter(
657 category__in=('author', 'epoch', 'genre', 'kind')))
658 book_tag = self.book_tag()
660 html_output = self.wldocument(parse_dublincore=False).as_html()
662 self.html_file.save('%s.html' % self.fileid(),
663 ContentFile(html_output.get_string()))
665 # get ancestor l-tags for adding to new fragments
669 ancestor_tags.append(p.book_tag())
672 # Delete old fragments and create them from scratch
673 self.fragments.all().delete()
675 closed_fragments, open_fragments = html.extract_fragments(self.html_file.path)
676 for fragment in closed_fragments.values():
678 theme_names = [s.strip() for s in fragment.themes.split(',')]
679 except AttributeError:
682 for theme_name in theme_names:
685 tag, created = Tag.objects.get_or_create(slug=slughifi(theme_name), category='theme')
687 tag.name = theme_name
688 tag.sort_key = theme_name.lower()
694 text = fragment.to_string()
696 if (len(MarkupString(text)) > 240):
697 short_text = unicode(MarkupString(text)[:160])
698 new_fragment = Fragment.objects.create(anchor=fragment.id, book=self,
699 text=text, short_text=short_text)
702 new_fragment.tags = set(meta_tags + themes + [book_tag] + ancestor_tags)
704 self.html_built.send(sender=self)
709 def zip_format(format_):
710 def pretty_file_name(book):
711 return "%s/%s.%s" % (
712 b.get_extra_info_value()['author'],
716 field_name = "%s_file" % format_
717 books = Book.objects.filter(parent=None).exclude(**{field_name: ""})
718 paths = [(pretty_file_name(b), getattr(b, field_name).path)
720 result = create_zip.delay(paths,
721 getattr(settings, "ALL_%s_ZIP" % format_.upper()))
724 def zip_audiobooks(self):
725 bm = BookMedia.objects.filter(book=self, type='mp3')
726 paths = map(lambda bm: (None, bm.file.path), bm)
727 result = create_zip.delay(paths, self.fileid())
730 def search_index(self, book_info=None):
731 if settings.CELERY_ALWAYS_EAGER:
732 idx = search.ReusableIndex()
738 idx.index_book(self, book_info)
744 def from_xml_file(cls, xml_file, **kwargs):
745 from django.core.files import File
746 from librarian import dcparser
748 # use librarian to parse meta-data
749 book_info = dcparser.parse(xml_file)
751 if not isinstance(xml_file, File):
752 xml_file = File(open(xml_file))
755 return cls.from_text_and_meta(xml_file, book_info, **kwargs)
760 def from_text_and_meta(cls, raw_file, book_info, overwrite=False,
761 build_epub=True, build_txt=True, build_pdf=True, build_mobi=True,
764 from sortify import sortify
766 # check for parts before we do anything
768 if hasattr(book_info, 'parts'):
769 for part_url in book_info.parts:
771 children.append(Book.objects.get(
772 slug=part_url.slug, language=part_url.language))
773 except Book.DoesNotExist, e:
774 raise Book.DoesNotExist(_('Book "%s/%s" does not exist.') %
775 (part_url.slug, part_url.language))
779 book_slug = book_info.url.slug
780 language = book_info.language
781 if re.search(r'[^a-zA-Z0-9-]', book_slug):
782 raise ValueError('Invalid characters in slug')
783 book, created = Book.objects.get_or_create(slug=book_slug, language=language)
789 raise Book.AlreadyExists(_('Book %s/%s already exists') % (
790 book_slug, language))
791 # Save shelves for this book
792 book_shelves = list(book.tags.filter(category='set'))
794 book.title = book_info.title
795 book.set_extra_info_value(book_info.to_dict())
798 meta_tags = Tag.tags_from_info(book_info)
800 book.tags = set(meta_tags + book_shelves)
802 book_tag = book.book_tag()
804 for n, child_book in enumerate(children):
805 child_book.parent = book
806 child_book.parent_number = n
809 # Save XML and HTML files
810 book.xml_file.save('%s.xml' % book.slug, raw_file, save=False)
812 # delete old fragments when overwriting
813 book.fragments.all().delete()
815 if book.build_html():
816 if not settings.NO_BUILD_TXT and build_txt:
819 book.build_cover(book_info)
821 if not settings.NO_BUILD_EPUB and build_epub:
824 if not settings.NO_BUILD_PDF and build_pdf:
827 if not settings.NO_BUILD_MOBI and build_mobi:
830 if not settings.NO_SEARCH_INDEX and search_index:
831 index_book.delay(book.id, book_info)
833 book_descendants = list(book.children.all())
834 descendants_tags = set()
835 # add l-tag to descendants and their fragments
836 while len(book_descendants) > 0:
837 child_book = book_descendants.pop(0)
838 descendants_tags.update(child_book.tags)
839 child_book.tags = list(child_book.tags) + [book_tag]
841 for fragment in child_book.fragments.all():
842 fragment.tags = set(list(fragment.tags) + [book_tag])
843 book_descendants += list(child_book.children.all())
845 for tag in descendants_tags:
851 book.reset_tag_counter()
852 book.reset_theme_counter()
854 cls.published.send(sender=book)
857 def reset_tag_counter(self):
861 cache_key = "Book.tag_counter/%d" % self.id
862 cache.delete(cache_key)
864 self.parent.reset_tag_counter()
867 def tag_counter(self):
869 cache_key = "Book.tag_counter/%d" % self.id
870 tags = cache.get(cache_key)
876 for child in self.children.all().order_by():
877 for tag_pk, value in child.tag_counter.iteritems():
878 tags[tag_pk] = tags.get(tag_pk, 0) + value
879 for tag in self.tags.exclude(category__in=('book', 'theme', 'set')).order_by():
883 cache.set(cache_key, tags, CACHE_FOREVER)
886 def reset_theme_counter(self):
890 cache_key = "Book.theme_counter/%d" % self.id
891 cache.delete(cache_key)
893 self.parent.reset_theme_counter()
896 def theme_counter(self):
898 cache_key = "Book.theme_counter/%d" % self.id
899 tags = cache.get(cache_key)
905 for fragment in Fragment.tagged.with_any([self.book_tag()]).order_by():
906 for tag in fragment.tags.filter(category='theme').order_by():
907 tags[tag.pk] = tags.get(tag.pk, 0) + 1
910 cache.set(cache_key, tags, CACHE_FOREVER)
913 def pretty_title(self, html_links=False):
915 names = list(book.tags.filter(category='author'))
921 names.extend(reversed(books))
924 names = ['<a href="%s">%s</a>' % (tag.get_absolute_url(), tag.name) for tag in names]
926 names = [tag.name for tag in names]
928 return ', '.join(names)
931 def tagged_top_level(cls, tags):
932 """ Returns top-level books tagged with `tags'.
934 It only returns those books which don't have ancestors which are
935 also tagged with those tags.
938 # get relevant books and their tags
939 objects = cls.tagged.with_all(tags)
940 # eliminate descendants
941 l_tags = Tag.objects.filter(category='book', slug__in=[book.book_tag_slug() for book in objects])
942 descendants_keys = [book.pk for book in cls.tagged.with_any(l_tags)]
944 objects = objects.exclude(pk__in=descendants_keys)
949 def book_list(cls, filter=None):
950 """Generates a hierarchical listing of all books.
952 Books are optionally filtered with a test function.
957 books = cls.objects.all().order_by('parent_number', 'sort_key').only(
958 'title', 'parent', 'slug', 'language')
960 books = books.filter(filter).distinct()
961 book_ids = set((book.pk for book in books))
963 parent = book.parent_id
964 if parent not in book_ids:
966 books_by_parent.setdefault(parent, []).append(book)
969 books_by_parent.setdefault(book.parent_id, []).append(book)
972 books_by_author = SortedDict()
973 for tag in Tag.objects.filter(category='author'):
974 books_by_author[tag] = []
976 for book in books_by_parent.get(None,()):
977 authors = list(book.tags.filter(category='author'))
979 for author in authors:
980 books_by_author[author].append(book)
984 return books_by_author, orphans, books_by_parent
987 "SP1": (1, u"szkoła podstawowa"),
988 "SP2": (1, u"szkoła podstawowa"),
989 "P": (1, u"szkoła podstawowa"),
990 "G": (2, u"gimnazjum"),
992 "LP": (3, u"liceum"),
994 def audiences_pl(self):
995 audiences = self.get_extra_info_value().get('audiences', [])
996 audiences = sorted(set([self._audiences_pl[a] for a in audiences]))
997 return [a[1] for a in audiences]
1000 def _has_factory(ftype):
1001 has = lambda self: bool(getattr(self, "%s_file" % ftype))
1002 has.short_description = t.upper()
1004 has.__name__ = "has_%s_file" % ftype
1008 # add the file fields
1009 for t in Book.formats:
1010 field_name = "%s_file" % t
1011 models.FileField(_("%s file" % t.upper()),
1012 upload_to=book_upload_path(t),
1013 blank=True).contribute_to_class(Book, field_name)
1015 setattr(Book, "has_%s_file" % t, _has_factory(t))
1018 class Fragment(models.Model):
1019 text = models.TextField()
1020 short_text = models.TextField(editable=False)
1021 anchor = models.CharField(max_length=120)
1022 book = models.ForeignKey(Book, related_name='fragments')
1024 objects = models.Manager()
1025 tagged = managers.ModelTaggedItemManager(Tag)
1026 tags = managers.TagDescriptor(Tag)
1029 ordering = ('book', 'anchor',)
1030 verbose_name = _('fragment')
1031 verbose_name_plural = _('fragments')
1033 def get_absolute_url(self):
1034 return '%s#m%s' % (reverse('book_text', args=[self.book.slug]), self.anchor)
1036 def reset_short_html(self):
1040 cache_key = "Fragment.short_html/%d/%s"
1041 for lang, langname in settings.LANGUAGES:
1042 cache.delete(cache_key % (self.id, lang))
1044 def short_html(self):
1046 cache_key = "Fragment.short_html/%d/%s" % (self.id, get_language())
1047 short_html = cache.get(cache_key)
1051 if short_html is not None:
1052 return mark_safe(short_html)
1054 short_html = unicode(render_to_string('catalogue/fragment_short.html',
1055 {'fragment': self}))
1057 cache.set(cache_key, short_html, CACHE_FOREVER)
1058 return mark_safe(short_html)
1068 def _tags_updated_handler(sender, affected_tags, **kwargs):
1069 # reset tag global counter
1070 # we want Tag.changed_at updated for API to know the tag was touched
1071 for tag in affected_tags:
1072 touch_tag.delay(tag)
1074 # if book tags changed, reset book tag counter
1075 if isinstance(sender, Book) and \
1076 Tag.objects.filter(pk__in=(tag.pk for tag in affected_tags)).\
1077 exclude(category__in=('book', 'theme', 'set')).count():
1078 sender.reset_tag_counter()
1079 # if fragment theme changed, reset book theme counter
1080 elif isinstance(sender, Fragment) and \
1081 Tag.objects.filter(pk__in=(tag.pk for tag in affected_tags)).\
1082 filter(category='theme').count():
1083 sender.book.reset_theme_counter()
1084 tags_updated.connect(_tags_updated_handler)
1087 def _pre_delete_handler(sender, instance, **kwargs):
1088 """ refresh Book on BookMedia delete """
1089 if sender == BookMedia:
1090 instance.book.save()
1091 pre_delete.connect(_pre_delete_handler)
1093 def _post_save_handler(sender, instance, **kwargs):
1094 """ refresh all the short_html stuff on BookMedia update """
1095 if sender == BookMedia:
1096 instance.book.save()
1097 post_save.connect(_post_save_handler)