当前位置:网站首页>How does apscheduler set tasks not to be concurrent (that is, execute the next task after the first one)?
How does apscheduler set tasks not to be concurrent (that is, execute the next task after the first one)?
2022-07-04 05:54:00 【Jayce~】
APScheduler How to set tasks not to be concurrent ( That is, execute the next task after the first task )?
1. Software environment
Windows10 Education 64 position
Python 3.6.3
APScheduler 3.6.3
2. Problem description
Python A solution to timed tasks in , Generally speaking, there are four kinds of , Namely :crontab、 scheduler、 Celery、APScheduler, among :
crontabyesLinuxA timed task management tool for , stayWindowsThere are substitutes on itpycron, butWindowsUnlikeLinuxThere are many powerful command programs ,pycronUsefullimitations,CustomizationNot good. ;SchedulerToo simple 、 A more complex scheduled task is too difficult , Especially withmonthScheduled tasks in the above time units ;CeleryThere are more dependent software , Comparative resource consumption ;APScheduler(Advanced Python Scheduler)be based onQuartz, It can be cross platform and easy to configure , Providesdate、interval、cron3 Different triggers , AndLinuxUpper nativecrontabFormat compatible , You can set any highly complex scheduled task , Flexible to death .
I will not introduce APScheduler The basic characteristics of , If you need it, you can see it directly APScheduler Official documents , Let's go straight to the subject :
APScheduler How to set tasks not to be concurrent ( That is, execute the next task after the first task )?
APScheduler When multiple tasks are triggered at the same time , Multiple tasks will be executed simultaneously , For example, use the sample code below :
''' =========================================== @author: jayce @file: apscheduler Set tasks not to be concurrent .py @time: 2022/7/1/001 19:38 =========================================== '''
from apscheduler.schedulers.blocking import BlockingScheduler
import time
def job_printer(text):
''' Dead cycle , Used to simulate long-time tasks :param text: :return: '''
while True:
time.sleep(2)
print("job text:{}".format(text))
if __name__ == '__main__':
schedule = BlockingScheduler()
schedule.add_job(job_printer, "cron", second='*/10', args=[' Every time 10 Once per second !'])
schedule.add_job(job_printer, "cron", second='*/20', args=[' Every time 20 Once per second !'])
schedule.print_jobs()
schedule.start()
You can see , function job_printer It's a dead cycle , Used to simulate long-time tasks , We use add_job towards APScheduler Add 2 individual job_printer, The difference is that 2 The time interval between tasks is : Every time 10 Once per second and Every time 20 Once per second .
because job_printer It's a dead cycle , amount to job_printer Has not been implemented , But in fact APScheduler When the task is not completed , Execute multiple different job_printer:
job text: Every time 10 Once per second !
job text: Every time 20 Once per second !
job text: Every time 10 Once per second !
job text: Every time 20 Once per second !
job text: Every time 10 Once per second !
job text: Every time 20 Once per second !
job text: Every time 10 Once per second !
job text: Every time 20 Once per second !
job text: Every time 10 Once per second !
Execution of job "job_printer (trigger: cron[second='*/10'], next run at: 2022-07-01 20:47:50 CST)" skipped: maximum number of running instances reached (1)
namely :
You can see 10 Of a second job_printer and 20 Of a second job_printer Alternately executed , And in fact 10 Of a second job_printer In fact, it has not been implemented at all . This is in CPU perhaps GPU When the hardware equipment can bear the load , Of course it's a good thing , But if your hardware is not enough , happen OOM Such as insufficient resources , The program was interrupted , Cause your model training or business logic to fail ! Concrete :
I use APScheduler and Tensorflow Learning online (online learning) when , Different retraining methods will be used for the model at different time nodes , if there be 2 Scheduled tasks (A: Every time 10 Once per second ,B: Every time 20 Once per second ) and 2 A heavy training method (X and Y), When your video memory has the following conditions :
Video memory is rarely enough to train a program , You cannot run multiple programs at the same time , Otherwise
OOM;
Then you can only guide the program to execute in turn , Instead of executing concurrently , At the same time X and Y When triggered simultaneously , Only execute 1 individual , in addition 1 One does not execute .
What should we do at this time ?
3. resolvent
By consulting official documents , It is found that the number of threads that can execute tasks can be set , To control only 1 An actuator performs the task , So as to complete the task X Then carry out the task Y, As follows :
''' =========================================== @author: jayce @file: apscheduler Set tasks not to be concurrent .py @time: 2022/7/1/001 19:38 =========================================== '''
from apscheduler.executors.pool import ThreadPoolExecutor
if __name__ == '__main__':
# To prevent video memory overflow caused by full and incremental concurrency , And then the training failed , Set that only one task can run at a time
schedule = BlockingScheduler(executors={
'default': ThreadPoolExecutor(1)})
Through to the BlockingScheduler Set the maximum ThreadPoolExecutor=1, That's what we want !
4. Results Preview
job text: Every time 10 Once per second !
job text: Every time 10 Once per second !
job text: Every time 10 Once per second !
job text: Every time 10 Once per second !
job text: Every time 10 Once per second !
Execution of job "job_printer (trigger: cron[second='*/10'], next run at: 2022-07-01 21:17:50 CST)" skipped: maximum number of running instances reached (1)
job text: Every time 10 Once per second !
job text: Every time 10 Once per second !
job text: Every time 10 Once per second !
job text: Every time 10 Once per second !
job text: Every time 10 Once per second !
Execution of job "job_printer (trigger: cron[second='*/10'], next run at: 2022-07-01 21:18:00 CST)" skipped: maximum number of running instances reached (1)
Execution of job "job_printer (trigger: cron[second='*/20'], next run at: 2022-07-01 21:18:00 CST)" skipped: maximum number of running instances reached (1)
namely :
You can see , I've been implementing section 1 A triggered task , Tasks triggered at the same time are skipped 了 ~~
Of course , If you want the 1 When a task is completed , Perform the skipped task , It can be done by add_job Set in misfire_grace_time Realization !
FAQ
1.APScheduler If a task fails , Will the whole scheduled task program be interrupted ? Or do you want to continue the task next time ?
The answer is : The program will not break , It's time for the next task , And re execute .
Concrete , Use the following test code :
''' =========================================== @author: jayce @file: apscheduler Set tasks not to be concurrent .py @time: 2022/7/1/001 19:38 =========================================== '''
from apscheduler.schedulers.blocking import BlockingScheduler
from apscheduler.executors.pool import ThreadPoolExecutor
import time
def exception_maker():
''' Exception maker , Used to simulate that task execution is interrupted :return: '''
return 1 / 0
def job_printer(text):
''' Dead cycle , Used to simulate long-time tasks :param text: :return: '''
while True:
time.sleep(2)
print("job text:{}".format(text))
if __name__ == '__main__':
schedule = BlockingScheduler()
schedule.add_job(job_printer, "cron", second='*/10', args=[' Every time 10 Once per second !'])
schedule.add_job(exception_maker, "cron", second='*/5')
schedule.print_jobs()
schedule.start()
You can see exception_maker Has failed many times , But it does not affect the next execution of other tasks and itself :
Job "exception_maker (trigger: cron[second='*/5'], next run at: 2022-07-01 19:53:30 CST)" raised an exception
Traceback (most recent call last):
File "C:\Users\Jayce\Anaconda3\envs\tf2.3\lib\site-packages\apscheduler\executors\base.py", line 125, in run_job
retval = job.func(*job.args, **job.kwargs)
File "E:/Code/Python/demo Code /apscheduler Set tasks not to be concurrent .py", line 14, in exception_maker
return 1 / 0
ZeroDivisionError: division by zero
Job "exception_maker (trigger: cron[second='*/5'], next run at: 2022-07-01 19:53:35 CST)" raised an exception
Traceback (most recent call last):
File "C:\Users\Jayce\Anaconda3\envs\tf2.3\lib\site-packages\apscheduler\executors\base.py", line 125, in run_job
retval = job.func(*job.args, **job.kwargs)
File "E:/Code/Python/demo Code /apscheduler Set tasks not to be concurrent .py", line 14, in exception_maker
return 1 / 0
ZeroDivisionError: division by zero
job text: Every time 10 Once per second !
job text: Every time 10 Once per second !
Job "exception_maker (trigger: cron[second='*/5'], next run at: 2022-07-01 19:53:40 CST)" raised an exception
Traceback (most recent call last):
File "C:\Users\Jayce\Anaconda3\envs\tf2.3\lib\site-packages\apscheduler\executors\base.py", line 125, in run_job
retval = job.func(*job.args, **job.kwargs)
File "E:/Code/Python/demo Code /apscheduler Set tasks not to be concurrent .py", line 14, in exception_maker
return 1 / 0
ZeroDivisionError: division by zero
job text: Every time 10 Once per second !
job text: Every time 10 Once per second !
Execution of job "job_printer (trigger: cron[second='*/10'], next run at: 2022-07-01 19:53:40 CST)" skipped: maximum number of running instances reached (1)
Job "exception_maker (trigger: cron[second='*/5'], next run at: 2022-07-01 19:53:45 CST)" raised an exception
Traceback (most recent call last):
File "C:\Users\Jayce\Anaconda3\envs\tf2.3\lib\site-packages\apscheduler\executors\base.py", line 125, in run_job
retval = job.func(*job.args, **job.kwargs)
File "E:/Code/Python/demo Code /apscheduler Set tasks not to be concurrent .py", line 14, in exception_maker
return 1 / 0
ZeroDivisionError: division by zero
job text: Every time 10 Once per second !
namely :
You can see it here , Not in a hurry give the thumbs-up , Comment on , Collection Take a walk ?
边栏推荐
猜你喜欢

