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
27 from catalogue.tasks import touch_tag
28 from shutil import copy
35 ('author', _('author')),
36 ('epoch', _('epoch')),
38 ('genre', _('genre')),
39 ('theme', _('theme')),
44 # not quite, but Django wants you to set a timeout
45 CACHE_FOREVER = 2419200 # 28 days
48 class TagSubcategoryManager(models.Manager):
49 def __init__(self, subcategory):
50 super(TagSubcategoryManager, self).__init__()
51 self.subcategory = subcategory
53 def get_query_set(self):
54 return super(TagSubcategoryManager, self).get_query_set().filter(category=self.subcategory)
58 name = models.CharField(_('name'), max_length=50, db_index=True)
59 slug = models.SlugField(_('slug'), max_length=120, db_index=True)
60 sort_key = models.CharField(_('sort key'), max_length=120, db_index=True)
61 category = models.CharField(_('category'), max_length=50, blank=False, null=False,
62 db_index=True, choices=TAG_CATEGORIES)
63 description = models.TextField(_('description'), blank=True)
64 main_page = models.BooleanField(_('main page'), default=False, db_index=True, help_text=_('Show tag on main page'))
66 user = models.ForeignKey(User, blank=True, null=True)
67 book_count = models.IntegerField(_('book count'), blank=True, null=True)
68 gazeta_link = models.CharField(blank=True, max_length=240)
69 wiki_link = models.CharField(blank=True, max_length=240)
71 created_at = models.DateTimeField(_('creation date'), auto_now_add=True, db_index=True)
72 changed_at = models.DateTimeField(_('creation date'), auto_now=True, db_index=True)
74 class UrlDeprecationWarning(DeprecationWarning):
85 categories_dict = dict((item[::-1] for item in categories_rev.iteritems()))
88 ordering = ('sort_key',)
89 verbose_name = _('tag')
90 verbose_name_plural = _('tags')
91 unique_together = (("slug", "category"),)
93 def __unicode__(self):
97 return "Tag(slug=%r)" % self.slug
100 def get_absolute_url(self):
101 return ('catalogue.views.tagged_object_list', [self.url_chunk])
103 def has_description(self):
104 return len(self.description) > 0
105 has_description.short_description = _('description')
106 has_description.boolean = True
109 """Returns global book count for book tags, fragment count for themes."""
111 if self.category == 'book':
113 objects = Book.objects.none()
114 elif self.category == 'theme':
115 objects = Fragment.tagged.with_all((self,))
117 objects = Book.tagged.with_all((self,)).order_by()
118 if self.category != 'set':
119 # eliminate descendants
120 l_tags = Tag.objects.filter(slug__in=[book.book_tag_slug() for book in objects])
121 descendants_keys = [book.pk for book in Book.tagged.with_any(l_tags)]
123 objects = objects.exclude(pk__in=descendants_keys)
124 return objects.count()
127 def get_tag_list(tags):
128 if isinstance(tags, basestring):
133 tags_splitted = tags.split('/')
134 for name in tags_splitted:
136 real_tags.append(Tag.objects.get(slug=name, category=category))
138 elif name in Tag.categories_rev:
139 category = Tag.categories_rev[name]
142 real_tags.append(Tag.objects.exclude(category='book').get(slug=name))
144 except Tag.MultipleObjectsReturned, e:
145 ambiguous_slugs.append(name)
148 # something strange left off
149 raise Tag.DoesNotExist()
151 # some tags should be qualified
152 e = Tag.MultipleObjectsReturned()
154 e.ambiguous_slugs = ambiguous_slugs
157 e = Tag.UrlDeprecationWarning()
162 return TagBase.get_tag_list(tags)
166 return '/'.join((Tag.categories_dict[self.category], self.slug))
169 def tags_from_info(info):
170 from slughifi import slughifi
171 from sortify import sortify
173 categories = (('kinds', 'kind'), ('genres', 'genre'), ('authors', 'author'), ('epochs', 'epoch'))
174 for field_name, category in categories:
176 tag_names = getattr(info, field_name)
178 tag_names = [getattr(info, category)]
179 for tag_name in tag_names:
180 tag_sort_key = tag_name
181 if category == 'author':
182 tag_sort_key = tag_name.last_name
183 tag_name = ' '.join(tag_name.first_names) + ' ' + tag_name.last_name
184 tag, created = Tag.objects.get_or_create(slug=slughifi(tag_name), category=category)
187 tag.sort_key = sortify(tag_sort_key.lower())
189 meta_tags.append(tag)
194 def get_dynamic_path(media, filename, ext=None, maxlen=100):
195 from slughifi import slughifi
197 # how to put related book's slug here?
200 ext = media.formats[media.type].ext
201 if media is None or not media.name:
202 name = slughifi(filename.split(".")[0])
204 name = slughifi(media.name)
205 return 'book/%s/%s.%s' % (ext, name[:maxlen-len('book/%s/.%s' % (ext, ext))-4], ext)
208 # TODO: why is this hard-coded ?
209 def book_upload_path(ext=None, maxlen=100):
210 return lambda *args: get_dynamic_path(*args, ext=ext, maxlen=maxlen)
213 def get_customized_pdf_path(book, customizations):
215 Returns a MEDIA_ROOT relative path for a customized pdf. The name will contain a hash of customization options.
217 customizations.sort()
218 h = hash(tuple(customizations))
220 pdf_name = '%s-custom-%s' % (book.fileid(), h)
221 pdf_file = get_dynamic_path(None, pdf_name, ext='pdf')
226 def get_existing_customized_pdf(book):
228 Returns a list of paths to generated customized pdf of a book
230 pdf_glob = '%s-custom-' % (book.fileid(),)
231 pdf_glob = get_dynamic_path(None, pdf_glob, ext='pdf')
232 pdf_glob = re.sub(r"[.]([a-z0-9]+)$", "*.\\1", pdf_glob)
233 return glob(path.join(settings.MEDIA_ROOT, pdf_glob))
236 class BookMedia(models.Model):
237 FileFormat = namedtuple("FileFormat", "name ext")
238 formats = SortedDict([
239 ('mp3', FileFormat(name='MP3', ext='mp3')),
240 ('ogg', FileFormat(name='Ogg Vorbis', ext='ogg')),
241 ('daisy', FileFormat(name='DAISY', ext='daisy.zip')),
243 format_choices = [(k, _('%s file') % t.name)
244 for k, t in formats.items()]
246 type = models.CharField(_('type'), choices=format_choices, max_length="100")
247 name = models.CharField(_('name'), max_length="100")
248 file = OverwritingFileField(_('file'), upload_to=book_upload_path())
249 uploaded_at = models.DateTimeField(_('creation date'), auto_now_add=True, editable=False)
250 extra_info = JSONField(_('extra information'), default='{}', editable=False)
251 book = models.ForeignKey('Book', related_name='media')
252 source_sha1 = models.CharField(null=True, blank=True, max_length=40, editable=False)
254 def __unicode__(self):
255 return "%s (%s)" % (self.name, self.file.name.split("/")[-1])
258 ordering = ('type', 'name')
259 verbose_name = _('book media')
260 verbose_name_plural = _('book media')
262 def save(self, *args, **kwargs):
263 from slughifi import slughifi
264 from catalogue.utils import ExistingFile, remove_zip
267 old = BookMedia.objects.get(pk=self.pk)
268 except BookMedia.DoesNotExist, e:
271 # if name changed, change the file name, too
272 if slughifi(self.name) != slughifi(old.name):
273 self.file.save(None, ExistingFile(self.file.path), save=False, leave=True)
275 super(BookMedia, self).save(*args, **kwargs)
277 # remove the zip package for book with modified media
278 remove_zip(self.book.fileid())
280 extra_info = self.get_extra_info_value()
281 extra_info.update(self.read_meta())
282 self.set_extra_info_value(extra_info)
283 self.source_sha1 = self.read_source_sha1(self.file.path, self.type)
284 return super(BookMedia, self).save(*args, **kwargs)
288 Reads some metadata from the audiobook.
291 from mutagen import id3
293 artist_name = director_name = project = funded_by = ''
294 if self.type == 'mp3':
296 audio = id3.ID3(self.file.path)
297 artist_name = ', '.join(', '.join(tag.text) for tag in audio.getall('TPE1'))
298 director_name = ', '.join(', '.join(tag.text) for tag in audio.getall('TPE3'))
299 project = ", ".join([t.data for t in audio.getall('PRIV')
300 if t.owner=='wolnelektury.pl?project'])
301 funded_by = ", ".join([t.data for t in audio.getall('PRIV')
302 if t.owner=='wolnelektury.pl?funded_by'])
305 elif self.type == 'ogg':
307 audio = mutagen.File(self.file.path)
308 artist_name = ', '.join(audio.get('artist', []))
309 director_name = ', '.join(audio.get('conductor', []))
310 project = ", ".join(audio.get('project', []))
311 funded_by = ", ".join(audio.get('funded_by', []))
316 return {'artist_name': artist_name, 'director_name': director_name,
317 'project': project, 'funded_by': funded_by}
320 def read_source_sha1(filepath, filetype):
322 Reads source file SHA1 from audiobok metadata.
325 from mutagen import id3
327 if filetype == 'mp3':
329 audio = id3.ID3(filepath)
330 return [t.data for t in audio.getall('PRIV')
331 if t.owner=='wolnelektury.pl?flac_sha1'][0]
334 elif filetype == 'ogg':
336 audio = mutagen.File(filepath)
337 return audio.get('flac_sha1', [None])[0]
344 class Book(models.Model):
345 title = models.CharField(_('title'), max_length=120)
346 sort_key = models.CharField(_('sort key'), max_length=120, db_index=True, editable=False)
347 slug = models.SlugField(_('slug'), max_length=120, db_index=True)
348 language = models.CharField(_('language code'), max_length=3, db_index=True,
349 default=settings.CATALOGUE_DEFAULT_LANGUAGE)
350 description = models.TextField(_('description'), blank=True)
351 created_at = models.DateTimeField(_('creation date'), auto_now_add=True, db_index=True)
352 changed_at = models.DateTimeField(_('creation date'), auto_now=True, db_index=True)
353 parent_number = models.IntegerField(_('parent number'), default=0)
354 extra_info = JSONField(_('extra information'), default='{}')
355 gazeta_link = models.CharField(blank=True, max_length=240)
356 wiki_link = models.CharField(blank=True, max_length=240)
357 # files generated during publication
359 ebook_formats = ['pdf', 'epub', 'mobi', 'txt']
360 formats = ebook_formats + ['html', 'xml']
362 parent = models.ForeignKey('self', blank=True, null=True, related_name='children')
363 objects = models.Manager()
364 tagged = managers.ModelTaggedItemManager(Tag)
365 tags = managers.TagDescriptor(Tag)
367 html_built = django.dispatch.Signal()
368 published = django.dispatch.Signal()
370 URLID_RE = r'[a-z0-9-]+(?:/[a-z]{3})?'
371 FILEID_RE = r'[a-z0-9-]+(?:_[a-z]{3})?'
373 class AlreadyExists(Exception):
377 unique_together = [['slug', 'language']]
378 ordering = ('sort_key',)
379 verbose_name = _('book')
380 verbose_name_plural = _('books')
382 def __unicode__(self):
385 def urlid(self, sep='/'):
387 if self.language != settings.CATALOGUE_DEFAULT_LANGUAGE:
388 stem += sep + self.language
392 return self.urlid('_')
395 def split_urlid(urlid, sep='/', default_lang=settings.CATALOGUE_DEFAULT_LANGUAGE):
396 """Splits a URL book id into slug and language code.
398 Returns a dictionary usable i.e. for object lookup, or None.
400 >>> Book.split_urlid("a-slug/pol", default_lang="eng")
401 {'slug': 'a-slug', 'language': 'pol'}
402 >>> Book.split_urlid("a-slug", default_lang="eng")
403 {'slug': 'a-slug', 'language': 'eng'}
404 >>> Book.split_urlid("a-slug_pol", "_", default_lang="eng")
405 {'slug': 'a-slug', 'language': 'pol'}
406 >>> Book.split_urlid("a-slug/eng", default_lang="eng")
409 parts = urlid.rsplit(sep, 1)
411 if parts[1] == default_lang:
413 return {'slug': parts[0], 'language': parts[1]}
415 return {'slug': urlid, 'language': default_lang}
418 def split_fileid(cls, fileid):
419 return cls.split_urlid(fileid, '_')
421 def save(self, force_insert=False, force_update=False, reset_short_html=True, **kwargs):
422 from sortify import sortify
424 self.sort_key = sortify(self.title)
426 ret = super(Book, self).save(force_insert, force_update)
429 self.reset_short_html()
434 def get_absolute_url(self):
435 return ('catalogue.views.book_detail', [self.urlid()])
441 def book_tag_slug(self):
442 stem = 'l-' + self.slug
443 if self.language != settings.CATALOGUE_DEFAULT_LANGUAGE:
444 return stem[:116] + ' ' + self.language
449 slug = self.book_tag_slug()
450 book_tag, created = Tag.objects.get_or_create(slug=slug, category='book')
452 book_tag.name = self.title[:50]
453 book_tag.sort_key = self.title.lower()
457 def has_media(self, type):
458 if type in Book.formats:
459 return bool(getattr(self, "%s_file" % type))
461 return self.media.filter(type=type).exists()
463 def get_media(self, type):
464 if self.has_media(type):
465 if type in Book.formats:
466 return getattr(self, "%s_file" % type)
468 return self.media.filter(type=type)
473 return self.get_media("mp3")
475 return self.get_media("odt")
477 return self.get_media("ogg")
479 return self.get_media("daisy")
481 def reset_short_html(self):
485 cache_key = "Book.short_html/%d/%s"
486 for lang, langname in settings.LANGUAGES:
487 cache.delete(cache_key % (self.id, lang))
488 # Fragment.short_html relies on book's tags, so reset it here too
489 for fragm in self.fragments.all():
490 fragm.reset_short_html()
492 def short_html(self):
494 cache_key = "Book.short_html/%d/%s" % (self.id, get_language())
495 short_html = cache.get(cache_key)
499 if short_html is not None:
500 return mark_safe(short_html)
502 tags = self.tags.filter(~Q(category__in=('set', 'theme', 'book')))
503 tags = [mark_safe(u'<a href="%s">%s</a>' % (tag.get_absolute_url(), tag.name)) for tag in tags]
506 # files generated during publication
507 if self.has_media("html"):
508 formats.append(u'<a href="%s">%s</a>' % (reverse('book_text', args=[self.fileid()]), _('Read online')))
509 for ebook_format in self.ebook_formats:
510 if self.has_media(ebook_format):
511 formats.append(u'<a href="%s">%s</a>' % (
512 self.get_media(ebook_format).url,
516 for m in self.media.order_by('type'):
517 formats.append(u'<a href="%s">%s</a>' % (m.file.url, m.type.upper()))
519 formats = [mark_safe(format) for format in formats]
521 short_html = unicode(render_to_string('catalogue/book_short.html',
522 {'book': self, 'tags': tags, 'formats': formats}))
525 cache.set(cache_key, short_html, CACHE_FOREVER)
526 return mark_safe(short_html)
530 cache_key = "Book.mini_boxs/%d" % (self.id, )
531 short_html = cache.get(cache_key)
535 if short_html is None:
536 authors = self.tags.filter(category='author')
538 short_html = unicode(render_to_string('catalogue/book_mini_box.html',
539 {'book': self, 'authors': authors, 'STATIC_URL': settings.STATIC_URL}))
542 cache.set(cache_key, short_html, CACHE_FOREVER)
543 return mark_safe(short_html)
545 def has_description(self):
546 return len(self.description) > 0
547 has_description.short_description = _('description')
548 has_description.boolean = True
551 def has_mp3_file(self):
552 return bool(self.has_media("mp3"))
553 has_mp3_file.short_description = 'MP3'
554 has_mp3_file.boolean = True
556 def has_ogg_file(self):
557 return bool(self.has_media("ogg"))
558 has_ogg_file.short_description = 'OGG'
559 has_ogg_file.boolean = True
561 def has_daisy_file(self):
562 return bool(self.has_media("daisy"))
563 has_daisy_file.short_description = 'DAISY'
564 has_daisy_file.boolean = True
566 def wldocument(self, parse_dublincore=True):
567 from catalogue.utils import ORMDocProvider
568 from librarian.parser import WLDocument
570 return WLDocument.from_file(self.xml_file.path,
571 provider=ORMDocProvider(self),
572 parse_dublincore=parse_dublincore)
574 def build_pdf(self, customizations=None, file_name=None):
575 """ (Re)builds the pdf file.
576 customizations - customizations which are passed to LaTeX class file.
577 file_name - save the pdf file under a different name and DO NOT save it in db.
579 from os import unlink
580 from django.core.files import File
581 from catalogue.utils import remove_zip
583 pdf = self.wldocument().as_pdf(customizations=customizations)
585 if file_name is None:
586 # we'd like to be sure not to overwrite changes happening while
587 # (timely) pdf generation is taking place (async celery scenario)
588 current_self = Book.objects.get(id=self.id)
589 current_self.pdf_file.save('%s.pdf' % self.fileid(),
590 File(open(pdf.get_filename())))
591 self.pdf_file = current_self.pdf_file
593 # remove cached downloadables
594 remove_zip(settings.ALL_PDF_ZIP)
596 for customized_pdf in get_existing_customized_pdf(self):
597 unlink(customized_pdf)
599 print "saving %s" % file_name
600 print "to: %s" % DefaultStorage().path(file_name)
601 DefaultStorage().save(file_name, File(open(pdf.get_filename())))
603 def build_mobi(self):
604 """ (Re)builds the MOBI file.
607 from django.core.files import File
608 from catalogue.utils import remove_zip
610 mobi = self.wldocument().as_mobi()
612 self.mobi_file.save('%s.mobi' % self.fileid(), File(open(mobi.get_filename())))
614 # remove zip with all mobi files
615 remove_zip(settings.ALL_MOBI_ZIP)
617 def build_epub(self):
618 """(Re)builds the epub file."""
619 from django.core.files import File
620 from catalogue.utils import remove_zip
622 epub = self.wldocument().as_epub()
624 self.epub_file.save('%s.epub' % self.fileid(),
625 File(open(epub.get_filename())))
627 # remove zip package with all epub files
628 remove_zip(settings.ALL_EPUB_ZIP)
631 from django.core.files.base import ContentFile
633 text = self.wldocument().as_text()
634 self.txt_file.save('%s.txt' % self.fileid(), ContentFile(text.get_string()))
637 def build_html(self):
638 from markupstring import MarkupString
639 from django.core.files.base import ContentFile
640 from slughifi import slughifi
641 from librarian import html
643 meta_tags = list(self.tags.filter(
644 category__in=('author', 'epoch', 'genre', 'kind')))
645 book_tag = self.book_tag()
647 html_output = self.wldocument(parse_dublincore=False).as_html()
649 self.html_file.save('%s.html' % self.fileid(),
650 ContentFile(html_output.get_string()))
652 # get ancestor l-tags for adding to new fragments
656 ancestor_tags.append(p.book_tag())
659 # Delete old fragments and create them from scratch
660 self.fragments.all().delete()
662 closed_fragments, open_fragments = html.extract_fragments(self.html_file.path)
663 for fragment in closed_fragments.values():
665 theme_names = [s.strip() for s in fragment.themes.split(',')]
666 except AttributeError:
669 for theme_name in theme_names:
672 tag, created = Tag.objects.get_or_create(slug=slughifi(theme_name), category='theme')
674 tag.name = theme_name
675 tag.sort_key = theme_name.lower()
681 text = fragment.to_string()
683 if (len(MarkupString(text)) > 240):
684 short_text = unicode(MarkupString(text)[:160])
685 new_fragment = Fragment.objects.create(anchor=fragment.id, book=self,
686 text=text, short_text=short_text)
689 new_fragment.tags = set(meta_tags + themes + [book_tag] + ancestor_tags)
691 self.html_built.send(sender=self)
696 def zip_format(format_):
697 def pretty_file_name(book):
698 return "%s/%s.%s" % (
699 b.get_extra_info_value()['author'],
703 field_name = "%s_file" % format_
704 books = Book.objects.filter(parent=None).exclude(**{field_name: ""})
705 paths = [(pretty_file_name(b), getattr(b, field_name).path)
707 result = create_zip.delay(paths,
708 getattr(settings, "ALL_%s_ZIP" % format_.upper()))
711 def zip_audiobooks(self):
712 bm = BookMedia.objects.filter(book=self, type='mp3')
713 paths = map(lambda bm: (None, bm.file.path), bm)
714 result = create_zip.delay(paths, self.fileid())
718 def from_xml_file(cls, xml_file, **kwargs):
719 from django.core.files import File
720 from librarian import dcparser
722 # use librarian to parse meta-data
723 book_info = dcparser.parse(xml_file)
725 if not isinstance(xml_file, File):
726 xml_file = File(open(xml_file))
729 return cls.from_text_and_meta(xml_file, book_info, **kwargs)
734 def from_text_and_meta(cls, raw_file, book_info, overwrite=False,
735 build_epub=True, build_txt=True, build_pdf=True, build_mobi=True):
737 from sortify import sortify
739 # check for parts before we do anything
741 if hasattr(book_info, 'parts'):
742 for part_url in book_info.parts:
744 children.append(Book.objects.get(
745 slug=part_url.slug, language=part_url.language))
746 except Book.DoesNotExist, e:
747 raise Book.DoesNotExist(_('Book "%s/%s" does not exist.') %
748 (part_url.slug, part_url.language))
752 book_slug = book_info.url.slug
753 language = book_info.language
754 if re.search(r'[^a-zA-Z0-9-]', book_slug):
755 raise ValueError('Invalid characters in slug')
756 book, created = Book.objects.get_or_create(slug=book_slug, language=language)
762 raise Book.AlreadyExists(_('Book %s/%s already exists') % (
763 book_slug, language))
764 # Save shelves for this book
765 book_shelves = list(book.tags.filter(category='set'))
767 book.title = book_info.title
768 book.set_extra_info_value(book_info.to_dict())
771 meta_tags = Tag.tags_from_info(book_info)
773 book.tags = set(meta_tags + book_shelves)
775 book_tag = book.book_tag()
777 for n, child_book in enumerate(children):
778 child_book.parent = book
779 child_book.parent_number = n
782 # Save XML and HTML files
783 book.xml_file.save('%s.xml' % book.slug, raw_file, save=False)
785 # delete old fragments when overwriting
786 book.fragments.all().delete()
788 if book.build_html():
789 if not settings.NO_BUILD_TXT and build_txt:
792 if not settings.NO_BUILD_EPUB and build_epub:
795 if not settings.NO_BUILD_PDF and build_pdf:
798 if not settings.NO_BUILD_MOBI and build_mobi:
801 book_descendants = list(book.children.all())
802 descendants_tags = set()
803 # add l-tag to descendants and their fragments
804 while len(book_descendants) > 0:
805 child_book = book_descendants.pop(0)
806 descendants_tags.update(child_book.tags)
807 child_book.tags = list(child_book.tags) + [book_tag]
809 for fragment in child_book.fragments.all():
810 fragment.tags = set(list(fragment.tags) + [book_tag])
811 book_descendants += list(child_book.children.all())
813 for tag in descendants_tags:
819 book.reset_tag_counter()
820 book.reset_theme_counter()
822 cls.published.send(sender=book)
825 def reset_tag_counter(self):
829 cache_key = "Book.tag_counter/%d" % self.id
830 cache.delete(cache_key)
832 self.parent.reset_tag_counter()
835 def tag_counter(self):
837 cache_key = "Book.tag_counter/%d" % self.id
838 tags = cache.get(cache_key)
844 for child in self.children.all().order_by():
845 for tag_pk, value in child.tag_counter.iteritems():
846 tags[tag_pk] = tags.get(tag_pk, 0) + value
847 for tag in self.tags.exclude(category__in=('book', 'theme', 'set')).order_by():
851 cache.set(cache_key, tags, CACHE_FOREVER)
854 def reset_theme_counter(self):
858 cache_key = "Book.theme_counter/%d" % self.id
859 cache.delete(cache_key)
861 self.parent.reset_theme_counter()
864 def theme_counter(self):
866 cache_key = "Book.theme_counter/%d" % self.id
867 tags = cache.get(cache_key)
873 for fragment in Fragment.tagged.with_any([self.book_tag()]).order_by():
874 for tag in fragment.tags.filter(category='theme').order_by():
875 tags[tag.pk] = tags.get(tag.pk, 0) + 1
878 cache.set(cache_key, tags, CACHE_FOREVER)
881 def pretty_title(self, html_links=False):
883 names = list(book.tags.filter(category='author'))
889 names.extend(reversed(books))
892 names = ['<a href="%s">%s</a>' % (tag.get_absolute_url(), tag.name) for tag in names]
894 names = [tag.name for tag in names]
896 return ', '.join(names)
899 def tagged_top_level(cls, tags):
900 """ Returns top-level books tagged with `tags'.
902 It only returns those books which don't have ancestors which are
903 also tagged with those tags.
906 # get relevant books and their tags
907 objects = cls.tagged.with_all(tags)
908 # eliminate descendants
909 l_tags = Tag.objects.filter(category='book', slug__in=[book.book_tag_slug() for book in objects])
910 descendants_keys = [book.pk for book in cls.tagged.with_any(l_tags)]
912 objects = objects.exclude(pk__in=descendants_keys)
917 def book_list(cls, filter=None):
918 """Generates a hierarchical listing of all books.
920 Books are optionally filtered with a test function.
925 books = cls.objects.all().order_by('parent_number', 'sort_key').only(
926 'title', 'parent', 'slug', 'language')
928 books = books.filter(filter).distinct()
929 book_ids = set((book.pk for book in books))
931 parent = book.parent_id
932 if parent not in book_ids:
934 books_by_parent.setdefault(parent, []).append(book)
937 books_by_parent.setdefault(book.parent_id, []).append(book)
940 books_by_author = SortedDict()
941 for tag in Tag.objects.filter(category='author'):
942 books_by_author[tag] = []
944 for book in books_by_parent.get(None,()):
945 authors = list(book.tags.filter(category='author'))
947 for author in authors:
948 books_by_author[author].append(book)
952 return books_by_author, orphans, books_by_parent
955 "SP1": (1, u"szkoła podstawowa"),
956 "SP2": (1, u"szkoła podstawowa"),
957 "P": (1, u"szkoła podstawowa"),
958 "G": (2, u"gimnazjum"),
960 "LP": (3, u"liceum"),
962 def audiences_pl(self):
963 audiences = self.get_extra_info_value().get('audiences', [])
964 audiences = sorted(set([self._audiences_pl[a] for a in audiences]))
965 return [a[1] for a in audiences]
968 def _has_factory(ftype):
969 has = lambda self: bool(getattr(self, "%s_file" % ftype))
970 has.short_description = t.upper()
972 has.__name__ = "has_%s_file" % ftype
976 # add the file fields
977 for t in Book.formats:
978 field_name = "%s_file" % t
979 models.FileField(_("%s file" % t.upper()),
980 upload_to=book_upload_path(t),
981 blank=True).contribute_to_class(Book, field_name)
983 setattr(Book, "has_%s_file" % t, _has_factory(t))
986 class Fragment(models.Model):
987 text = models.TextField()
988 short_text = models.TextField(editable=False)
989 anchor = models.CharField(max_length=120)
990 book = models.ForeignKey(Book, related_name='fragments')
992 objects = models.Manager()
993 tagged = managers.ModelTaggedItemManager(Tag)
994 tags = managers.TagDescriptor(Tag)
997 ordering = ('book', 'anchor',)
998 verbose_name = _('fragment')
999 verbose_name_plural = _('fragments')
1001 def get_absolute_url(self):
1002 return '%s#m%s' % (self.book.get_html_url(), self.anchor)
1004 def reset_short_html(self):
1008 cache_key = "Fragment.short_html/%d/%s"
1009 for lang, langname in settings.LANGUAGES:
1010 cache.delete(cache_key % (self.id, lang))
1012 def short_html(self):
1014 cache_key = "Fragment.short_html/%d/%s" % (self.id, get_language())
1015 short_html = cache.get(cache_key)
1019 if short_html is not None:
1020 return mark_safe(short_html)
1022 short_html = unicode(render_to_string('catalogue/fragment_short.html',
1023 {'fragment': self}))
1025 cache.set(cache_key, short_html, CACHE_FOREVER)
1026 return mark_safe(short_html)
1036 def _tags_updated_handler(sender, affected_tags, **kwargs):
1037 # reset tag global counter
1038 # we want Tag.changed_at updated for API to know the tag was touched
1039 for tag in affected_tags:
1040 touch_tag.delay(tag)
1042 # if book tags changed, reset book tag counter
1043 if isinstance(sender, Book) and \
1044 Tag.objects.filter(pk__in=(tag.pk for tag in affected_tags)).\
1045 exclude(category__in=('book', 'theme', 'set')).count():
1046 sender.reset_tag_counter()
1047 # if fragment theme changed, reset book theme counter
1048 elif isinstance(sender, Fragment) and \
1049 Tag.objects.filter(pk__in=(tag.pk for tag in affected_tags)).\
1050 filter(category='theme').count():
1051 sender.book.reset_theme_counter()
1052 tags_updated.connect(_tags_updated_handler)
1055 def _pre_delete_handler(sender, instance, **kwargs):
1056 """ refresh Book on BookMedia delete """
1057 if sender == BookMedia:
1058 instance.book.save()
1059 pre_delete.connect(_pre_delete_handler)
1061 def _post_save_handler(sender, instance, **kwargs):
1062 """ refresh all the short_html stuff on BookMedia update """
1063 if sender == BookMedia:
1064 instance.book.save()
1065 post_save.connect(_post_save_handler)