我的django应用程序中有以下视图。
def edit(request, collection_id):
collection = get_object_or_404(Collection, pk=collection_id)
form = CollectionForm(instance=collection)
if request.method == 'POST':
if 'comicrequest' in request.POST:
c = SubmissionLog(name=request.POST['newtitle'], sub_date=datetime.now())
c.save()
else:
form = CollectionForm(request.POST, instance=collection)
if form.is_valid():
update_collection = form.save()
return redirect('viewer:viewer', collection_id=update_collection.id)
return render(request, 'viewer/edit.html', {'form': form})
它显示一个表单,允许您编辑图像集合。我的html的页脚包含一个表单,允许您从管理员请求新的图像源。它提交的是与CollectionForm不同的数据模型。由于这是在每个视图的页脚中,我想提取代码的第5-7行并将其转换为装饰器。这是可能的,如果可以的话,我该怎么做呢?
答案 0 :(得分:4)
我会创建一个新视图来处理表单的帖子。然后在上下文处理器或其他东西中粘贴一个空白表单实例,这样就可以在每个页面上打印出来。
如果你想制作装饰,我会建议使用基于类的视图。这样,您可以轻松地创建一个处理表单的基本视图类,并且每个其他视图都可以扩展它。
编辑:
以下是基于课程视图的文档:https://docs.djangoproject.com/en/dev/topics/class-based-views/intro/
注意,我仍然建议为表单POST提供一个单独的视图,但是这里的解决方案可能与基于类的视图一样:
class SubmissionLogFormMixin(object):
def get_context_data(self, **kwargs):
context = super(SubmissionLogFormMixin, self).get_context_data(**kwargs)
# since there could be another form on the page, you need a unique prefix
context['footer_form'] = SubmissionLogForm(self.request.POST or None, prefix='footer_')
return context
def post(self, request, *args, **kwargs):
footer_form = SubmissionLogForm(request.POST, prefix='footer_')
if footer_form.is_valid():
c = footer_form.save(commit=False)
c.sub_date=datetime.now()
c.save()
return super(SubmissionLogFormMixin, self).post(request, *args, **kwargs)
class EditView(SubmissionLogFormMixin, UpdateView):
form_class = CollectionForm
model = Collection
# you can use SubmissionLogFormMixin on any other view as well.
请注意,这非常粗糙。不确定它是否能完美运行。但这应该会给你一个想法。