DEV Community

AJAY SHRESTHA
AJAY SHRESTHA

Posted on

Using Django-Q to Schedule and Automate Tasks in Django

Scheduling tasks to run at specific times or intervals is an essential feature of many web applications, allowing for automation of repetitive tasks such as sending emails or notifications, report generation, and periodic data updates. Django-Q provides a way to schedule such tasks using its built-in scheduler.

What is Django Q?
Django-Q is a task queue system for Django that manages asynchronous tasks and scheduling. It uses a multiprocessing model to execute tasks asynchronously. It helps offload time-consuming processes from the main thread, enhancing the responsiveness and performance of web applications by handling background tasks efficiently. The key components of Django-Q include:

  • Brokers: These are the mechanisms that store the task queue. Django-Q supports several brokers like Redis, Amazon SQS, and ORM.
  • Cluster: A group of workers that execute the tasks in the queue.
  • Scheduler: For scheduling tasks to be executed at a specific time or interval.
  • Result backend: Stores the results of tasks that have been completed.

Installing and starting Redis
Before proceeding to django_q, first need to install and start Redis on your system. The installation process varies depending on your operating system. Here, I am using Ubuntu OS.

sudo apt-get update
sudo apt-get install redis-server

sudo systemctl enable redis-server
sudo systemctl start redis-server
Enter fullscreen mode Exit fullscreen mode

Install and Configure of Django Q

pip install django-q
Enter fullscreen mode Exit fullscreen mode

Add django_q to your INSTALLED_APPS in the Django project’s settings.py:

INSTALLED_APPS = [
    ...
    'django_q',
]
Enter fullscreen mode Exit fullscreen mode

Run Migrations for Django Q

python manage.py migrate
Enter fullscreen mode Exit fullscreen mode

Configure the Q_CLUSTER to define the task queue's properties using redis broker.

Q_CLUSTER = {
    'name': 'Django Q',
    'workers': 16,
    'recycle': 500,
    'timeout': 1200,
    'compress': True,
    'save_limit': 250,
    'queue_limit': 1000,
    'cpu_affinity': 1,
    'label': 'Django Q',
    'redis': {
        'host': '127.0.0.1',
        'port': 6379,
        'db': 0, 
   }
}
Enter fullscreen mode Exit fullscreen mode

Above, Q_CLUSTER configuration is setup with 16 worker processes handling tasks in parallel, each worker processing up to 500 tasks before being recycled to prevent resource degradation. Tasks that run longer than 1200 seconds are automatically terminated to avoid indefinite hangs. Task payloads are compressed to save memory, and the system stores results of the last 250 tasks to manage memory usage effectively. The queue can hold up to 1000 tasks, preventing system overload. Redis is used as the message broker, configured to run on the local server using the default port and database, ensuring efficient task communication. This setup is tailored for high performance and reliability in handling background tasks within a Django application.

Defining and Scheduling Tasks
Once Django-Q is set up, you can schedule tasks directly from your Django code. Django-Q uses cron-like syntax to schedule tasks, which is very flexible and widely used for scheduling jobs in Unix-like operating systems.

# tasks.py
def send_email(recipient, subject, message):
    # Placeholder for email sending logic
    print(f"Sending email to {recipient}")
Enter fullscreen mode Exit fullscreen mode

You can schedule your task using Django-Q’s schedule function. You’ll typically do this in a Django shell or a setup script, as it only needs to be done once.

from django_q.models import Schedule
from django.utils.timezone import now
from .tasks import send_email

# Scheduling the task
Schedule.objects.create(
    func='app.tasks.send_email',           # Task function
    schedule_type=Schedule.DAILY,          # Can be MINUTES, HOURLY, DAILY, WEEKLY, MONTHLY, YEARLY
    repeats=-1,                            # -1 for indefinitely
    next_run=now()                         # Start time, can be timezone-aware
)
Enter fullscreen mode Exit fullscreen mode

Alternatively, if you need more control over when the task runs, you can use a cron-style schedule:

from django_q.models import Schedule
from .tasks import send_email

# Scheduling the task
Schedule.objects.create(
    func='app.tasks.send_email',           # Task function
    schedule_type=Schedule.CRON,
    cron='0 0 * * *',  # Cron expression (minute, hour, day of month, month, day of week)
    repeats=-1,                            # -1 for indefinitely
)
Enter fullscreen mode Exit fullscreen mode

Or, you can also add Schedule Task from Django admin in Django Q, schedule task section.

Scheduling tasks with Django-Q adds powerful automation capabilities to your Django applications, enabling you to run background tasks periodically and reliably without manual intervention. Whether it's sending out daily emails, generating reports, or updating data, Django-Q makes it simple and efficient.

Top comments (0)