Django基于类的视图(TemplateView)中的URL参数和逻辑

我不清楚在Django 1.5的基于类的视图中访问URL参数是最好的。

考虑以下:

视图:

from django.views.generic.base import TemplateView class Yearly(TemplateView): template_name = "calendars/yearly.html" current_year = datetime.datetime.now().year current_month = datetime.datetime.now().month def get_context_data(self, **kwargs): context = super(Yearly, self).get_context_data(**kwargs) context['current_year'] = self.current_year context['current_month'] = self.current_month return context 

URLconfiguration:

 from .views import Yearly urlpatterns = patterns('', url( regex=r'^(?P<year>\d+)/$', view=Yearly.as_view(), name='yearly-view' ), ) 

我想在我的视图中访问year参数,所以我可以这样做的逻辑:

 month_names = ["January", "February", "March", "April", "May", "June", "July", "August", "September", "October", "November", "December"] for month, month_name in enumerate(month_names, start=1): is_current = False if year == current_year and month == current_month: is_current = True months.append({ 'month': month, 'name': month_name, 'is_current': is_current}) 

如何最好的访问CBV中的URL参数,如上面的TemplateView子类,以及理想的地方应该放置这样的逻辑,例如。 在一个方法?

要在基于类的视图中访问url参数,请使用self.argsself.kwargs以便通过执行self.kwargs['year']来访问它

如果你这样传递URL参数:

 http://<my_url>/?order_by=created 

您可以使用self.request.GET (它不在self.args也不在self.kwargs )在基于类的视图中访问它:

 class MyClassBasedView(ObjectList): ... def get_queryset(self): order_by = self.request.GET.get('order_by') or '-created' qs = super(MyClassBasedView, self).get_queryset() return qs.order_by(order_by) 

我发现这个优雅的解决scheme,对于Django 1.5或更高版本, 这里指出:

Django的通用基于类的视图现在自动在上下文中包含视图variables。 这个variables指向你的视图对象。

在你的views.py中:

 from django.views.generic.base import TemplateView class Yearly(TemplateView): template_name = "calendars/yearly.html" # No here current_year = datetime.datetime.now().year current_month = datetime.datetime.now().month # dispatch is called when the class instance loads def dispatch(self, request, *args, **kwargs): self.year = kwargs.get('year', "any_default") # other code 

在这个问题中发现的调度解决scheme。
由于视图已经在模板上下文中传递,所以您并不需要关心它。 在您的模板文件:annual.html中,可以通过以下方式访问这些视图属性:

 {{ view.year }} {{ view.current_year }} {{ view.current_month }} 

你可以保持你的urlconf

不用说提取信息到模板的上下文中会覆盖get_context_data(),所以它以某种方式破坏了django的action beanstream。

到目前为止,我只能从get_queryset方法中访问这些url参数,尽pipe我只是用ListView而不是TemplateView来试用它。 我将使用url参数在对象实例上创build一个属性,然后在get_context_data中使用该属性来填充上下文:

 class Yearly(TemplateView): template_name = "calendars/yearly.html" current_year = datetime.datetime.now().year current_month = datetime.datetime.now().month def get_queryset(self): self.year = self.kwargs['year'] queryset = super(Yearly, self).get_queryset() return queryset def get_context_data(self, **kwargs): context = super(Yearly, self).get_context_data(**kwargs) context['current_year'] = self.current_year context['current_month'] = self.current_month context['year'] = self.year return context