Cookie Consent by Free Privacy Policy Generator Aktuallisiere deine Cookie Einstellungen ๐Ÿ“Œ How to scale a Django application to serve one million users?


๐Ÿ“š How to scale a Django application to serve one million users?


๐Ÿ’ก Newskategorie: Programmierung
๐Ÿ”— Quelle: dev.to

Wish your Django app could handle a million hits? This post is a compilation of articles, books, and videos Iโ€™ve read on how to take a Django application to its maximum capabilities, Iโ€™ve even implemented some of these recommendations myself.

It's also a good time to remember that if your application is just starting out, you probably shouldn't obsess about its performance... yet.

Reduce slow queries in Django

As you know, database access is usually the bottleneck of most applications. **The most important action to take is to reduce the number of queries and the impact of each one of them. You can reduce the impact of your queries by 90%, and I am not exaggerating.

It is quite common to write code that occasions multiple queries to the database, as well as quite expensive searches.

Identify what queries are being made in your application using django-debug-toolbar and reduce them, or make them more efficient:

  • select_related() to avoid multiple searches in foreign key or one-to-one relationships
  • prefetch_related() to prevent excessive searches on many-to-many or many-to-one relationships
  • django_annotate() to add information to each object in a query. I have an entry where I explain the difference between annotate and aggregate.
  • django_aggregate() to process all information from a single query into a single data (summation, averages).
  • Object Q to join queries by OR or AND directly from the database.
  • F-Expressions** to perform operations at the database level instead of in Python code.

Django debug tool bar showing the SQL queries of a Django request
Django debug tool bar showing the SQL queries of a Django request

Example of use with select_related.

# review/views.py
from .models import Review

def list_reviews(request):
    queryset = Review.objects.filter(product__id=product_id).select_related('user') 
    # We're preventing a new query everytime we access review.user
    # ...

Configure gunicorn correctly

Gunicorn is the most widely used Python WSGI HTTP server for Django applications. But it is not asynchronous, consider combining it with one of its asynchronous counterparts: hypercorn or uvicorn. The latter implements gunicorn workers.

Configure gunicorn correctly

Make sure you are using the correct gunicorn workers, according to the number of cores in your processor. They recommend setting the workers to (2 x number of cores) + 1. According to the documentation, with 4-12 workers you can serve from hundreds to thousands of requests per second , so that should be enough for a medium to large scale website.

Improve the performance of your serializers

If you use DRF and use its generic classes to create serializers, you may not exactly be getting the best performance. The generic classes for serializers perform data validation, which can be quite time consuming if you are only going to read data.

Even if you remembered to mark your fields as read_only, DRF serializers are not the fastest, you might want to check out Serpy, Marshmallow. The topic is quite broad, but stay with the idea that there is a major area of improvement in Django serializers.

I leave you this article that explains how some developers managed to reduce the time cost of serialization by 99%.

Use pagination in your views

It probably sounds pretty obvious, yet I feel I should mention it: you donโ€™t need to return an entire database table if your user only finds the first few records useful.

Use the paginator object provided by Django, or limit the results of a search to a few.

DRF also has an option to paginate your results, check it out.

# review/views.py
from django.views.generic import ListView
from .models import Review

class ReviewList(ListView): 
    model = Review 
    paginate_by = 25
    context_object_name = 'review_list'

Use indexes in your models

Understand your more complex queries and try to create indexes for them. The index will make your searches in Django faster, but it will also slow down, slightly, the creations and updates of new information, besides taking up a little more space in your database. Try to strike a healthy balance between speed and storage space used.

from django.db import models

class Review(models.Model):
    created = models.DateTimeField(
        auto_now_add=True,
        db_index=True,
    )

Use indexes for your searches

If your application makes heavy use of information searches, consider using an efficient search engine, such as Solr, rather than implementing the code yourself.

There are many options available:

  • ElasticSearch
  • Solr
  • Whoosh
  • Xapian

Remove unused middleware

Each middleware implies an extra step in each web request, so removing all those middlewares that you do not use will mean a slight improvement in the response speed of your application.

Here are some common middleware that are not always used: messages, flat pages and localization, no, I donโ€™t mean geographic location, but translating the content according to the local context.

MIDDLEWARE = [
    # ...
    'django.contrib.messages.middleware.MessageMiddleware', 
    'django.contrib.flatpages.middleware.FlatpageFallbackMiddleware',
    'django.middleware.locale.LocaleMiddleware'
]

