我有一个用于构造查询集过滤器的表单。该表单从数据库中提取项目状态选项。但是,我想添加其他选项,例如“所有实时促销” ...,因此选择框应类似于:
所有促销*
所有现场促销*
草案
已提交
公认
已报告
已检查
所有已完成的促销*
关闭
取消
这里的“ *”是我要添加的,其他来自数据库。
这可能吗?
class PromotionListFilterForm(forms.Form):
promotion_type = forms.ModelChoiceField(label="Promotion Type", queryset=models.PromotionType.objects.all(), widget=forms.Select(attrs={'class':'selector'}))
status = forms.ModelChoiceField(label="Status", queryset=models.WorkflowStatus.objects.all(), widget=forms.Select(attrs={'class':'selector'}))
...
retailer = forms.CharField(label="Retailer",widget=forms.TextInput(attrs={'class':'textbox'}))
最佳答案
您将无法使用ModelChoiceField。您将需要恢复为标准的ChoiceField,并在表单的__init__
方法中手动创建选项列表。就像是:
class PromotionListFilterForm(forms.Form):
promotion_type = forms.ChoiceField(label="Promotion Type", choices=(),
widget=forms.Select(attrs={'class':'selector'}))
....
EXTRA_CHOICES = [
('AP', 'All Promotions'),
('LP', 'Live Promotions'),
('CP', 'Completed Promotions'),
]
def __init__(self, *args, **kwargs):
super(PromotionListFilterForm, self).__init__(*args, **kwargs)
choices = [(pt.id, unicode(pt)) for pt in PromotionType.objects.all()]
choices.extend(EXTRA_CHOICES)
self.fields['promotion_type'].choices = choices
您还需要在表单的
clean()
方法中执行一些巧妙的操作,以捕获这些额外的选项并适当地对其进行处理。