[jquery] Django-CreateView가 중첩 된 양식 세트로 양식을 저장하지 않습니다
Django-Crispy-Forms 레이아웃 기능을 사용하여 기본 양식으로 중첩 된 양식 세트를 저장하는 방법을 적용하려고하지만 저장할 수 없습니다. 이 코드 예제 프로젝트를 따르고 있지만 데이터를 저장하기 위해 폼 세트를 확인할 수 없습니다. 누군가 내 실수를 지적 할 수 있다면 정말 감사 할 것입니다. 또한 EmployeeForm에 대해 동일한 뷰에서 세 개의 인라인을 추가해야합니다. Django-Extra-Views를 시도했지만 그 작업을 수행 할 수 없었습니다. 5와 같은 동일한 뷰에 대해 둘 이상의 인라인을 추가하도록 조언 해 주시면 감사하겠습니다. 모든 단일 페이지를 작성 Employee
하고 인라인 을 작성하려고 합니다 Education, Experience, Others
. 코드는 다음과 같습니다.
모델 :
class Employee(models.Model):
user = models.OneToOneField(User, on_delete=models.CASCADE, related_name='employees',
null=True, blank=True)
about = models.TextField()
street = models.CharField(max_length=200)
city = models.CharField(max_length=200)
country = models.CharField(max_length=200)
cell_phone = models.PositiveIntegerField()
landline = models.PositiveIntegerField()
def __str__(self):
return '{} {}'.format(self.id, self.user)
def get_absolute_url(self):
return reverse('bars:create', kwargs={'pk':self.pk})
class Education(models.Model):
employee = models.ForeignKey('Employee', on_delete=models.CASCADE, related_name='education')
course_title = models.CharField(max_length=100, null=True, blank=True)
institute_name = models.CharField(max_length=200, null=True, blank=True)
start_year = models.DateTimeField(null=True, blank=True)
end_year = models.DateTimeField(null=True, blank=True)
def __str__(self):
return '{} {}'.format(self.employee, self.course_title)
전망:
class EmployeeCreateView(CreateView):
model = Employee
template_name = 'bars/crt.html'
form_class = EmployeeForm
success_url = None
def get_context_data(self, **kwargs):
data = super(EmployeeCreateView, self).get_context_data(**kwargs)
if self.request.POST:
data['education'] = EducationFormset(self.request.POST)
else:
data['education'] = EducationFormset()
print('This is context data {}'.format(data))
return data
def form_valid(self, form):
context = self.get_context_data()
education = context['education']
print('This is Education {}'.format(education))
with transaction.atomic():
form.instance.employee.user = self.request.user
self.object = form.save()
if education.is_valid():
education.save(commit=False)
education.instance = self.object
education.save()
return super(EmployeeCreateView, self).form_valid(form)
def get_success_url(self):
return reverse_lazy('bars:detail', kwargs={'pk':self.object.pk})
양식 :
class EducationForm(forms.ModelForm):
class Meta:
model = Education
exclude = ()
EducationFormset =inlineformset_factory(
Employee, Education, form=EducationForm,
fields=['course_title', 'institute_name'], extra=1,can_delete=True
)
class EmployeeForm(forms.ModelForm):
class Meta:
model = Employee
exclude = ('user', 'role')
def __init__(self, *args, **kwargs):
super(EmployeeForm, self).__init__(*args, **kwargs)
self.helper = FormHelper()
self.helper.form_tag = True
self.helper.form_class = 'form-horizontal'
self.helper.label_class = 'col-md-3 create-label'
self.helper.field_class = 'col-md-9'
self.helper.layout = Layout(
Div(
Field('about'),
Field('street'),
Field('city'),
Field('cell_phone'),
Field('landline'),
Fieldset('Add Education',
Formset('education')),
HTML("<br>"),
ButtonHolder(Submit('submit', 'save')),
)
)
예제에 따른 사용자 정의 레이아웃 객체 :
from crispy_forms.layout import LayoutObject, TEMPLATE_PACK
from django.shortcuts import render
from django.template.loader import render_to_string
class Formset(LayoutObject):
template = "bars/formset.html"
def __init__(self, formset_name_in_context, template=None):
self.formset_name_in_context = formset_name_in_context
self.fields = []
if template:
self.template = template
def render(self, form, form_style, context, template_pack=TEMPLATE_PACK):
formset = context[self.formset_name_in_context]
return render_to_string(self.template, {'formset': formset})
Formset.html :
{% load static %}
{% load crispy_forms_tags %}
{% load staticfiles %}
<table>
{{ formset.management_form|crispy }}
{% for form in formset.forms %}
<tr class="{% cycle 'row1' 'row2' %} formset_row-{{ formset.prefix }}">
{% for field in form.visible_fields %}
<td>
{# Include the hidden fields in the form #}
{% if forloop.first %}
{% for hidden in form.hidden_fields %}
{{ hidden }}
{% endfor %}
{% endif %}
{{ field.errors.as_ul }}
{{ field|as_crispy_field }}
</td>
{% endfor %}
</tr>
{% endfor %}
</table>
<br>
<script src="//ajax.googleapis.com/ajax/libs/jquery/2.1.3/jquery.min.js">
</script>
<script src="{% static 'js/jquery.formset.js' %}">
</script>
<script type="text/javascript">
$('.formset_row-{{ formset.prefix }}').formset({
addText: 'add another',
deleteText: 'remove',
prefix: '{{ formset.prefix }}',
});
</script>
터미널 등에 오류가 없습니다. 도움을 주셔서 감사합니다.
답변
현재에서 양식을 올바르게 처리하고 있지 않습니다 CreateView
. form_valid
이보기에서 양식 세트가 아닌 상위 양식 만 처리합니다. 당신이해야 할 일은 post
방법을 재정의하는 것이므로 양식과 첨부 된 양식 세트를 모두 확인해야합니다.
def post(self, request, *args, **kwargs):
form = self.get_form()
# Add as many formsets here as you want
education_formset = EducationFormset(request.POST)
# Now validate both the form and any formsets
if form.is_valid() and education_formset.is_valid():
# Note - we are passing the education_formset to form_valid. If you had more formsets
# you would pass these as well.
return self.form_valid(form, education_formset)
else:
return self.form_invalid(form)
그런 다음 다음 form_valid
과 같이 수정하십시오 .
def form_valid(self, form, education_formset):
with transaction.atomic():
form.instance.employee.user = self.request.user
self.object = form.save()
# Now we process the education formset
educations = education_formset.save(commit=False)
for education in educations:
education.instance = self.object
education.save()
# If you had more formsets, you would accept additional arguments and
# process them as with the one above.
# Don't call the super() method here - you will end up saving the form twice. Instead handle the redirect yourself.
return HttpResponseRedirect(self.get_success_url())
현재 사용중인 방식이 get_context_data()
올바르지 않습니다. 해당 방법을 완전히 제거하십시오. 템플릿을 렌더링하기 위해 컨텍스트 데이터를 가져 오는 데만 사용해야합니다. form_valid()
메소드 에서 호출해서는 안됩니다 . 대신 post()
위에서 설명한대로 메소드 에서이 메소드로 양식 세트를 전달해야합니다 .
위의 샘플 코드에 몇 가지 추가 의견을 남겼 으므로이 점을 이해하는 데 도움이 될 것입니다.
답변
어쩌면 당신은 패키지를보고 싶어 django-extra-views
뷰를 제공하며 CreateWithInlinesView
마녀를 사용하면 Django-admin 인라인과 같은 중첩 된 인라인으로 양식을 만들 수 있습니다.
귀하의 경우 다음과 같습니다.
views.py
class EducationInline(InlineFormSetFactory):
model = Education
fields = ['course_title', 'institute_name']
class EmployeeCreateView(CreateWithInlinesView):
model = Employee
inlines = [EducationInline,]
fields = ['about', 'street', 'city', 'cell_phone', 'landline']
template_name = 'bars/crt.html'
crt.html
<form method="post">
...
{{ form }}
<table>
{% for formset in inlines %}
{{ formset.management_form }}
{% for inline_form in formset %}
<tr class="{% cycle 'row1' 'row2' %} formset_row-{{ formset.prefix }}">
{{ inline_form }}
</tr>
{% endfor %}
{% endfor %}
</table>
...
<input type="submit" value="Submit" />
</form>
<script src="//ajax.googleapis.com/ajax/libs/jquery/2.1.3/jquery.min.js">
</script>
<script src="{% static 'js/jquery.formset.js' %}">
</script>
<script type="text/javascript">
{% for formset in inlines %}
$('.formset_row-{{ formset.prefix }}').formset({
addText: 'add another',
deleteText: 'remove',
prefix: '{{ formset.prefix }}',
});
{% endfor %}
</script>
보기 EmployeeCreateView
Django-admin에서와 같이 가 양식을 처리합니다. 이 시점에서 원하는 스타일을 양식에 적용 할 수 있습니다.
나는 당신이 방문하는 것이 좋습니다 자세한 내용 설명서 를
편집 : 추가 management_form
하고 제거하기 위해 js 버튼을 추가했습니다.
답변
오류가 있다고 말했지만 귀하의 질문에 오류가 표시되지 않습니다. 오류 (및 전체 역 추적)는 작성한 것보다 중요합니다 (forms.py 및 views.py에서 제외)
양식 세트로 인해 동일한 CreateView에서 여러 양식을 사용하기 때문에 약간 까다로울 수 있습니다. 인터넷에는 많은 (또는 좋지 않은) 예제가 없습니다. 장고 코드에서 인라인 폼 세트가 어떻게 작동하는지 파헤칠 때까지 문제가 발생합니다.
지점까지 똑바로 가십시오. 문제는 폼 세트가 기본 폼과 동일한 인스턴스로 초기화되지 않는다는 것입니다. 그리고 아민 양식이 데이터를 데이터베이스에 저장하면 양식 세트의 인스턴스가 변경되지 않으며 결국 외래 키로 넣을 수있는 기본 객체의 ID가 없습니다. 초기화 후 폼 속성의 인스턴스 속성을 변경하는 것은 좋지 않습니다.
is_valid 이후에 chnage하면 일반적인 형태로 예측할 수없는 결과가 나타납니다. init 후에도 인스턴스 속성을 변경하는 폼 세트의 경우, 폼 세트의 폼이 이미 일부 인스턴스로 초기화되어 나중에 변경해도 도움이되지 않습니다. 좋은 소식은 Formset이 초기화 된 후 모든 양식의 인스턴스 속성이 동일한 객체를 가리 키기 때문에 Formset이 초기화 된 후 인스턴스의 속성을 변경할 수 있다는 것입니다.
두 가지 옵션이 있습니다.
폼셋 인 경우 인스턴스 속성을 설정하는 대신 instance.pk 만 설정하십시오. (이것은 내가 한 적이없는 추측이지만 작동해야한다고 생각합니다. 문제는 해킹으로 보일 것입니다). 모든 양식 / 양식을 한 번에 초기화하는 양식을 만듭니다. is_valid () 메소드가 호출되면 모든 fomrs를 유효성 검증해야합니다. save () 메소드가 호출되면 모든 양식을 저장해야합니다. 그런 다음 CreateView의 form_class 속성을 해당 양식 클래스로 설정해야합니다. 유일한 까다로운 부분은 기본 양식이 초기화 된 후 첫 번째 양식의 인스턴스로 다른 양식 (최신 양식)을 초기화해야한다는 것입니다. 또한 템플릿에서 폼 / 폼셋에 액세스하려면 폼 / 폼셋을 폼의 속성으로 설정해야합니다. 관련된 모든 객체로 객체를 만들어야 할 때 두 번째 방법을 사용하고 있습니다.
is_valid ()로 유효성을 검사 한 일부 데이터 (이 경우 POST 데이터)로 초기화하면 유효한 경우 save ()로 저장할 수 있습니다. 양식 인터페이스를 유지하고 양식을 올바르게 만든 경우 관련 개체와 함께 객체를 생성 할뿐만 아니라 업데이트하는 데에도 사용할 수 있으며 뷰는 매우 간단합니다.