Caching in Django

When the response time of your application becomes a problem, you should start caching all time-consuming and resource-intensive results.

Would you like to dig deeper into the caching system, I have a post about caching in django using memcached that you can check out to dig deeper.

If your page has too many models, and they rarely change, it does not make sense to access the database each time to request them with each new HTTP request. Just put the response of that request in cache and your response time will improve, this way every time the same content is requested, it will not be necessary to make a new request or calculations to the database, but the value will be returned directly from memory.

Among the options available are:

  • Memcached
  • Redis
  • Database cache
  • File system cache
# settings.py
CACHES = {
    'default': {
        'BACKEND': 'django.core.cache.backends.memcached.MemcachedCache',
        'LOCATION': '127.0.0.1:11211',
    }
}

The django cache is configurable at many, many levels, from the entire site to views or even small pieces of information.

# myapp/views.py
from django.shortcuts import render
from django.views.decorators.cache import cache_page

@cache_page(60*15)
def my_view(request):
    return render(request, 'myapp/template.html', {
        'time_consuming_data': get_time_consuming_data()
    })

Note that memcached cache (memcached, redis) is an ephemeral storage method, the entire cache will disappear if the system is rebooted or shutdown.

Uses Celery for asynchronous tasks

Sometimes the bottleneck is the responsibility of third parties. When you send an email or request information from a third party, you have no way of knowing how long your request will take, a slow connection or an oversaturated server can keep you waiting for a response. There is no point in keeping the user waiting tens of seconds for an email to be sent, send them a reply back and transfer the email to a queue to be processed later. Celery is the most popular way to do this.

No idea where to start, I have a couple of posts where I explain how to run asynchronous tasks with celery and django.

# myapp/views.py
from celery import shared_task

@shared_task
def send_order_confirmation(order_pk):
    email_data = generate_data_for_email(order_pk)
    send_customized_mail(**email_data)

Partition the tables in your database

When your tables exceed millions of records, each search will go through the entire database, taking a very long time in the process. How could we solve this? By splitting the tables in parts so that each search is done on one of the parts, for example, one table for data from one year ago (or the period you prefer), another for data from two years ago and so on up to the first data.

The instructions for implementing partitioning depend on the database you are using. If you are using postgres this feature is only available for Postgres versions higher than 10. You can use django-postgres-extra to implement those extra features not found in the django ORM.

The implementation is too extensive and would require a full entry. There is an excellent article that explains how to implement Postgresql partitioning in Django.

Consider also looking into database replicas for reading files, depending on the architecture of your application, you can implement multiple replicas for reading and a master for writing. This approach is a whole topic and is beyond the scope of a short post, but now you know what to look for.

Use a CDN (Content Delivery Network)

Serving static images and files can hinder the important part of your application; generating dynamic content. You can delegate the task of serving static content to a content delivery network (CDN).

In addition to benefiting from the geographic locations of CDNs; a server in the same country (or continent) as your user will result in a faster response.

There are many CDN options available, among the most popular options are AWS, Azure, Digital Ocean, Cloud Flare, among others.

Denormalization

Sometimes there are quite costly runtime queries that could be solved by adding redundancy, repeated information. For example, imagine you want to return the number of products that have the phrase โ€œfor childrenโ€ on your home page, running a query that searches for the word and then executes a count is fairly straightforward. But what if you have 10,000 or 100,000 or 1,000,000 products, every time you want to access the count value, your database will go through the entire table and count the data.

Instead of performing a count, you could store that number in the database or in memory and return it directly, to keep it updated you could use a periodic count or increment it with each addition.

Of course this brings the problem that you now have more data to maintain, not coupled together, so **you should only use this option to solve your Django performance problems if you have already exhausted the other options.

count = my_model.objects.filter(description__icontains="para niรฑos").count() 
# ... denormalizing
count = my_count.objects.get(description="para niรฑos") # Each row of the my_count model contains a description and the total results.
total_count = count.total

Review the impact of third-party plugins

Sometimes our website works almost perfectly, but third party plugins, such as facebook analytics tools, google, social media chat integrations plugins affect the performance of our application. Learn how to delay their loading or modify them to reduce their impact, using async, defer or other HTML attributes, in combination with Javascript.

If the above is impossible, evaluate alternatives or consider eliminating them.

Consider using another interpreter to improve django performance

Itโ€™s not all about the database, sometimes the problem is in the Python code itself.

