I need to have a form that allows the creation or addition of sessions on a planning
Model
class Session(models.Model):
tutor = models.ForeignKey(User)
start_time = models.DateTimeField()
end_time = models.DateTimeField()
Form
class SessionForm(forms.ModelForm):
class Meta:
model = Session
exclude = ['tutor']
View to render the form
def editor(request):
if request.method == 'GET':
if request.GET['id'] != '0':
# The user has selected a session
session = Session.objects.get(id=request.GET['id'])
form = SessionForm(instance=session)
else:
# The user wants to add a new session
form = SessionForm()
return render_to_response('planner/editor.html',
{'form': form,}, context_instance=RequestContext(request),)
Template editor.html
<form action="/planner/post" method="post">{% csrf_token %}
{{ form.as_p }}
</form>
View to post the values
def post(request):
if request.method == 'POST':
form = SessionForm(request.POST)
if form.is_valid():
form.instance.tutor = request.user
form.save()
obj = {'posted': True}
return HttpResponse(json.dumps(obj), mimetype='application/json')
else:
return render_to_response('planner/editor.html',
form, context_instance=RequestContext(request),)
Problem
Sessions are always created (never updated)
Questions
- In my view
post
how do I know that the session must be updated and not created ? - Is there a way to simplify this code ?