在项目中,我们可能遇到有定时任务的需求。
其一:定时执行任务。在特定的时间执行特定的任务。比如:晚上11:00是睡觉时间就必须睡觉
其二:每隔一个时间段就执行任务。比如:每隔一个小时提醒自己起来走动走动,避免长时间坐着。Today,我跟大家分享下 Python 定时任务的实现方法。
1第一种办法是最简单。在一个死循环中,使用线程睡眠函数 sleep()。
from datetime import datetime
import time
def whilesleep():
while True:
now = datetime.now()
print('do some thing',now .strftime('%Y-%m-%d %H:%M:%S'))
time.sleep(10)
whilesleep()
2
第二种办法是使用标准库中 sched 模块。sched 是事件调度器,它通过 scheduler 类来调度事件,从而达到定时执行任务的效果。
""" 定时任务(2) 内置模块sched schedule.enter(delay,priority,action,arguments) delay:第一个参数是一个整数或浮点数,代表多少秒后执行这个action任务 priority:第二个参数是优先级,0代表优先级最高,1次之,2次次之 action:第三个参数就是你要执行的任务,可以简单理解成你要执行任务的函数的函数名 arguments:第四个参数是你要传入这个定时执行函数名函数的参数,最好用括号包起来 """
from datetime import datetime
import time
import sched
s = sched.scheduler(time.time,time.sleep) #固定格式
def do_task():
now = datetime.now()
print('do some thing', now.strftime('%Y-%m-%d %H:%M:%S'))
def run_task(sec):
s.enter(sec,1,run_task,(sec,))
do_task()
s.enter(5,1,run_task,(5,))
s.run()
3
第三种办法是用第三方库来实现的
pip install timeloop
pip install schedule
from datetime import timedelta
from timeloop import Timeloop
t1 = Timeloop()
@t1.job(interval=timedelta(seconds=2))
def dojob_every_5s():
now = datetime.now()
print('do some thing', now.strftime('%Y-%m-%d %H:%M:%S'))4
import schedule
def de_task():
now = datetime.now()
print('do some thing', now.strftime('%Y-%m-%d %H:%M:%S'))
schedule.every(5).seconds.do(de_task)
while True:
schedule.run_pending()
4
第四种是用装饰器的形式来实现的
from schedule import every,repeat,run_pending
@repeat(every().second)
def do_job():
now = datetime.now()
print('working...', now.strftime('%Y-%m-%d %H:%M:%S'))
while True:
run_pending()
[点击并拖拽以移动]
具体的底层实现逻辑可以将鼠标放在要查看的代码块下面,点击Ctrl+鼠标左键即可查看
希望能对大家有所帮助。
欢迎分享,转载请注明来源:内存溢出
评论列表(0条)