I am working on adding more functionality to the polls app that is made in the official Django tutorial. One of the things I am working on is making Polls/Choices creatable by logged in users (instead of in an admin screen, where the tutorial leaves us).
我正在为官方Django教程中的民意调查应用添加更多功能。我正在研究的一件事是通过登录用户创建投票/选择(而不是在管理屏幕中,教程离开我们)。
I am looking to create a view where a user can create the a Poll, and then as well include some Choices to associate to the Poll. The Django Admin automagically does it, and I am not sure how to go about writing this out in a view.
我希望创建一个视图,用户可以在其中创建一个民意调查,然后还包括一些与民意调查相关联的选择。 Django Admin自动完成它,我不知道如何在视图中写出来。
To start with, these are my relevant files:
首先,这些是我的相关文件:
models.py
import datetime
from django.db import models
from django.utils import timezone
class Poll(models.Model):
question_text = models.CharField(max_length=200)
pub_date = models.DateTimeField('date published')
def __unicode__(self):
return self.question_text
def was_published_recently(self):
return self.pub_date >= timezone.now() - datetime.timedelta(days=1)
was_published_recently.admin_order_field = 'pub_date'
was_published_recently.boolean = True
was_published_recently.short_description = 'Published recently?'
class Choice(models.Model):
question = models.ForeignKey(Poll)
choice_text = models.CharField(max_length=200)
votes = models.IntegerField(default=0)
def __unicode__(self):
return self.choice_text
forms.py
from django import forms
from .models import Poll, Choice
from datetime import datetime
class PollForm(forms.ModelForm):
question_text = forms.CharField(max_length=200, help_text="Please enter the question.")
pub_date = forms.DateTimeField(widget=forms.HiddenInput(), initial = datetime.now())
class Meta:
model = Poll
fields = ("__all__")
class ChoiceForm(forms.ModelForm):
choice_text = forms.CharField(max_length=200, help_text="Please enter choices.")
votes = forms.IntegerField(widget=forms.HiddenInput(),initial=0)
exclude = ('poll',)
views.py
def add_poll(request):
# A HTTP POST?
if request.method == 'POST':
form = PollForm(request.POST)
# Have we been provided with a valid form?
if form.is_valid():
# Save the new category to the database.
form.save(commit=True)
# Now call the index() view.
# The user will be shown the homepage.
return render(request, 'polls/index.html', {})
else:
# The supplied form contained errors - just print them to the terminal.
print form.errors
else:
# If the request was not a POST, display the form to enter details.
form = PollForm()
# Bad form (or form details), no form supplied...
# Render the form with error messages (if any).
return render(request, 'polls/add_poll.html', {'form': form})
Currently, my view allows me a user to add a poll. I am just not sure how to go about adapting it to pass the entered text as the Poll model's question_text, to the Choice model, and in turn, the ChoiceForm.
目前,我的视图允许用户添加投票。我只是不确定如何调整它以将输入的文本作为Poll模型的question_text传递给Choice模型,进而将ChoiceForm传递给Choice模式。
Any guidance and recommendations are always appreciated!
任何指导和建议总是受到赞赏!
Cheers, Paul
16
Formsets are the way to do it in django.
Formset是在django中实现它的方法。
First add default
value for Poll.pub_date
field:
首先为Poll.pub_date字段添加默认值:
class Poll(models.Model):
question_text = models.CharField(max_length=200)
pub_date = models.DateTimeField('date published', default=timezone.now)
Then make forms a bit simpler:
然后使表单更简单:
class PollForm(forms.ModelForm):
class Meta:
model = Poll
fields = ('question_text', )
class ChoiceForm(forms.ModelForm):
class Meta:
model = Choice
fields = ('choice_text',)
Add formset support to your view:
为您的视图添加formset支持:
from django.forms.formsets import formset_factory
def add_poll(request):
ChoiceFormSet = formset_factory(ChoiceForm, extra=3,
min_num=2, validate_min=True)
if request.method == 'POST':
form = PollForm(request.POST)
formset = ChoiceFormSet(request.POST)
if all([form.is_valid(), formset.is_valid()]):
poll = form.save()
for inline_form in formset:
if inline_form.cleaned_data:
choice = inline_form.save(commit=False)
choice.question = poll
choice.save()
return render(request, 'polls/index.html', {})
else:
form = PollForm()
formset = ChoiceFormSet()
return render(request, 'polls/add_poll.html', {'form': form,
'formset': formset})
And finally your template:
最后你的模板:
<form method="post">
{% csrf_token %}
<table>
{{ form }}
{{ formset }}
</table>
<button>Add</button>
</form>
本站翻译的文章,版权归属于本站,未经许可禁止转摘,转摘请注明本文地址:http://www.silva-art.net/blog/2015/01/20/4830b82fcc06153f73228d596d57956a.html。