Assuming you have a project module. One of the field champion is the foreign key to the auth user. And you want the champion field to have the auto complete feature as the editor types a name in the text box.
models.py:
- from django.db import models
- class Project(models.Model):
- title = models.CharField(max_length=200)
- champion = models.ForeignKey(User)
In the forms.py below, as you noticed, an extra field champion_display is added, and champion is turned to a hidden field. This is because we want the auto complete text box to show the name of the selected user not the id. The id will be assigned to the hidden field champion.
forms.py:
- from django import forms
- class ProjectForm(forms.ModelForm):
- champion_display = forms.CharField(max_length=100, help_text='type name or username or email')
- class_Meta:
- model = Project
- fields=('title', 'champion_display', 'champion',)
- def __init__(self, *args, **kwargs):
- super(ProjectForm, self).__init__(*args, **kwargs)
- self.field['champion_display'].label = "Add a Champion"
- self.fields['champion'].widget = forms.HiddenInput()
In your project urls.py, add the champion auto complete url.
urls.py:
- from django.conf.urls.defaults import patterns, url
- urlpatterns = patterns('projects.views',
- url(r'^add/$', 'add'),
- url(r'^champion_auto_complete/$', 'champion_auto_complete', name='champion_auto_complete'),
- )
views.py:
- from django.http import HttpResponse
- from django.contrib.auth.models import User
- from django.utils import simplejson
- def champion_auto_complete(request):
- q = request.REQUEST('term']
- users = User.objects.filter(is_active=True)
- users_list = []
- for u in users:
- value = '%s, %s (%s) - %s' % (u.last_name, u.first_name, u.username, u.email)
- u_dict = {'id': u.id, 'label': value, 'value': value}
- users_list.append[u_dict]
- return HttpResponse(simplejson.dumps(users_list),mimetype='application/json')
In the Project template, you need to include: jqueryui css, jquery and jqueryui.
templates/projects/add.html:
- ...... 
 <link rel="stylesheet" href="http://ajax.googleapis.com/ajax/libs/jqueryui/1.8.16/themes/base/jquery-ui.css" type="text/css" media="all" />
- ......
- <form action="" method="post">{% csrf_token %}
- <div class="forms">
- {{ form }}
- <input type="submit" name="submit" value="Save" />
- </div>
- </form>
- ......
- <script src="http://ajax.googleapis.com/ajax/libs/jquery/1.6.2/jquery.min.js" type="text/javascript"></script>
- <script src="http://ajax.googleapis.com/ajax/libs/jqueryui/1.8.16/jquery-ui.min.js" type="text/javascript"></script>
- <script type="text/javascript">
- $(document).ready(function(){
- $( "#id_champion_display" ).autocomplete({
- source: "{% url champion_auto_complete %}",
- selectFirst:true,
- minLength:2,
- select:function(event,ui) {
- $("#id_champion").val(ui.item.id)
- }
- });
- });
