I have model which has Meta: unique_together = ['slug', 'person'], person is foreign key field. In my form I don't want to type slug field. I want to populate it from child_name field. I tried as:
class ChildForm(SlugCleanMixin, forms.ModelForm):
class Meta:
model = Child
fields = ('child_name','slug','child_birth_date','blood_group')
def slug(self):
return slugify(self.child_name)
But slug field not autopopulated from child_name. I also tried using pre_save in models as:
def create_slug(instance, new_slug=None):
slug = slugify(instance.child_name)
if new_slug is not None:
slug = new_slug
qs = Child.objects.filter(slug=slug).order_by("-id")
exists = qs.exists()
if exists:
new_slug = "%s-%s" %(slug, qs.first().id)
return create_slug(instance, new_slug=new_slug)
return slug
def pre_save_post_receiver(sender, instance, *args, **kwargs):
if not instance.slug:
instance.slug = create_slug(instance)
pre_save.connect(pre_save_post_receiver, sender=Child)
But nothing fulfill my purpose. How could I do that? Any help will be appreciated.
MY SlugCleanMixin:
class SlugCleanMixin:
"""Mixin class for slug cleaning method."""
def clean_slug(self):
new_slug = (
self.cleaned_data['slug'].lower())
if new_slug == 'create':
raise ValidationError(
'Slug may not be "create".')
return new_slug
my views:
class ChildrenCreate( ChildrenGetObjectMixin,
PersonContextMixin, CreateView):
template_name = 'member/children_form.html'
model = Child
form_class = ChildForm
def get_initial(self):
person_slug = self.kwargs.get(
self.person_slug_url_kwarg)
self.person = get_object_or_404(
Person, slug__iexact=person_slug)
initial = {
self.person_context_object_name:
self.person,
}
initial.update(self.initial)
return initial
Models:
class Child(models.Model):
person = models.ForeignKey(Person, on_delete=models.CASCADE)
child_name = models.CharField(max_length=150)
slug = models.SlugField(max_length=100)
child_birth_date = models.DateField()
blood_group = models.CharField(max_length=5, blank=True)
objects = ChildrenManager()
class Meta:
verbose_name_plural = 'children'
ordering = ['-child_birth_date']
unique_together = ['slug', 'person']