more filters (type, subject)
[redakcja.git] / apps / catalogue / forms.py
index 3f32734..36dbef7 100644 (file)
@@ -3,13 +3,16 @@
 # This file is part of FNP-Redakcja, licensed under GNU Affero GPLv3 or later.
 # Copyright © Fundacja Nowoczesna Polska. See NOTICE for more information.
 #
+from django.utils.encoding import force_text
+from django.utils.html import format_html
+from django.utils.safestring import mark_safe
+
 from catalogue.models import Category
-from catalogue.models import User
+from catalogue.models import Tag
 from django import forms
 from django.utils.translation import ugettext_lazy as _
 
 from catalogue.constants import MASTERS
-from catalogue.models import Document
 
 
 def tag_field(category_tag, required=True):
@@ -23,39 +26,110 @@ class DocumentCreateForm(forms.Form):
     """
     owner_organization = forms.CharField(required=False)
     title = forms.CharField()
-    language = forms.CharField()
     publisher = forms.CharField(required=False)
     description = forms.CharField(required=False)
-    rights = forms.CharField(required=False)
-    audience = forms.CharField()
-    
     cover = forms.FileField(required=False)
-    
-    # summary = forms.CharField(required=True)
-    # template = forms.ModelChoiceField(Template.objects, required=False)
-    #
-    # class Meta:
-    #     model = Book
-    #     exclude = ['parent', 'parent_number', 'project', 'gallery', 'public']
-    #
-    # def __init__(self, *args, org=None, **kwargs):
-    #     super(DocumentCreateForm, self).__init__(*args, **kwargs)
-    #     self.fields['slug'].widget.attrs={'class': 'autoslug'}
-    #     self.fields['title'].widget.attrs={'class': 'autoslug-source'}
-    #     self.fields['template'].queryset = Template.objects.filter(is_main=True)
-    #
-    # def clean(self):
-    #     super(DocumentCreateForm, self).clean()
-    #     template = self.cleaned_data['template']
-    #     self.cleaned_data['gallery'] = self.cleaned_data['slug']
-    #
-    #     if template is not None:
-    #         self.cleaned_data['text'] = template.content
-    #
-    #     if not self.cleaned_data.get("text"):
-    #         self._errors["template"] = self.error_class([_("You must select a template")])
-    #
-    #     return self.cleaned_data
+
+    def clean_cover(self):
+        cover = self.cleaned_data['cover']
+        if cover and cover.name.rsplit('.', 1)[-1].lower() not in ('jpg', 'jpeg', 'png', 'gif', 'svg'):
+            raise forms.ValidationError(_('The cover should be an image file (jpg/png/gif)'))
+        return file
+
+
+class TagForm(forms.Form):
+    def __init__(self, category, instance=None, tutorial_no=None, *args, **kwargs):
+        super(TagForm, self).__init__(*args, **kwargs)
+        self.category = category
+        self.instance = instance
+        self.field().queryset = Tag.objects.filter(category=self.category)
+        self.field().label = self.category.label.capitalize()
+        if tutorial_no and category.tutorial:
+            self.field().widget.attrs.update({
+                'data-toggle': 'tutorial',
+                'data-tutorial': str(tutorial_no),
+                'data-placement': 'bottom',
+                'data-content': category.tutorial,
+            })
+        if self.instance:
+            self.field().initial = self.get_initial()
+
+    def save(self, instance=None):
+        instance = instance or self.instance
+        assert instance, 'No instance provided'
+        self.category.set_tags_for(instance, self.cleaned_tags())
+
+    def field(self):
+        raise NotImplementedError
+
+    def get_initial(self):
+        raise NotImplementedError
+
+    def cleaned_tags(self):
+        raise NotImplementedError
+
+    def metadata_rows(self):
+        return '\n'.join(
+            '<dc:%(name)s>%(value)s</dc:%(name)s>' % {'name': tag.category.dc_tag, 'value': tag.dc_value}
+            for tag in self.cleaned_tags())
+
+
+class TagSelect(forms.Select):
+    def render_option(self, selected_choices, option_value, option_label):
+        if option_value is None:
+            option_value = ''
+        help_html = ''
+        if option_value:
+            tag = Tag.objects.get(id=int(option_value))
+            if tag.help_text:
+                help_html = mark_safe(' data-help="%s"' % tag.help_text)
+        option_value = force_text(option_value)
+        if option_value in selected_choices:
+            selected_html = mark_safe(' selected="selected"')
+            if not self.allow_multiple_selected:
+                # Only allow for a single selection.
+                selected_choices.remove(option_value)
+        else:
+            selected_html = ''
+        return format_html(
+            u'<option value="{}"{}{}>{}</option>',
+            option_value, selected_html, help_html, force_text(option_label))
+
+
+class TagSingleForm(TagForm):
+    tag = forms.ModelChoiceField(
+        Tag.objects.none(),
+        widget=TagSelect(attrs={
+            'class': 'form-control',
+        })
+    )
+
+    def field(self):
+        return self.fields['tag']
+
+    def get_initial(self):
+        return self.instance.tags.get(category=self.category)
+
+    def cleaned_tags(self):
+        return [self.cleaned_data['tag']]
+
+
+class TagMultipleForm(TagForm):
+    tags = forms.ModelMultipleChoiceField(
+        Tag.objects.none(), required=False,
+        widget=forms.SelectMultiple(attrs={
+            'class': 'chosen-select',
+            'data-placeholder': _('Choose'),
+        }))
+
+    def field(self):
+        return self.fields['tags']
+
+    def get_initial(self):
+        return self.instance.tags.filter(category=self.category)
+
+    def cleaned_tags(self):
+        return self.cleaned_data['tags']
 
 
 class DocumentsUploadForm(forms.Form):
@@ -81,41 +155,6 @@ class DocumentsUploadForm(forms.Form):
         return self.cleaned_data
 
 
-class DocumentForm(forms.ModelForm):
-    """
-        Form used for editing a chunk.
-    """
-    user = forms.ModelChoiceField(
-        queryset=User.objects.order_by('last_name', 'first_name'),
-        required=False, label=_('Assigned to'))
-
-    class Meta:
-        model = Document
-        fields = ['user', 'stage']
-
-
-class BookForm(forms.ModelForm):
-    """Form used for editing a Book."""
-
-    class Meta:
-        model = Document
-        exclude = ['project']
-
-    def __init__(self, *args, **kwargs):
-        super(BookForm, self).__init__(*args, **kwargs)
-        self.fields['slug'].widget.attrs.update({"class": "autoslug"})
-        self.fields['title'].widget.attrs.update({"class": "autoslug-source"})
-
-
-class ReadonlyBookForm(BookForm):
-    """Form used for not editing a Book."""
-
-    def __init__(self, *args, **kwargs):
-        super(ReadonlyBookForm, self).__init__(*args, **kwargs)
-        for field in self.fields.values():
-            field.widget.attrs.update({"readonly": True})
-
-
 class ChooseMasterForm(forms.Form):
     """
         Form used for fixing the chunks in a book.