PageView

Subscribe to our YouTube Channel!
[Jul 12, 2021] New Video: How to Use Django Rest Framework Permissions (DRF Tutorial - Part 7)


Django Tips #1 redirect

Django Tips #1 redirect (Picture: https://www.pexels.com/photo/mountains-nature-arrow-guide-66100/)

from django.shortcuts import redirect

The function redirect will basically return an HttpResponseRedirect with the proper URL. I prefer to always use this shortcut so my codebase remains consistent.

The advantages of using redirect instead of HttpResponseRedirect is that you can pass different types of arguments and also it will save you from importing django.urlresolvers.reverse in your project’s views.py.

The possible arguments are:

  • A model instance. This will call the model’s get_absolute_url() method;
from django.shortcuts import redirect
from simple_blog.models import Post

def post_view(request, post_id):
    post = Post.objects.get(pk=post_id)
    return redirect(post)
    # equivalent to: return HttpResponseRedirect(post.get_absolute_url())
  • A reverse url name (accept view arguments);
from django.shortcuts import redirect
from simple_blog.models import Post

def post_view(request, post_id):
    return redirect('post_details', id=post_id)
    # equivalent to: return HttpResponseRedirect(reverse('post_details', args=(post_id, )))
  • An absolute or relative URL.
from django.shortcuts import redirect

def relative_url_view(request):
    return redirect('/posts/archive/')
    # equivalent to: return HttpResponseRedirect('/posts/archive/')

def absolute_url_view(request):
    return redirect('https://simpleblog.com/posts/archive/')
    # equivalent to: return HttpResponseRedirect('https://simpleblog.com/posts/archive/')

Read more on the official Django Documentation.