今天介紹在django中使用定時任務的兩種方式。
方式一: APScheduler
1)安裝:
pip install apscheduler
2)使用:
from apscheduler.scheduler import Scheduler
from django.core.cache import cache
# 例項化
sched = Scheduler()
# 每30秒執行一次
@sched.interval_schedule(seconds=30)
def sched_test():
"""
測試-定時將隨機數儲存到redis中
:return:
"""
seed = "123456789"
sa = []
for i in range(4):
sa.append(random.choice(seed))
code = ``.join(sa)
cache.set("test_"+code, code)
3)啟動定時任務
# 啟動定時任務
sched.start()
方式二: django-crontab
1) 安裝:
pip install django-crontab
2) 新增配置到INSTALL_APPS中
INSTALLED_APPS = (
`django_crontab`,
)
3) 編寫定時函式:
在django的app中新建一個test_crontab.py檔案,把需要定時執行的程式碼放進去
import random
from django.core.cache import cache
def test():
"""
測試-定時將隨機數儲存到redis中
:return:
"""
seed = "123456789"
sa = []
for i in range(4):
sa.append(random.choice(seed))
code = ``.join(sa)
cache.set("test_"+code, code)
4)編寫定時命令
Django為專案中每一個應用下的management/commands目錄中名字沒有以下劃線開始的Python模組都註冊了一個manage.py命令, 自定義一個命令如下: 必須定義一個繼承自BaseCommand的Command類, 並實現handle方法。
編寫appname/management/commands/test.py檔案
import random
from django.core.management.base import BaseCommand
from django.core.cache import cache
class Command(BaseCommand):
"""
自定義命令
"""
def handle(self, *args, **options):
"""
自定義命令
:return:
"""
seed = "123456789"
sa = []
for i in range(4):
sa.append(random.choice(seed))
code = ``.join(sa)
cache.set("test_"+code, code)
定義完成後,執行python manage.py test, 會執行handle()函式
5) 在settings.py中增加配置
# 執行定時函式
CRONJOBS = [
(`*/1 * * * *`, `appname.test_crontab.test`,`>>/home/python/test_crontab.log`)
]
# 執行定時命令
CRONJOBS = [
(`*/1 * * * *`, `django.core.management.call_command`, [`test`], {}, `>> /home/python/test.log`),
]
上面主要有3個引數,分別表示: 定時任務執行時間(間隔), 待執行定時任務, 將定時任務的資訊追加到檔案中
對於熟悉linux中定時任務crontab的同學可能對上面第一個引數的語法很親切。上面表示每隔1分鐘執行一次程式碼。
linux中的定時任務crontab的語法如下:
* * * * * command
分鐘(0-59) 小時(0-23) 每個月的哪一天(1-31) 月份(1-12) 周幾(0-6) shell指令碼或者命令
例子:
0 6 * * * commands >> /tmp/test.log # 每天早上6點執行, 並將資訊追加到test.log中
0 */2 * * * commands # 每隔2小時執行一次
有興趣的小夥伴可以深入研究下linux的crontab定時任務。
6) 新增並啟動定時任務
python manage.py crontab add
其它命令:
python manage.py crontab show: 顯示當前的定時任務
python manage.py crontab remove: 刪除所有定時任務
今天的定時任務就說到這裡,有錯誤之處,歡迎交流指正!