In addition to the normal Python interpreter, the one offered by default on the official Python website, there are other interpreters that are sure to give you better performance.

Pypy is one of them, it is responsible for optimizing Python code by analyzing the type of objects that are created with each execution. This option is ideal for applications where Django is in charge of returning a result that was mainly processed using Python code.

But not everything is wonderful; third-party interpreters, including pypy, are usually not 100% compatible with all Python code, but they are compatible with most of it, so, just like the previous option. **Using a third-party interpreter should also be one of the last options you consider to solve your Django performance problem.

Write bottlenecks in a low-level language with Swig

If youโ€™ve tried all of the above and still have a bottlenecked application, youโ€™re probably squeezing too much out of Python and need the speed of another language. But donโ€™t worry, you donโ€™t have to redo your entire application in C or C++. Swig allows you to create modules in C, C++, Java, Go or other lower level languages and import them directly from Python.

Do you want to know how much difference there is between Python and a compiled language like go? in my post Python vs Go I compare the speed of both languages

If you have a bottleneck caused by some costly mathematical computation, which highlights the lack of speed of Python being an interpreted language, you may want to rewrite the bottleneck in some low-level language and then call it using Python. This way you will have the ease of use of Python with the speed of a low-level language.

Keep an eye on language Mojo, it promises to be a super set of Python but much faster

ORMs and alternative frameworks

Depending on the progress of your application, you may want to migrate to another framework faster than Django. Djangoโ€™s ORM is not exactly the fastest out there, and, at the time of writing, it is not asynchronous. You might want to consider giving sqlalchemy, ponyorm a try.

Or, if your application is not very complex at the database level, you may want to write your own sql queries and combine them with some other framework.

The current trend is to separate frontend and backend, so Django is being used in conjunction with Django Rest Framework to create APIs, so if your plans include the creation of an API, you may want to consider FastAPI, if you donโ€™t know it, take a look at my post where I explain the basics of FastAPI.

Bonus: applications with more than 63 000 models

There is a talk they gave at djangocon2019 where the speaker explains how they managed to deal with an application with 63000 endpoints, each with different permissions.

Bonus: Technical blogs

Pinterest and Instagram are two gigantic sites that started out by choosing Django as their backend. You can find information about optimization and very specific problems in their technical blogs.

The instagram blog has a post called Web Service efficiency at Instagram with Python, where they explain some problems encountered when handling 500 million users and how to fix them.

Here are the links to the blogs below:

References:

  • Definitive Guide to Django: Web Development Done Right by Adrian Holovaty and Jacob Kaplan Moss
  • Two scoops of Django 1.8 by Daniel Roy Greenfeld and Audrey Roy Greenfeld
  • High performance Django by Peter Baumgartner and Yann Malet
...



๐Ÿ“Œ How to scale a Django application to serve one million users?


๐Ÿ“ˆ 56.97 Punkte

๐Ÿ“Œ How to scale a Django app to serve one million users?


๐Ÿ“ˆ 51.31 Punkte

๐Ÿ“Œ Django bis 1.8.17/1.9.12/1.10.6 django.views.static.serve() erweiterte Rechte


๐Ÿ“ˆ 38.37 Punkte

๐Ÿ“Œ Vuln: Django 'django.views.static.serve()' Function Open Redirection Vulnerability


๐Ÿ“ˆ 38.37 Punkte

๐Ÿ“Œ Django up to 1.8.17/1.9.12/1.10.6 django.views.static.serve Open Redirect


๐Ÿ“ˆ 38.37 Punkte

๐Ÿ“Œ Announcing my new Django package: django-admin-export! #packaging #python #django


๐Ÿ“ˆ 34.16 Punkte

๐Ÿ“Œ Optimize your Django Application with Asynchronous tasks and Django-Q


๐Ÿ“ˆ 28.43 Punkte

๐Ÿ“Œ Vuln: Django 'django.contrib.auth.views.login()' Function Open Redirection Vulnerability


๐Ÿ“ˆ 22.77 Punkte

๐Ÿ“Œ Django up to 1.8.17/1.9.12/1.10.6 django.utils.http.is_safe_url cross site scripting


๐Ÿ“ˆ 22.77 Punkte

๐Ÿ“Œ Django up to 2.0.1 django.contrib.auth.forms.AuthenticationForm confirm_login_allowed information disclosure


๐Ÿ“ˆ 22.77 Punkte

๐Ÿ“Œ Django up to 1.11.14/2.0.7 django.middleware.common.CommonMiddleware Open Redirect


