How do I redirect in Django with context? How do I redirect in Django with context? django django

How do I redirect in Django with context?


request.user.message_set was deprecated in Django 1.2 and has been removed since Django 1.4, the message framework should be used instead.

from django.contrib import messages# messages.add_message(request, level, message, extra_tags='', fail_silently=False)messages.add_message(request, messages.INFO, "Your Message")

Alternatively, you can use one of the shortcut functions:

from django.contrib import messagesmessages.debug(request, "Your Message")messages.info(request, "Your Message")messages.success(request, "Your Message")messages.warning(request, "Your Message")messages.error(request, "Your Message")

Messages can then be rendered on the template with:

{% if messages %}    <ul class="messages">        {% for message in messages %}            <li{% if message.tags %} class="{{ message.tags }}"{% endif %}>{{ message }}</li>        {% endfor %}    </ul>{% endif %}


Please note the answer suggested here is only applicable to Django < 1.2:

Do you have control over the view that you are redirecting to? In that case you can save the context in the session before redirecting. The target view can pick up the context (and delete it) from the session and use it to render the template.

If your only requirement is to display a message then there is a better way to do this. Your first view can create a message for the current using auth and have the second view read and delete it. Something like this:

def save_form(request, *args, **kwargs):    # all goes well    message = _("form for customer xyz was successfully updated...")    request.user.message_set.create(message = message)    return redirect('list_view')def list_view(request, *args, **kwargs):    # Render page# Template for list_view:{% for message in messages %}   ... {% endfor %}

Messages are saved to the database. This means that you can access them even after a redirect. They are automatically read and deleted on rendering the template. You will have to use RequestContext for this to work.

For Django => 1.2 read the answer involving messages


To expand on Antoine's helpful answer: if you want to process the messages in your views module, rather than the template:

from django.contrib.messages import get_messagesdef my_view(request):    # Process your form data from the POST, or whatever you need to do    # Add the messages, as mentioned above    messages.add_message(request, messages.INFO, form.cleaned_data['name'])    return HttpResponseRedirect('/other_view_url/')def other_view(request):    storage = get_messages(request)    name = None    for message in storage:        name = message        break    return render(request, 'general/other_view.html', {'name': name})