PageView

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


Django Shortcuts

Django Shortcuts

This module is a collection of helper classes generally used in view functions/classes. All the shortcuts are available in the module django.shortcuts.


render

Params:

def render(request, template_name, context=None, content_type=None, status=None, using=None)

Shortcut for:

content = loader.render_to_string(template_name, context, request, using=using)
return HttpResponse(content, content_type, status)

There is also render_to_response, the only difference is that it does not pass the request to the context.


redirect

Params:

def redirect(to, *args, **kwargs):

Returns an HttpResponseRedirect (or HttpResponsePermanentRedirect) to the appropriate URL for the arguments passed.

The arguments could be:

  • A model: the model’s get_absolute_url() function will be called.
  • A view name, possibly with arguments: urls.reverse() will be used to reverse-resolve the name.
  • A URL, which will be used as-is for the redirect location.

Shortcut for:

def post_view(request, post_id):
    post = Post.objects.get(pk=post_id)
    return redirect(post)
    # equivalent to: return HttpResponseRedirect(post.get_absolute_url())

def post_view(request, post_id):
    return redirect('post_details', id=post_id)
    # equivalent to: return HttpResponseRedirect(reverse('post_details', args=(post_id, )))

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/')

See more in this post about the redirect function.


get_object_or_404

Params:

def get_object_or_404(klass, *args, **kwargs):

Shortcut for:

try:
    return Model.objects.get(pk=1)
except Model.DoesNotExist:
    raise Http404()

get_list_or_404

Params:

def get_list_or_404(klass, *args, **kwargs):

Shortcut for:

obj_list = list(Model.objects.filter(title='test'))
if not obj_list:
    raise Http404()
return obj_list

resolve_url

This one is actually used by the redirect shortcut. It will do basically the same thing, except to perform the actual redirect.

Params:

def resolve_url(to, *args, **kwargs):

The arguments could be:

  • A model: the model’s get_absolute_url() function will be called.
  • A view name, possibly with arguments: urls.reverse() will be used to reverse-resolve the name.
  • A URL, which will be returned as-is.