Skip to content Skip to sidebar Skip to footer

Accessing Request Headers On Django/python

I need to create a secure restFUL api using sencha and django. I am fairly new to python. So far i am able to send request from sencha to server using basic authentication as below

Solution 1:

You can access them within a view using request.META, which is a dictionary.

If you wanted the Authorization header, you could do request.META['HTTP_AUTHORIZATION']

If you're creating a restful API from scratch, you might want to take a look at using tastypie.

Solution 2:

You can use

request.META['HTTP_AUTHORIZATION']

and sometimes

request.META['Authorization']

can help.

Solution 3:

As of django 2.2 HttpRequest.headers were added to allow simple access to a request’s headers. So now you can also get authentication header using get() function on request.headers

request.headers.get('Authorization')

This will give you value token value back.

Bearer eyJ0eYourToken...

https://docs.djangoproject.com/en/2.2/ref/request-response/#django.http.HttpRequest.headers

Solution 4:

HttpRequest.headers

New in Django 2.2.

if'Authorization'in request.headers: # Authorization header exists#do something herepasselse: # Authorization header not exists#do something herepass

Read also Django official Doc

Solution 5:

For older versions of django prior to 2.2, you'll need to access the headers in the following way using the META key. Always important to first check if the key authorization header keys exists just in case it wasn't posted otherwise you'll run into non-existent key errors.

if not ('HTTP_AUTHORIZATION'in request.META.keys()):

    return HttpResponse('NO AUTH HEADER PROVIDED')

elif (request.META['HTTP_AUTHORIZATION'] == 'Bearer YourAuthorizationKey123':

    # Validation passed - Proceed with whatever else you want to do

Post a Comment for "Accessing Request Headers On Django/python"