目录
背景
样例代码
总结
背景
最近在做一些python工具的时候,常常会碰到定时器问题,总觉着使用threading.timer或者schedule模块非常不优雅。所以这里给自己做个记录,也分享一个定时任务框架APScheduler。具体的架构原理就不细说了,用个例子说明一下怎么简易的使用。
样例代码
先上样例代码,如下:
#!/user/bin/env python
# coding=utf-8
"""
@project : csdn
@author : 剑客阿良_ALiang
@file : apschedule_tool.py
@ide : PyCharm
@time : 2022-03-02 17:34:17
"""
from apscheduler.schedulers.background import BackgroundScheduler
from multiprocessing import Process, Queue
import time
import random
# 具体工作实现
def do_job(q: Queue):
while True:
if not q.empty():
_value = q.get(False)
print('{} poll -> {}'.format(time.strftime('%Y-%m-%d %H:%M:%S', time.localtime()), _value))
else:
break
def put_job(q: Queue):
while True:
_value = str(random.randint(1, 10))
q.put(_value)
print('{} put -> {}'.format(time.strftime('%Y-%m-%d %H:%M:%S', time.localtime()), _value))
time.sleep(1)
if __name__ == '__main__':
q = Queue()
scheduler = BackgroundScheduler()
# 每隔5秒运行一次
scheduler.add_job(do_job, trigger='cron', second='*/5', args=(q,))
scheduler.start()
Process(target=put_job, args=(q,)).start()
代码详解:
1、调度器的选择主要取决于编程环境以及 APScheduler 的用途。主要有以下几种调度器:
- apscheduler.schedulers.blocking.BlockingScheduler:当调度器是程序中唯一运行的东西时使用,阻塞式。
- apscheduler.schedulers.background.BackgroundScheduler:当调度器需要后台运行时使用。
- apscheduler.schedulers.asyncio.AsyncIOScheduler:当程序使用 asyncio 框架时使用。
- apscheduler.schedulers.gevent.GeventScheduler:当程序使用 gevent 框架时使用。
- apscheduler.schedulers.tornado.TornadoScheduler:当构建 Tornado 程序时使用
- apscheduler.schedulers.twisted.TwistedScheduler:当构建 Twisted 程序时使用
- apscheduler.schedulers.qt.QtScheduler:当构建 Qt 程序时使用
个人觉着BackgroundScheduler已经很够用了,在后台启动定时任务,也不会阻塞进程。
2、trigger后面跟随的类似linux系统下cron写法,样例代码中是每5秒执行一次。
3、这里加了一个多进程通讯的队列multiprocessing.Queue,主要是样例代码解决的场景是我实际工作中常碰到的,举个栗子:多个进程间通讯,其中一个进程需要定时获取另一个进程中的数据。可以参考样例代码。
执行结果如下:
2022-03-02 19:31:27 put -> 4 2022-03-02 19:31:28 put -> 10 2022-03-02 19:31:29 put -> 1 2022-03-02 19:31:30 poll -> 4 2022-03-02 19:31:30 poll -> 10 2022-03-02 19:31:30 poll -> 1 2022-03-02 19:31:30 put -> 2 2022-03-02 19:31:31 put -> 1 2022-03-02 19:31:32 put -> 6 2022-03-02 19:31:33 put -> 4 2022-03-02 19:31:34 put -> 8 2022-03-02 19:31:35 poll -> 2 2022-03-02 19:31:35 poll -> 1 2022-03-02 19:31:35 poll -> 6 2022-03-02 19:31:35 poll -> 4 2022-03-02 19:31:35 poll -> 8 2022-03-02 19:31:35 put -> 8 2022-03-02 19:31:36 put -> 10 2022-03-02 19:31:37 put -> 7 2022-03-02 19:31:38 put -> 2 2022-03-02 19:31:39 put -> 3 2022-03-02 19:31:40 poll -> 8 2022-03-02 19:31:40 poll -> 10 2022-03-02 19:31:40 poll -> 7 2022-03-02 19:31:40 poll -> 2 2022-03-02 19:31:40 poll -> 3 2022-03-02 19:31:40 put -> 5
Process finished with exit code -1
总结
最近工作比较忙,更新的频率会有所下降。本文主要是自己记录一下,方便查阅。
分享:
????????当人一旦从危险里跳出来,他就不再去关注这个事物的危险了,他的目光就会全部落在这个事物的利益上。——《遥远的救世主》
如果本文对你有用的话,点个赞吧,谢谢!
?
|