1 from django import forms
2 from django.contrib.admin.widgets import AdminTextareaWidget
3 from django.core.exceptions import ValidationError, ObjectDoesNotExist
4 from django.forms.models import model_to_dict, fields_for_model, ModelFormMetaclass, ModelForm, BaseInlineFormSet
5 from django.forms.formsets import TOTAL_FORM_COUNT
6 from django.template import loader, loader_tags, TemplateDoesNotExist, Context, Template as DjangoTemplate
7 from django.utils.datastructures import SortedDict
8 from philo.admin.widgets import ModelLookupWidget
9 from philo.models import Entity, Template, Contentlet, ContentReference
10 from philo.models.fields import RelationshipField
11 from philo.utils import fattr
14 __all__ = ('EntityForm', )
17 def proxy_fields_for_entity_model(entity_model, fields=None, exclude=None, widgets=None, formfield_callback=lambda f, **kwargs: f.formfield(**kwargs)):
20 opts = entity_model._entity_meta
21 for f in opts.proxy_fields:
22 if fields and not f.name in fields:
24 if exclude and f.name in exclude:
26 if widgets and f.name in widgets:
27 kwargs = {'widget': widgets[f.name]}
30 formfield = formfield_callback(f, **kwargs)
32 field_list.append((f.name, formfield))
34 ignored.append(f.name)
35 field_dict = SortedDict(field_list)
37 field_dict = SortedDict(
38 [(f, field_dict.get(f)) for f in fields
39 if ((not exclude) or (exclude and f not in exclude)) and (f not in ignored) and (f in field_dict)]
44 # BEGIN HACK - This will not be required after http://code.djangoproject.com/ticket/14082 has been resolved
46 class EntityFormBase(ModelForm):
49 _old_metaclass_new = ModelFormMetaclass.__new__
51 def _new_metaclass_new(cls, name, bases, attrs):
52 new_class = _old_metaclass_new(cls, name, bases, attrs)
53 if issubclass(new_class, EntityFormBase) and new_class._meta.model:
54 new_class.base_fields.update(proxy_fields_for_entity_model(new_class._meta.model, new_class._meta.fields, new_class._meta.exclude, new_class._meta.widgets)) # don't pass in formfield_callback
57 ModelFormMetaclass.__new__ = staticmethod(_new_metaclass_new)
62 class EntityForm(EntityFormBase): # Would inherit from ModelForm directly if it weren't for the above HACK
63 def __init__(self, *args, **kwargs):
64 initial = kwargs.pop('initial', None)
65 instance = kwargs.get('instance', None)
66 if instance is not None:
68 for f in instance._entity_meta.proxy_fields:
69 if self._meta.fields and not f.name in self._meta.fields:
71 if self._meta.exclude and f.name in self._meta.exclude:
73 new_initial[f.name] = f.value_from_object(instance)
76 if initial is not None:
77 new_initial.update(initial)
78 kwargs['initial'] = new_initial
79 super(EntityForm, self).__init__(*args, **kwargs)
81 @fattr(alters_data=True)
82 def save(self, commit=True):
83 cleaned_data = self.cleaned_data
84 instance = super(EntityForm, self).save(commit=False)
86 for f in instance._entity_meta.proxy_fields:
87 if self._meta.fields and f.name not in self._meta.fields:
89 setattr(instance, f.attname, cleaned_data[f.name])
98 def validate_template(template):
100 Makes sure that the template and all included or extended templates are valid.
102 for node in template.nodelist:
104 if isinstance(node, loader_tags.ExtendsNode):
105 extended_template = node.get_parent(Context())
106 validate_template(extended_template)
107 elif isinstance(node, loader_tags.IncludeNode):
108 included_template = loader.get_template(node.template_name.resolve(Context()))
109 validate_template(extended_template)
111 raise ValidationError("Template code invalid. Error was: %s: %s" % (e.__class__.__name__, e))
114 class TemplateForm(ModelForm):
115 def clean_code(self):
116 code = self.cleaned_data['code']
118 t = DjangoTemplate(code)
120 raise ValidationError("Template code invalid. Error was: %s: %s" % (e.__class__.__name__, e))
129 class ContainerForm(ModelForm):
130 def __init__(self, *args, **kwargs):
131 super(ContainerForm, self).__init__(*args, **kwargs)
132 self.verbose_name = self.instance.name.replace('_', ' ')
135 class ContentletForm(ContainerForm):
136 content = forms.CharField(required=False, widget=AdminTextareaWidget)
138 def should_delete(self):
139 return not bool(self.cleaned_data['content'])
143 fields = ['name', 'content', 'dynamic']
146 class ContentReferenceForm(ContainerForm):
147 def __init__(self, *args, **kwargs):
148 super(ContentReferenceForm, self).__init__(*args, **kwargs)
150 self.fields['content_id'].widget = ModelLookupWidget(self.instance.content_type)
151 except ObjectDoesNotExist:
152 # This will happen when an empty form (which we will never use) gets instantiated.
155 def should_delete(self):
156 return (self.cleaned_data['content_id'] is None)
159 model = ContentReference
160 fields = ['name', 'content_id']
163 class ContainerInlineFormSet(BaseInlineFormSet):
164 def __init__(self, containers, data=None, files=None, instance=None, save_as_new=False, prefix=None, queryset=None):
165 # Unfortunately, I need to add some things to BaseInline between its __init__ and its super call, so
166 # a lot of this is repetition.
168 # Start cribbed from BaseInline
169 from django.db.models.fields.related import RelatedObject
170 self.save_as_new = save_as_new
171 # is there a better way to get the object descriptor?
172 self.rel_name = RelatedObject(self.fk.rel.to, self.model, self.fk).get_accessor_name()
173 if self.fk.rel.field_name == self.fk.rel.to._meta.pk.name:
174 backlink_value = self.instance
176 backlink_value = getattr(self.instance, self.fk.rel.field_name)
178 queryset = self.model._default_manager
179 qs = queryset.filter(**{self.fk.name: backlink_value})
180 # End cribbed from BaseInline
182 self.container_instances, qs = self.get_container_instances(containers, qs)
183 self.extra_containers = containers
184 self.extra = len(self.extra_containers)
185 super(BaseInlineFormSet, self).__init__(data, files, prefix=prefix, queryset=qs)
187 def get_container_instances(self, containers, qs):
188 raise NotImplementedError
190 def total_form_count(self):
191 if self.data or self.files:
192 return self.management_form.cleaned_data[TOTAL_FORM_COUNT]
194 return self.initial_form_count() + self.extra
196 def save_existing_objects(self, commit=True):
197 self.changed_objects = []
198 self.deleted_objects = []
199 if not self.get_queryset():
203 for form in self.initial_forms:
204 pk_name = self._pk_field.name
205 raw_pk_value = form._raw_value(pk_name)
207 # clean() for different types of PK fields can sometimes return
208 # the model instance, and sometimes the PK. Handle either.
209 pk_value = form.fields[pk_name].clean(raw_pk_value)
210 pk_value = getattr(pk_value, 'pk', pk_value)
212 obj = self._existing_object(pk_value)
213 if form.should_delete():
214 self.deleted_objects.append(obj)
217 if form.has_changed():
218 self.changed_objects.append((obj, form.changed_data))
219 saved_instances.append(self.save_existing(form, obj, commit=commit))
221 self.saved_forms.append(form)
222 return saved_instances
224 def save_new_objects(self, commit=True):
225 self.new_objects = []
226 for form in self.extra_forms:
227 if not form.has_changed():
229 # If someone has marked an add form for deletion, don't save the
231 if form.should_delete():
233 self.new_objects.append(self.save_new(form, commit=commit))
235 self.saved_forms.append(form)
236 return self.new_objects
239 class ContentletInlineFormSet(ContainerInlineFormSet):
240 def __init__(self, data=None, files=None, instance=None, save_as_new=False, prefix=None, queryset=None):
242 self.instance = self.fk.rel.to()
244 self.instance = instance
247 containers = list(self.instance.containers[0])
248 except ObjectDoesNotExist:
251 super(ContentletInlineFormSet, self).__init__(containers, data, files, instance, save_as_new, prefix, queryset)
253 def get_container_instances(self, containers, qs):
254 qs = qs.filter(name__in=containers)
255 container_instances = []
257 container_instances.append(container)
258 containers.remove(container.name)
259 return container_instances, qs
261 def _construct_form(self, i, **kwargs):
262 if i >= self.initial_form_count(): # and not kwargs.get('instance'):
263 kwargs['instance'] = self.model(name=self.extra_containers[i - self.initial_form_count() - 1])
265 return super(ContentletInlineFormSet, self)._construct_form(i, **kwargs)
268 class ContentReferenceInlineFormSet(ContainerInlineFormSet):
269 def __init__(self, data=None, files=None, instance=None, save_as_new=False, prefix=None, queryset=None):
271 self.instance = self.fk.rel.to()
273 self.instance = instance
276 containers = list(self.instance.containers[1])
277 except ObjectDoesNotExist:
280 super(ContentReferenceInlineFormSet, self).__init__(containers, data, files, instance, save_as_new, prefix, queryset)
282 def get_container_instances(self, containers, qs):
283 qs = qs.filter(name__in=[c[0] for c in containers])
284 container_instances = []
286 container_instances.append(container)
287 containers.remove((container.name, container.content_type))
288 return container_instances, qs
290 def _construct_form(self, i, **kwargs):
291 if i >= self.initial_form_count(): # and not kwargs.get('instance'):
292 name, content_type = self.extra_containers[i - self.initial_form_count() - 1]
293 kwargs['instance'] = self.model(name=name, content_type=content_type)
295 return super(ContentReferenceInlineFormSet, self)._construct_form(i, **kwargs)