1 # -*- coding: utf-8 -*-
3 # This file is part of FNP-Redakcja, licensed under GNU Affero GPLv3 or later.
4 # Copyright © Fundacja Nowoczesna Polska. See NOTICE for more information.
6 from django.contrib.sites.models import Site
7 from django.db import models
8 from django.template.loader import render_to_string
9 from django.utils.translation import ugettext_lazy as _
10 from slughifi import slughifi
11 from librarian import NoDublinCore, ParseError, ValidationError
12 from librarian.dcparser import BookInfo
15 from catalogue.helpers import cached_in_field
16 from catalogue.models import BookPublishRecord, ChunkPublishRecord
17 from catalogue.signals import post_publish
18 from catalogue.tasks import refresh_instance
19 from catalogue.xml_tools import compile_text, split_xml
22 class Book(models.Model):
23 """ A document edited on the wiki """
25 title = models.CharField(_('title'), max_length=255, db_index=True)
26 slug = models.SlugField(_('slug'), max_length=128, unique=True, db_index=True)
27 gallery = models.CharField(_('scan gallery name'), max_length=255, blank=True)
29 #wl_slug = models.CharField(_('title'), max_length=255, null=True, db_index=True, editable=False)
30 parent = models.ForeignKey('self', null=True, blank=True, verbose_name=_('parent'), related_name="children")
31 parent_number = models.IntegerField(_('parent number'), null=True, blank=True, db_index=True)
34 _short_html = models.TextField(null=True, blank=True, editable=False)
35 _single = models.NullBooleanField(editable=False, db_index=True)
36 _new_publishable = models.NullBooleanField(editable=False)
37 _published = models.NullBooleanField(editable=False)
40 objects = models.Manager()
42 class NoTextError(BaseException):
46 app_label = 'catalogue'
47 ordering = ['parent_number', 'title']
48 verbose_name = _('book')
49 verbose_name_plural = _('books')
56 return iter(self.chunk_set.all())
58 def __getitem__(self, chunk):
59 return self.chunk_set.all()[chunk]
62 return self.chunk_set.count()
64 def __nonzero__(self):
66 Necessary so that __len__ isn't used for bool evaluation.
70 def __unicode__(self):
74 def get_absolute_url(self):
75 return ("catalogue_book", [self.slug])
78 # Creating & manipulating
79 # =======================
82 def create(cls, creator, text, *args, **kwargs):
83 b = cls.objects.create(*args, **kwargs)
84 b.chunk_set.all().update(creator=creator)
85 b[0].commit(text, author=creator)
88 def add(self, *args, **kwargs):
89 """Add a new chunk at the end."""
90 return self.chunk_set.reverse()[0].split(*args, **kwargs)
93 def import_xml_text(cls, text=u'', previous_book=None,
94 commit_args=None, **kwargs):
95 """Imports a book from XML, splitting it into chunks as necessary."""
96 texts = split_xml(text)
98 instance = previous_book
100 instance = cls(**kwargs)
103 # if there are more parts, set the rest to empty strings
104 book_len = len(instance)
105 for i in range(book_len - len(texts)):
106 texts.append((u'pusta część %d' % (i + 1), u''))
109 for i, (title, text) in enumerate(texts):
111 title = u'część %d' % (i + 1)
113 slug = slughifi(title)
117 chunk.slug = slug[:50]
118 chunk.title = title[:255]
121 chunk = instance.add(slug, title)
123 chunk.commit(text, **commit_args)
127 def make_chunk_slug(self, proposed):
129 Finds a chunk slug not yet used in the book.
131 slugs = set(c.slug for c in self)
134 while new_slug in slugs:
135 new_slug = "%s_%d" % (proposed, i)
139 def append(self, other, slugs=None, titles=None):
140 """Add all chunks of another book to self."""
141 number = self[len(self) - 1].number + 1
142 len_other = len(other)
143 single = len_other == 1
145 if slugs is not None:
146 assert len(slugs) == len_other
147 if titles is not None:
148 assert len(titles) == len_other
150 slugs = [slughifi(t) for t in titles]
152 for i, chunk in enumerate(other):
153 # move chunk to new book
155 chunk.number = number
158 # try some title guessing
159 if other.title.startswith(self.title):
160 other_title_part = other.title[len(self.title):].lstrip(' /')
162 other_title_part = other.title
165 # special treatment for appending one-parters:
166 # just use the guessed title and original book slug
167 chunk.title = other_title_part
168 if other.slug.startswith(self.slug):
169 chunk_slug = other.slug[len(self.slug):].lstrip('-_')
171 chunk_slug = other.slug
172 chunk.slug = self.make_chunk_slug(chunk_slug)
174 chunk.title = "%s, %s" % (other_title_part, chunk.title)
176 chunk.slug = slugs[i]
177 chunk.title = titles[i]
179 chunk.slug = self.make_chunk_slug(chunk.slug)
188 def last_published(self):
190 return self.publish_log.all()[0].timestamp
194 def assert_publishable(self):
195 assert self.chunk_set.exists(), _('No chunks in the book.')
197 changes = self.get_current_changes(publishable=True)
198 except self.NoTextError:
199 raise AssertionError(_('Not all chunks have publishable revisions.'))
200 book_xml = self.materialize(changes=changes)
203 bi = BookInfo.from_string(book_xml.encode('utf-8'))
204 except ParseError, e:
205 raise AssertionError(_('Invalid XML') + ': ' + str(e))
207 raise AssertionError(_('No Dublin Core found.'))
208 except ValidationError, e:
209 raise AssertionError(_('Invalid Dublin Core') + ': ' + str(e))
211 valid_about = "http://%s%s" % (Site.objects.get_current().domain, self.get_absolute_url())
212 assert bi.about == valid_about, _("rdf:about is not") + " " + valid_about
215 return self.slug.startswith('.')
217 def is_new_publishable(self):
218 """Checks if book is ready for publishing.
220 Returns True if there is a publishable version newer than the one
224 new_publishable = False
225 if not self.chunk_set.exists():
228 change = chunk.publishable()
231 if not new_publishable and not change.publish_log.exists():
232 new_publishable = True
233 return new_publishable
234 new_publishable = cached_in_field('_new_publishable')(is_new_publishable)
236 def is_published(self):
237 return self.publish_log.exists()
238 published = cached_in_field('_published')(is_published)
241 return len(self) == 1
242 single = cached_in_field('_single')(is_single)
244 @cached_in_field('_short_html')
245 def short_html(self):
246 return render_to_string('catalogue/book_list/book.html', {'book': self})
250 "_new_publishable": self.is_new_publishable(),
251 "_published": self.is_published(),
252 "_single": self.is_single(),
255 Book.objects.filter(pk=self.pk).update(**update)
256 refresh_instance(self)
259 """This should be done offline."""
265 # Materializing & publishing
266 # ==========================
268 def get_current_changes(self, publishable=True):
270 Returns a list containing one Change for every Chunk in the Book.
271 Takes the most recent revision (publishable, if set).
272 Throws an error, if a proper revision is unavailable for a Chunk.
275 changes = [chunk.publishable() for chunk in self]
277 changes = [chunk.head for chunk in self if chunk.head is not None]
279 raise self.NoTextError('Some chunks have no available text.')
282 def materialize(self, publishable=False, changes=None):
284 Get full text of the document compiled from chunks.
285 Takes the current versions of all texts
286 or versions most recently tagged for publishing,
287 or a specified iterable changes.
290 changes = self.get_current_changes(publishable)
291 return compile_text(change.materialize() for change in changes)
293 def publish(self, user):
295 Publishes a book on behalf of a (local) user.
297 self.assert_publishable()
298 changes = self.get_current_changes(publishable=True)
299 book_xml = self.materialize(changes=changes)
300 apiclient.api_call(user, "books/", {"book_xml": book_xml})
302 br = BookPublishRecord.objects.create(book=self, user=user)
304 ChunkPublishRecord.objects.create(book_record=br, change=c)
305 post_publish.send(sender=br)