Setting up periodic tasks in Celery (celerybeat) dynamically using add_periodic_task Setting up periodic tasks in Celery (celerybeat) dynamically using add_periodic_task django django

Setting up periodic tasks in Celery (celerybeat) dynamically using add_periodic_task


EDIT: (13/01/2018)

The latest release 4.1.0 have addressed the subject in this ticket #3958 and has been merged


Actually you can't not define periodic task at the view level, because the beat schedule setting will be loaded first and can not be rescheduled at runtime:

The add_periodic_task() function will add the entry to the beat_schedule setting behind the scenes, and the same setting can also can be used to set up periodic tasks manually:

app.conf.CELERYBEAT_SCHEDULE = {    'add-every-30-seconds': {        'task': 'tasks.my_task',        'schedule': 10.0,        'args': (66,)    },}

which means if you want to use add_periodic_task() it should be wrapped within an on_after_configure handler at the celery app level and any modification on runtime will not take effect:

app = Celery()@app.on_after_configure.connectdef setup_periodic_tasks(sender, **kwargs):    sender.add_periodic_task(10, my_task.s(66))

As mentioned in the doc the the regular celerybeat simply keep track of task execution:

The default scheduler is the celery.beat.PersistentScheduler, that simply keeps track of the last run times in a local shelve database file.

In order to be able to dynamically manage periodic tasks and reschedule celerybeat at runtime:

There’s also the django-celery-beat extension that stores the schedule in the Django database, and presents a convenient admin interface to manage periodic tasks at runtime.

The tasks will be persisted in django database and the scheduler could be updated in task model at the db level. Whenever you update a periodic task a counter in this tasks table will be incremented, and tells the celery beat service to reload the schedule from the database.

A possible solution for you could be as follow:

from django_celery_beat.models import PeriodicTask, IntervalScheduleschedule= IntervalSchedule.objects.create(every=10, period=IntervalSchedule.SECONDS)task = PeriodicTask.objects.create(interval=schedule, name='any name', task='tasks.my_task', args=json.dumps([66]))

views.py

def update_task_view(request, id)    task = PeriodicTask.objects.get(name="task name") # if we suppose names are unique    task.args=json.dumps([id])    task.save()