エントリ間の関係などを含むアドレス帳を作成しています。個人、会社、会場、および役割の個別のモデルがあります。インデックスページで、各モデルのすべてのインスタンスをリストし、それらをフィルタリングします。人がエントリを簡単に検索して見つけることができるように。汎用ビューを使用して単一のモデルをリストし、get_extra_contextを使用してもう1つのモデルを表示できました。
#views.py
class IndividualListView(ListView):
context_object_name = "individual_list"
queryset = Individual.objects.all()
template_name='contacts/individuals/individual_list.html'
class IndividualDetailView(DetailView):
context_object_name = 'individual_detail'
queryset = Individual.objects.all()
template_name='contacts/individuals/individual_details.html'
def get_context_data(self, **kwargs):
context = super(IndividualDetailView, self).get_context_data(**kwargs)
context['role'] = Role.objects.all()
return context
また、カスタムビューを使用して単一のモデルをリストすることもできます。
#views.py
def object_list(request, model):
obj_list = model.objects.all()
template_name = 'contacts/index.html'
return render_to_response(template_name, {'object_list': obj_list})
これらのテストの両方のurls.pyは次のとおりです。
(r'^$', views.object_list, {'model' : models.Individual}),
(r'^individuals/$',
IndividualListView.as_view(),
),
(r'^individuals/(?P<pk>\d+)/$',
IndividualDetailView.as_view(),
),
私の質問は、「これを変更して、複数のモデルをテンプレートに渡すにはどうすればよいですか?」です。それも可能ですか? StackOverflowに関する同様の質問はすべて、2つのモデル(get_extra_contextを使用して解決できる)についてのみ尋ねます。
object_list
ビューを削除することをお勧めします。
この特定のビューの辞書を定義し、
all_models_dict = {
"template_name": "contacts/index.html",
"queryset": Individual.objects.all(),
"extra_context" : {"role_list" : Role.objects.all(),
"venue_list": Venue.objects.all(),
#and so on for all the desired models...
}
}
そして、あなたのURLで:
#add this import to the top
from Django.views.generic import list_detail
(r'^$', list_detail.object_list, all_models_dict),
私はクラスベースのビューを使用するために@thikonomの答えを修正することになりました:
class IndexView(ListView):
context_object_name = 'home_list'
template_name = 'contacts/index.html'
queryset = Individual.objects.all()
def get_context_data(self, **kwargs):
context = super(IndexView, self).get_context_data(**kwargs)
context['roles'] = Role.objects.all()
context['venue_list'] = Venue.objects.all()
context['festival_list'] = Festival.objects.all()
# And so on for more models
return context
そして私のurls.pyで
url(r'^$',
IndexView.as_view(),
name="home_list"
),
Django 1.5でビルドしたい場合は、安定バージョンのCBVを利用できます。以下のコードをご覧ください。
ここにある素晴らしいドキュメント https://docs.djangoproject.com/en/dev/topics/class-based-views/mixins/
class ProductsCategoryList(ListView):
context_object_name = 'products_list'
template_name = 'gallery/index_newborn.html'
def get_queryset(self):
self.category = get_object_or_404(Category, name=self.args[0])
return Products.objects.filter(category=self.category)
def get_context_data(self, **kwargs):
kwargs['category'] = Category.objects.all()
# And so on for more models
return super(ProductsCategoryList, self).get_context_data(**kwargs)