Innovate anywhere, anytime withruncode.io Your cloud-based dev studio.
Django

Django Subdomains to do Advanced Things

2022-07-20

We always struggle to give users customizations even before they log in to the system like abc.micropyramid.com and Django don't know how to handle that out of the box.

We can do it by writing simple middleware. Django Middleware has access to request and responses, so, we can get hold on to request and pass it on to Django views for further process. Here we will add a new property to request and can render pages by seeing at the subdomain property.

First, write a middleware class and include it in settings.py middlewares section.

class SimpleSubdomainMiddleware:
    def process_request(self, request):
        host = request.META.get('HTTP_HOST', '')
        host = host.replace('www.', '').split('.')
        if len(host) > 2:
            request.subdomain = ''.join(host[:-2])
        else:
            request.subdomain = None

Now you need to add it to settings.py

MIDDLEWARE_CLASSES += ( 'path_to_your_file.SimpleSubdomainMiddleware', )

Now edit your host's file to check this working. Add the following to /etc/hosts

127.0.0.1    abc.com

You can verify it by running your Django project and open xyz.abc.com in a browser to see it in action. Any view will have access to the subdomain it's serving to and you can get it by request.subdomain. Here is sample view

def login_page(request):
    if get_merchant(request.subdomain):
        render page of the get_merchant
    else:
        render generic page or redirect as you wish

This way you can render pages as per subdomains.