Django 1.7, working version.
[wolnelektury.git] / apps / catalogue / models / bookmedia.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 json
7 from collections import namedtuple
8 from django.db import models
9 from django.utils.translation import ugettext_lazy as _
10 import jsonfield
11 from fnpdjango.utils.text.slughifi import slughifi
12 from catalogue.fields import OverwritingFileField
13
14
15 def _file_upload_to(i, _n):
16     return 'book/%(ext)s/%(name)s.%(ext)s' % {
17             'ext': i.ext(), 'name': slughifi(i.name)}
18
19 class BookMedia(models.Model):
20     """Represents media attached to a book."""
21     FileFormat = namedtuple("FileFormat", "name ext")
22     formats = OrderedDict([
23         ('mp3', FileFormat(name='MP3', ext='mp3')),
24         ('ogg', FileFormat(name='Ogg Vorbis', ext='ogg')),
25         ('daisy', FileFormat(name='DAISY', ext='daisy.zip')),
26     ])
27     format_choices = [(k, _('%s file' % t.name))
28             for k, t in formats.items()]
29
30     type = models.CharField(_('type'), db_index=True, choices=format_choices, max_length=20)
31     name = models.CharField(_('name'), max_length=512)
32     file = OverwritingFileField(_('file'), max_length=600,
33         upload_to=_file_upload_to)
34     uploaded_at = models.DateTimeField(_('creation date'), auto_now_add=True, editable=False, db_index=True)
35     extra_info = jsonfield.JSONField(_('extra information'), default={}, editable=False)
36     book = models.ForeignKey('Book', related_name='media')
37     source_sha1 = models.CharField(null=True, blank=True, max_length=40, editable=False)
38
39     def __unicode__(self):
40         return "%s (%s)" % (self.name, self.file.name.split("/")[-1])
41
42     class Meta:
43         ordering            = ('type', 'name')
44         verbose_name        = _('book media')
45         verbose_name_plural = _('book media')
46         app_label = 'catalogue'
47
48     def save(self, *args, **kwargs):
49         from fnpdjango.utils.text.slughifi import slughifi
50         from catalogue.utils import ExistingFile, remove_zip
51
52         try:
53             old = BookMedia.objects.get(pk=self.pk)
54         except BookMedia.DoesNotExist:
55             old = None
56         else:
57             # if name changed, change the file name, too
58             if slughifi(self.name) != slughifi(old.name):
59                 self.file.save(None, ExistingFile(self.file.path), save=False, leave=True)
60
61         super(BookMedia, self).save(*args, **kwargs)
62
63         # remove the zip package for book with modified media
64         if old:
65             remove_zip("%s_%s" % (old.book.slug, old.type))
66         remove_zip("%s_%s" % (self.book.slug, self.type))
67
68         extra_info = self.extra_info
69         if isinstance(extra_info, basestring):
70             # Walkaround for weird jsonfield 'no-decode' optimization.
71             extra_info = json.loads(extra_info)
72         extra_info.update(self.read_meta())
73         self.extra_info = extra_info
74         self.source_sha1 = self.read_source_sha1(self.file.path, self.type)
75         return super(BookMedia, self).save(*args, **kwargs)
76
77     def read_meta(self):
78         """
79             Reads some metadata from the audiobook.
80         """
81         import mutagen
82         from mutagen import id3
83
84         artist_name = director_name = project = funded_by = ''
85         if self.type == 'mp3':
86             try:
87                 audio = id3.ID3(self.file.path)
88                 artist_name = ', '.join(', '.join(tag.text) for tag in audio.getall('TPE1'))
89                 director_name = ', '.join(', '.join(tag.text) for tag in audio.getall('TPE3'))
90                 project = ", ".join([t.data for t in audio.getall('PRIV')
91                         if t.owner == 'wolnelektury.pl?project'])
92                 funded_by = ", ".join([t.data for t in audio.getall('PRIV')
93                         if t.owner == 'wolnelektury.pl?funded_by'])
94             except:
95                 pass
96         elif self.type == 'ogg':
97             try:
98                 audio = mutagen.File(self.file.path)
99                 artist_name = ', '.join(audio.get('artist', []))
100                 director_name = ', '.join(audio.get('conductor', []))
101                 project = ", ".join(audio.get('project', []))
102                 funded_by = ", ".join(audio.get('funded_by', []))
103             except:
104                 pass
105         else:
106             return {}
107         return {'artist_name': artist_name, 'director_name': director_name,
108                 'project': project, 'funded_by': funded_by}
109
110     def ext(self):
111         return self.formats[self.type].ext
112
113     @staticmethod
114     def read_source_sha1(filepath, filetype):
115         """
116             Reads source file SHA1 from audiobok metadata.
117         """
118         import mutagen
119         from mutagen import id3
120
121         if filetype == 'mp3':
122             try:
123                 audio = id3.ID3(filepath)
124                 return [t.data for t in audio.getall('PRIV')
125                         if t.owner == 'wolnelektury.pl?flac_sha1'][0]
126             except:
127                 return None
128         elif filetype == 'ogg':
129             try:
130                 audio = mutagen.File(filepath)
131                 return audio.get('flac_sha1', [None])[0]
132             except:
133                 return None
134         else:
135             return None