我是django和jquery的新手。我正在开发一个基于django的应用程序,其中有3个下拉列表。1.校园2.学校3.中心
层次结构是:校园有学校,学校有中心。我想链接这些下拉菜单。
例如,我有3个校园,例如Campus1,Campus2,Campus3。如果选择“校园1”,则应该只选择“校园1”中的学校并继续执行此操作;如果选择“学校1”,则需要能够选择“学校1”的中心,并且所有其他选项都应隐藏。
我在网上搜索并尝试了此http://blog.devinterface.com/2011/02/how-to-implement-two-dropdowns-dependent-on-each-other-using-django-and-jquery/, 但是似乎不适合我。我还检查了此http://www.javascriptkit.com/script/script2/triplecombo.shtml, 但是由于我使用ModelForm创建表单,因此这不符合我的需求。
请指导我这样做。
你可能需要使用以下技术:
型号
from django.db import models class Campus(models.Model): name = models.CharField(max_length=100, choices=choices.CAMPUSES) def __unicode__(self): return u'%s' % self.name class School(models.Model): name = models.CharField(max_length=100) campus = models.ForeignKey(Campus) def __unicode__(self): return u'%s' % self.name class Centre(models.Model): name = models.CharField(max_length=100) school = models.ForeignKey(School) def __unicode__(self): return u'%s' % self.name
Forms.py
import models from django import forms class CenterForm(forms.ModelForm): campus = forms.ModelChoiceField(queryset=models.Campus.objects.all()) school = forms.ModelChoiceField(queryset=models.School.objects.none()) # Need to populate this using jquery centre = forms.ModelChoiceField(queryset=models.Centre.objects.none()) # Need to populate this using jquery class Meta: model = models.Center fields = ('campus', 'school', 'centre')
现在,在你的视图中编写一个方法,该方法为校园下的学校和学校下的中心返回json对象:
Views.py
import models import simplejson from django.http import HttpResponse def get_schools(request, campus_id): campus = models.Campus.objects.get(pk=campus_id) schools = models.School.objects.filter(campus=campus) school_dict = {} for school in schools: school_dict[school.id] = school.name return HttpResponse(simplejson.dumps(school_dict), mimetype="application/json") def get_centres(request, school_id): school = models.School.objects.get(pk=school_id) centres = models.Centre.objects.filter(school=school) centre_dict = {} for centre in centres: centre_dict[centre.id] = centre.name return HttpResponse(simplejson.dumps(centre_dict), mimetype="application/json")
现在编写一个ajax / jquery方法来获取数据并填充selectHTML中的元素。
AJAX / jQuery $(document).ready(function(){ $('select[name=campus]').change(function(){ campus_id = $(this).val(); request_url = '/get_schools/' + campus_id + '/'; $.ajax({ url: request_url, success: function(data){ $.each(data, function(index, text){ $('select[name=school]').append( $('<option></option>').val(index).html(text) ); }); } }); return false; }) });