How much computing power does transformer have

webrtc 快速搭建 视频通话 视频会议

724. 寻找数组的中心下标

Leakage detection relay jy82-2p

如何避免 JVM 内存泄漏?

Google Chrome browser will support the function of selecting text translation

Detectron:训练自己的数据集——将自己的数据格式转换成COCO格式

Weekly summary (*63): about positive energy

【雕爷学编程】Arduino动手做(105)---压电陶瓷振动模块

The end of the Internet is rural revitalization
随机推荐
Understanding of cross domain and how to solve cross domain problems
ansys命令
如何展开Collapse 的所有折叠面板
Online shrimp music will be closed in January next year. Netizens call No
接地继电器DD-1/60
FRP intranet penetration, reverse proxy
Kubernets first meeting
Yiwen unlocks Huawei's new cloud skills - the whole process of aiot development [device access - ESP end-to-side data collection [mqtt]- real time data analysis] (step-by-step screenshot is more detai
Tutle clock improved version
AWT常用组件、FileDialog文件选择框
BUU-Real-[PHP]XXE
Google Chrome browser will support the function of selecting text translation
如何判断数组中是否含有某个元素
One click filtering to select Baidu online disk files
Leetcode 184 Employees with the highest wages in the Department (July 3, 2022)
Descriptive analysis of data distribution characteristics (data exploration)
Programmers don't talk about morality, and use multithreading for Heisi's girlfriend
JS扁平化数形结构的数组
Halcon图片标定,使得后续图片处理过后变成与模板图片一样
MySQL information_ Schema database