Я работаю с Django CBV и пытаюсь впервые использовать формы.
Я хотел бы заполнить две формы одновременно с помощью внешнего ключа как общего элемента между ними.
У меня есть 2 модели:
class Publication(models.Model):
title = models.CharField(max_length=512, verbose_name=_('title'), null=False, unique=True)
description = models.TextField(verbose_name=_('description'), null=True)
download_limit = models.IntegerField(verbose_name=_('download limit'), null=True)
time_limit = models.IntegerField(verbose_name=_('expiration delay'), null=True)
category = models.ForeignKey(Category, verbose_name=_('category'), null=False)
nb_document = models.IntegerField(verbose_name=_('number of document'), default=0)
creation_date = models.DateTimeField(auto_now_add=True, verbose_name=_('creation date'), null=False)
modification_date = models.DateTimeField(auto_now=True, verbose_name=_('modification date'), null=False)
class Meta:
verbose_name = _('publication')
verbose_name_plural = _('publication')
def __str__(self):
return f"{self.title}"
class Document(models.Model):
FORMAT_CHOICES = (
('pdf', 'pdf'),
('epub', 'epub'),
)
age_id = models.CharField(max_length=12, verbose_name=_('publication ID'), unique=True, default='')
language = models.CharField(max_length=2, verbose_name=_('language'), null=False)
format = models.CharField(max_length=10, verbose_name=_('format'), choices=FORMAT_CHOICES, null=False)
title = models.CharField(max_length=512, verbose_name=_('title'), null=False)
publication = models.ForeignKey(Publication, verbose_name=_('publication'), null=False, related_name='documents')
upload = models.FileField(upload_to='media/', validators=[validate_file_extension])
creation_date = models.DateTimeField(auto_now_add=True, verbose_name=_('creation date'), null=False)
modification_date = models.DateTimeField(auto_now=True, verbose_name=_('modification date'), null=False)
class Meta:
verbose_name = _('document')
verbose_name_plural = _('document')
def __str__(self):
return f"{self.age_id} : {self.title} - {self.publication}"
Я определил набор форм в моем файле Python форм:
class PublicationForm(forms.ModelForm):
def __init__(self, *args, **kwargs):
super().__init__(*args, **kwargs)
self.fields['category'].empty_label = _('Select a category') # Modify initial empty_label
class Meta:
model = Publication
fields = ['title', 'category']
class DocumentForm(forms.ModelForm):
class Meta:
model = Document
fields = ['publication', 'age_id', 'language', 'format', 'title', 'upload']
DocumentFormSet = inlineformset_factory(Publication, Document, form=DocumentForm, extra=1)
И самое главное, мой взгляд определяется внутри файла cruds.py, например:
class PublicationCreateView(AgeCreateView):
model = Publication
template_name = 'app/publication_form.html'
def get_context_data(self, **kwargs):
context = super(PublicationCreateView, self).get_context_data(**kwargs)
if self.request.POST :
context['document_form'] = DocumentFormSet(self.request.POST, self.request.FILES)
else:
context['document_form'] = DocumentFormSet()
return context
def form_valid(self, form):
context = self.get_context_data()
document = context['document_form']
if document.is_valid():
document.instance = self.object
document.save()
return super(PublicationCreateView, self).form_valid(form)
def get_success_url(self):
return reverse('publication-list-crud')
class PublicationCRUDView(MainConfigCRUDManager):
""" CRUD views for Publication """
model = Publication
default_sort_params = ('category', 'asc')
templates = {'create': 'app/publication_form.html'}
custom_views = {'create': PublicationCreateView}
#queryset = Publication.objects.annotate(nb_documents=Count('documents'))
# Configuration of fields
search_fields = ['category', 'title']
list_fields = ['category', 'title', 'creation_date', 'modification_date', 'nb_document']
update_fields = ['category', 'title']
class DocumentCRUDView(MainConfigCRUDManager):
""" CRUD views for Document """
model = Document
default_sort_params = ('title', 'asc')
templates = {'create': 'app/publication_form.html'}
custom_views = {'create': PublicationCreateView}
# Configuration of fields
search_fields = ['age_id', 'title', 'language', 'publication_id.title', 'format']
list_fields = ['age_id', 'title', 'publication', 'language', 'format']
update_fields = ['publication', 'age_id', 'title', 'language', 'format', 'upload']
Шаблон хорошо отображается с общим набором форм, но когда я хочу отправить эту комбинированную форму, я получаю эту проблему:
Значение исключения: объект 'NoneType' не имеет атрибута 'id'
А это трассировка:
Traceback:
Файл
"/Home/.pyenv/versions/Publication3.6.2/lib/python3.6/site-packages/django/core/handlers/exception.py"
во внутреннем
41. response = get_response (запрос)
Файл
"/Home/.pyenv/versions/Publication3.6.2/lib/python3.6/site-packages/django/core/handlers/base.py"
в _get_response
187. response = self.process_exception_by_middleware (e, request)
Файл
"/Home/.pyenv/versions/Publication3.6.2/lib/python3.6/site-packages/django/core/handlers/base.py"
в _get_response
185. response = wrapped_callback (запрос, * callback_args, ** callback_kwargs)
Файл
"/Home/.pyenv/versions/Publication3.6.2/lib/python3.6/site-packages/django/views/generic/base.py"
ввиду
68. вернуть self.dispatch (запрос, * args, ** kwargs)
Файл
"/Home/.pyenv/versions/Publication3.6.2/lib/python3.6/site-packages/django/contrib/auth/mixins.py"
в отправке
56. вернуть супер (LoginRequiredMixin, self) .dispatch (запрос, * args, ** kwargs)
Файл
"/Home/.pyenv/versions/Publication3.6.2/lib/python3.6/site-packages/django/contrib/auth/mixins.py"
в отправке
116. return super (UserPassesTestMixin, self) .dispatch (запрос, * args, ** kwargs)
Файл
"/Home/.pyenv/versions/Publication3.6.2/lib/python3.6/site-packages/django/views/generic/base.py"
в отправке
88. обработчик возврата (запрос, * args, ** kwargs)
Файл
"/Home/.pyenv/versions/Publication3.6.2/lib/python3.6/site-packages/django/views/generic/edit.py"
в посте
217. return super (BaseCreateView, self) .post (запрос, * args, ** kwargs)
Файл
"/Home/.pyenv/versions/Publication3.6.2/lib/python3.6/site-packages/django/views/generic/edit.py"
в посте
183. вернуть self.form_valid (форма)
Файл
"/Home/Bureau/Projets/Publication/publication/src/web/app/cruds.py"
в форме
49. document.save ()
Файл
"/Home/.pyenv/versions/Publication3.6.2/lib/python3.6/site-packages/django/forms/models.py"
в сохранении
666. return self.save_existing_objects (commit) + self.save_new_objects (commit)
Файл
"/Home/.pyenv/versions/Publication3.6.2/lib/python3.6/site-packages/django/forms/models.py"
в save_new_objects
800. self.new_objects.append (self.save_new (form, commit = commit))
Файл
"/Home/.pyenv/versions/Publication3.6.2/lib/python3.6/site-packages/django/forms/models.py"
в save_new
946. pk_value = getattr (self.instance, self.fk.remote_field.field_name)
Тип исключения: AttributeError в / crud / publishing / create / Exception
Значение: объект 'NoneType' не имеет атрибута 'id'
Я не очень хорошо понимаю, где определяется id
и как я могу решить эту проблему.
Спасибо