๐Ÿ“ˆ 22.77 Punkte

๐Ÿ“Œ Django 1.8.1/1.8.2/1.8.6/1.9 django.utils.http.is_safe_url() Cross Site Scripting


๐Ÿ“ˆ 22.77 Punkte

๐Ÿ“Œ Medium CVE-2019-10682: Django-nopassword project Django-nopassword


๐Ÿ“ˆ 22.77 Punkte

๐Ÿ“Œ Django up to 1.11.18/2.0.10/2.1.5 django.utils.numberformat.format() denial of service


๐Ÿ“ˆ 22.77 Punkte

๐Ÿ“Œ Django up to 2.2.17/3.0.11/3.1.5 Archive django.utils.archive.extract path traversal


๐Ÿ“ˆ 22.77 Punkte

๐Ÿ“Œ Low CVE-2021-21416: Django-registration project Django-registration


๐Ÿ“ˆ 22.77 Punkte

๐Ÿ“Œ django-registration up to 3.1.1 on Django User Registration information exposure


๐Ÿ“ˆ 22.77 Punkte

๐Ÿ“Œ Django 1.8.1/1.8.2/1.8.6/1.9 django.utils.http.is_safe_url() Cross Site Scripting


๐Ÿ“ˆ 22.77 Punkte

๐Ÿ“Œ Django 1.4 up to 1.7 Redirect django.util.http.is_safe_url input validation


๐Ÿ“ˆ 22.77 Punkte

๐Ÿ“Œ CVE-2015-8213 | Django CMS 1.7.10/1.8.6 Date Template Filter django.utils.formats.get_format information disclosure (USN-2816-1 / BID-77750)


๐Ÿ“ˆ 22.77 Punkte

๐Ÿ“Œ CVE-2016-2512 | Django 1.8.1/1.8.2/1.8.6/1.9 django.utils.http.is_safe_url cross site scripting (USN-2915-1 / BID-83879)


๐Ÿ“ˆ 22.77 Punkte

๐Ÿ“Œ Django bis 1.8.17/1.9.12/1.10.6 django.utils.http.is_safe_url() Cross Site Scripting


๐Ÿ“ˆ 22.77 Punkte

๐Ÿ“Œ Is Django Unchained on Netflix? How to Watch Django Unchained from Anywhere


๐Ÿ“ˆ 22.77 Punkte

๐Ÿ“Œ Migrating From Django to Next.js: Whatโ€™s the Equivalent for Django-Guardian?


๐Ÿ“ˆ 22.77 Punkte

๐Ÿ“Œ FullStack Next.js & Django Authentication: Django REST, TypeScript, JWT, Wretch & Djoser


๐Ÿ“ˆ 22.77 Punkte

๐Ÿ“Œ Login with OTP Authentication in Django and Django REST Framework


๐Ÿ“ˆ 22.77 Punkte

๐Ÿ“Œ RESTful API in Django [Django Rest Framework]


๐Ÿ“ˆ 22.77 Punkte

๐Ÿ“Œ Host a Django project documentation autogenerated with Sphinx on Read the Docs -- Django specifics


๐Ÿ“ˆ 22.77 Punkte

๐Ÿ“Œ Exploring django-ajax: Simplifying AJAX Integration in Django


๐Ÿ“ˆ 22.77 Punkte

๐Ÿ“Œ Django bis 2.0.1 django.contrib.auth.forms.AuthenticationForm confirm_login_allowed Information Disclosure


๐Ÿ“ˆ 22.77 Punkte

๐Ÿ“Œ CVE-2024-27351 | Django up to 3.2.24/4.2.10/5.0.2 Regular Expression django.utils.text.Truncator.words redos


๐Ÿ“ˆ 22.77 Punkte

๐Ÿ“Œ Django bis 1.11.14/2.0.7 django.middleware.common.CommonMiddleware Open Redirect


๐Ÿ“ˆ 22.77 Punkte

๐Ÿ“Œ PostgreSQL fรผr django aufsetzen - django in Produktion (Teil 2)


๐Ÿ“ˆ 22.77 Punkte

๐Ÿ“Œ Django News #176 - Django 5.x Technical Board Election Registration


๐Ÿ“ˆ 22.77 Punkte

๐Ÿ“Œ Build a Multivendor E-commerce Website using Django, React & Django Rest Framework


๐Ÿ“ˆ 22.77 Punkte











matomo