Spring-Scheduling
springframework.scheduling 包相关笔记
所属模块: spring-context
SchedulingConfigurer
Spring 中,创建定时任务除了使用 @Scheduled
注解外,还可以使用 SchedulingConfigurer
@Schedule
注解有一个缺点,其定时的时间不能动态的改变,而基于 SchedulingConfigurer
接口的方式可以做到。
SchedulingConfigurer 源码
只有一个方法,用于添加定时任务
package org.springframework.scheduling.annotation;
import org.springframework.scheduling.config.ScheduledTaskRegistrar;
@FunctionalInterface
public interface SchedulingConfigurer {
void configureTasks(ScheduledTaskRegistrar taskRegistrar);
}
addFixedRateTask
addFixedDelayTask
addCronTask
addTriggerTask
TaskScheduler
TaskScheduler 任务调度接口,TaskScheduler 接口下定义了6个方法
public interface TaskScheduler {
ScheduledFuture<?> schedule(Runnable task, Trigger trigger);
ScheduledFuture<?> schedule(Runnable task, Date startTime);
ScheduledFuture<?> scheduleAtFixedRate(Runnable task, Date startTime, long period);
ScheduledFuture<?> scheduleAtFixedRate(Runnable task, long period);
ScheduledFuture<?> scheduleWithFixedDelay(Runnable task, Date startTime, long delay);
ScheduledFuture<?> scheduleWithFixedDelay(Runnable task, long delay);
}
schedule(Runnable task, Trigger trigger)
指定一个触发器执行定时任务。可以使用 CronTrigger 来指定Cron表达式,执行定时任务
CronTrigger t = new CronTrigger("0 0 10,14,16 * * ?");
taskScheduler.schedule(this, t);
schedule(Runnable task, Date startTime)
指定一个具体时间点执行定时任务,可以动态的指定时间,开启任务。只执行一次。
scheduleAtFixedRate(Runnable task, Date startTime, long period)
指定时间开始执行,循环任务,指定一个间隔周期(毫秒计时)
PS:不管上一个周期是否执行完,到时间下个周期就开始执行
scheduleAtFixedRate(Runnable task, long period)
立即执行,循环任务,指定一个执行周期(毫秒计时)
PS:不管上一个周期是否执行完,到时间下个周期就开始执行
scheduleWithFixedDelay(Runnable task, Date startTime, long delay)
指定时间开始执行,循环任务,指定一个间隔周期(毫秒计时)
PS:上一个周期执行完,等待delay时间,下个周期开始执行
scheduleWithFixedDelay(Runnable task, long delay)
立即执行,循环任务,指定一个间隔周期(毫秒计时)
PS:上一个周期执行完,等待delay时间,下个周期开始执行
TaskScheduler 定时任务配置示例
@Configuration
@EnableScheduling
@EnableAsync
@ComponentScan(basePackageClasses = {ScheduleTaskPackage.class, ScheduleServicePackage.class})
public class ScheduleConfiguration {
@Bean
public TaskScheduler taskScheduler() {
ThreadPoolTaskScheduler taskScheduler = new ThreadPoolTaskScheduler();
taskScheduler.setPoolSize(1);
taskScheduler.setThreadFactory(new ThreadFactoryBuilder().setDaemon(true).setNameFormat("common-scheduled-%d").build());
return taskScheduler;
}
}
@Scheduled 定时任务
Spring提供了两种任务调度方法:
1、同步任务,@Scheduled,通过 @EnableScheduling 启用
2、异步任务,@Async,通过 @EnableAsync 启用
@EnableScheduling 启用定时任务
在 Spring Boot 的主类或某个 @Configuration 类中中加入 @EnableScheduling 注解,启用定时任务的配置
@EnableScheduling 注解的作用是发现注解 @Scheduled 的任务并由后台执行。没有它的话将无法执行定时任务。
@SpringBootApplication
@EnableScheduling
public class Application {
public static void main(String[] args) {
SpringApplication.run(Application.class, args);
}
}
Schedule任务类型
cron表达式
cron 表达式,指定任务在特定时间执行;@Scheduled(cron="*/5 * * * * *")
通过cron表达式定义规则
每隔 5s 就会来询问是否可以执行下一个任务,如果前一个任务没有执行完成,则后面的任务需要继续等待 5s 后再来问,看看是否可以执行。
fixedDelay/fixedDelayString 固定延迟
fixedDelay 表示上一次任务执行完成后多久再次执行,参数类型为 long,单位 ms
fixedDelayString 与 fixedDelay 含义一样,只是参数类型变为 String, 在直接读取 application.yml 中的配置值设置时,就需要使用 fixedDelayString 了
@Scheduled(fixedDelayString = "${app.retryTaskFixedDelay}", initialDelayString = "${mc.retryTaskInitialDelay}")
读取配置变量设置固定延迟@Scheduled(fixedDelay = 60 * 60 * 1000L, initialDelay = 1 * 60 * 1000L)
固定 60 分钟执行一次,第一次 1 分钟后触发@Scheduled(fixedDelay = 5000)
上一次执行完毕时间点之后5秒再执行
fixedRate/fixedRateString 固定间隔
fixedRate 表示按一定的频率执行任务,参数类型为 long,单位 ms
fixedRateString 与 fixedRate 的含义一样,只是将参数类型变为 String
如果前一个任务执行时间(这个时间是累计的)超过执行周期,则后一个任务在前一个任务完成后立即执行,否则等待到指定周期时刻执行。
@Scheduled(fixedRate = 5000)
上一次开始执行时间点之后5秒再执行@Scheduled(initialDelay=1000, fixedRate=5000)
第一次延迟1秒后执行,之后按fixedRate的规则每5秒执行一次
initialDelay 表示延迟多久再第一次执行任务,参数类型为 long,单位ms
initialDelayString 与 initialDelay 的含义一样,只是将参数类型变为 String
这两个参数都要配合 fixedDelay
和 fixedRate
一起使用。
@Component
public class ScheduledTasks {
public final static long ONE_DAY = 24 * 60 * 60 * 1000;
public final static long ONE_HOUR = 60 * 60 * 1000;
@Scheduled(fixedRate = ONE_DAY)
public void scheduledTask() {
System.out.println(" 我是一个每隔一天就会执行一次的调度任务");
}
@Scheduled(fixedDelay = ONE_HOURS)
public void scheduleTask2() {
System.out.println(" 我是一个执行完后,隔一小时就会执行的任务");
}
@Scheduled(initialDelay=1000, fixedRate=5000)
public void doSomething() {
System.out.println("我是一个第一次延迟1秒执行,之后每5秒执行一次的任务");
}
@Scheduled(cron = "0 0/1 * * * ? ")
public void ScheduledTask3() {
System.out.println(" 我是一个每隔一分钟就就会执行的任务");
}
}
问题
@Scheduled 定时任务停止执行排查
spring @Scheduled原理解析
https://juejin.im/post/6844903924936212494
cron任务超期导致后续任务未执行
spring scheduled cron 表达式任务,5 分钟一次,如果上一次任务处理的数据量较大超过了 5 分钟,下一次任务调度时发现上一个任务还没执行完就不会再调度,从而导致少一次任务调度。
无论是 Spring 默认的单线程 schedule,还是自定义了多线程 schedule,对于同一个定时任务,上一次调度未执行完时不会执行下一次定时任务。
配置了多线程 schedule 后,不同的定时任务之间可以并行,但同一个定时任务还是会等待上次调度执行完成后才会执行下次任务,注意也不是立即执行,而是等下次cron调度时间到的时候才执行。
解决:
假如我们的任务必须5分钟执行一次,但每次执行确实有可能超过5分钟,那如何保证每个5分钟任务都能够被调度呢?
很简单,任务里面改为异步执行即可,这样就不用管每次执行导致会不会超期了。
默认是单线程调度导致定时任务未执行
背景:
springboot 项目中配了好几个 @Scheduled
定时任务,其中有个 fixedDelay
自动登录保持 session 有效的任务,在某次执行后就没再执行过。
@Scheduled(fixedDelay = 10 * 60 * 1000L)
private String login() {
...
}
排查方向:
1、因为是 fixedDelay
任务,上一次任务结束后才会有下一次调用,先看下是否上一次任务卡住了没返回。
发现每次 login 都马上返回了。
2、看下项目中其他 @Scheduled
定时任务是否还在不断触发,主要是排查下定时任务线程池是否还在工作。
排查发现另外一个 10 分钟执行一次的定时任务也停了,继续排查发现有个通过 SchedulingConfigurer
配置的定时任务跑了几个小时,一直到当前还在执行,自从这个定时任务开始,所有其他定时任务都不执行了。
原因:
spring 中的定时任务,不论是通过 @Scheduled
注解开启的,还是通过 SchedulingConfigurer
代码配置的,都是放到同一个定时任务调度线程池中执行的,这个线程池默认是单线程的,源码在 org.springframework.scheduling.config.ScheduledTaskRegistrar
中:
protected void scheduleTasks() {
if (this.taskScheduler == null) {
this.localExecutor = Executors.newSingleThreadScheduledExecutor();
this.taskScheduler = new ConcurrentTaskScheduler(this.localExecutor);
}
if (this.triggerTasks != null) {
for (TriggerTask task : this.triggerTasks) {
addScheduledTask(scheduleTriggerTask(task));
}
}
if (this.cronTasks != null) {
for (CronTask task : this.cronTasks) {
addScheduledTask(scheduleCronTask(task));
}
}
if (this.fixedRateTasks != null) {
for (IntervalTask task : this.fixedRateTasks) {
addScheduledTask(scheduleFixedRateTask(task));
}
}
if (this.fixedDelayTasks != null) {
for (IntervalTask task : this.fixedDelayTasks) {
addScheduledTask(scheduleFixedDelayTask(task));
}
}
}
即如果不指定 taskScheduler
默认使用 Executors.newSingleThreadScheduledExecutor()
是单线程的线程池,且拒绝策略是默认的 AbortPolicy
拒绝执行。
所以如果某个定时任务出现死循环一直跑,则所有其他定时任务都无法执行了。
解决:
配置 spring 定时任务线程池的线程个数,改为多线程。
required a bean of type TaskScheduler that could not be found.
springboot 启动报错:
Field taskScheduler in xx.class required a bean of type 'org.springframework.scheduling.TaskScheduler' that could not be found.
The injection point has the following annotations:
- @org.springframework.beans.factory.annotation.Autowired(required=true)
Action:
Consider defining a bean of type 'org.springframework.scheduling.TaskScheduler' in your configuration.
原因:
有 @EnableScheduling 注解,但自定义了 SchedulingConfigurer,导致 Spring TaskSchedulingAutoConfiguration 中没有自动创建 TaskScheduler
因为有 @ConditionalOnMissingBean({SchedulingConfigurer.class}) 条件,没有 SchedulingConfigurer 实现类时才会创建。
public class TaskSchedulingAutoConfiguration {
@Bean
@ConditionalOnBean(name = TaskManagementConfigUtils.SCHEDULED_ANNOTATION_PROCESSOR_BEAN_NAME)
@ConditionalOnMissingBean({ SchedulingConfigurer.class, TaskScheduler.class, ScheduledExecutorService.class })
public ThreadPoolTaskScheduler taskScheduler(TaskSchedulerBuilder builder) {
return builder.build();
}
}
https://blog.51cto.com/u_12497420/3358058
@Scheduled 多线程配置
Spring 中的定时任务线程池默认是单线程的,定时任务触发时如果当前有其他定时任务在跑,定时任务线程池就会抛出 RejectedExecutionException
异常导致任务无法执行。
public class ThreadPoolTaskExecutor extends ExecutorConfigurationSupport
implements AsyncListenableTaskExecutor, SchedulingTaskExecutor {
private final Object poolSizeMonitor = new Object();
// 单线程
private int corePoolSize = 1;
}
配置 ScheduledTaskRegistrar
1、可以实现 SchedulingConfigurer
个性化配置定时任务线程池,设置 taskScheduler
为多线程线程池。
@Configuration
public class ScheduleConfiguration implements SchedulingConfigurer {
@Override
public void configureTasks(ScheduledTaskRegistrar taskRegistrar) {
//设定一个长度100的定时任务线程池
ThreadPoolTaskScheduler taskScheduler = new ThreadPoolTaskScheduler();
taskScheduler.setPoolSize(100);
taskScheduler.initialize();
taskRegistrar.setTaskScheduler(taskScheduler);
}
}
暴露线程池到Spring上下文
2、或者直接暴露一个线程池到 spring 上下文中
@Configuration
@EnableScheduling
public class SchedulingConfiguration {
@Bean(destroyMethod = "shutdown")
public Executor taskScheduler() {
return Executors.newScheduledThreadPool(10);
}
}
配置spring.task.scheduling.pool.size
3、Spring Boot 2.1.0 及以上版本中,还可以在配置文件中配置定时任务线程个数。
spring.task.scheduling.pool.size=10
Does spring @Scheduled annotated methods runs on different threads?
https://stackoverflow.com/questions/21993464/does-spring-scheduled-annotated-methods-runs-on-different-threads
读取配置文件中的cron时间配置
如果使用 Spring Boot 的 application.properties 或 application.yml 直接引用变量即可,例如
@Scheduled(cron="${jobs.cron}")
如果在其他配置文件中,可以:
@PropertySource("classpath:root/test.props")
@Scheduled(cron="${jobs.cron}")
test.props 添加 jobs.cron = 0/5 * * * * ?
cron 表达式从左到右依次为:
second
minute
hour
day of month
month
day of week
避免集群环境下任务重复调度
当 @Scheduled 定时任务部署在集群环境下时,会出现任务多次被调度执行的情况,因为 @Scheduled 只是个轻量级的本地定时任务,本身不提供集群调度功能。
为了避免集群环境下任务重复调度,可以采用如下方法;
1、调度方法加redis分布式锁,防止同一个任务被多次调度。
2、改用Quartz定时任务框架,Quartz提供基于数据库持久化的集群调度功能。
如何用Spring实现集群环境下的定时任务
https://blog.csdn.net/caomiao2006/article/details/52750569
根据条件启用定时任务
@Service
@ConditionalOnProperty("yourConditionPropery")
public class SchedulingService {
@Scheduled
public void task1() {...}
@Scheduled
public void task2() {...}
}
@Scheduled源码
package org.springframework.scheduling.annotation;
import java.lang.annotation.Documented;
import java.lang.annotation.ElementType;
import java.lang.annotation.Repeatable;
import java.lang.annotation.Retention;
import java.lang.annotation.RetentionPolicy;
import java.lang.annotation.Target;
@Target({ElementType.METHOD, ElementType.ANNOTATION_TYPE})
@Retention(RetentionPolicy.RUNTIME)
@Documented
@Repeatable(Schedules.class)
public @interface Scheduled {
String cron() default "";
String zone() default "";
long fixedDelay() default -1L;
String fixedDelayString() default "";
long fixedRate() default -1L;
String fixedRateString() default "";
long initialDelay() default -1L;
String initialDelayString() default "";
}
@Async 异步方法
@EnableAsync启用异步方法
有时候我们会调用一些特殊的任务,任务会比较耗时,重要的是,我们不管他返回的后果。这时候我们就需要用这类的异步任务啦,调用后就让他去跑,不堵塞主线程,我们继续干别的。
在 Spring Boot 中,我们只需要通过使用 @Async 注解就能简单的将原来的同步方法变为异步方法。
@Async 标注的方法将在独立的线程中被执行,调用者无需等待它的完成,即可继续其他的操作。
为了让 @Async 注解能够生效,还需要在 Spring Boot 的主程序中配置 @EnableAsync
@SpringBootApplication
@EnableAsync
public class Application {
public static void main(String[] args) {
SpringApplication.run(Application.class, args);
}
}
@Async 异步方法
public void AsyncTask() {
@Async
public void doSomeHeavyBackgroundTask(int sleepTime) {
try {
Thread.sleep(sleepTime);
} catch (InterruptedException e) {
e.printStackTrace();
}
}
@Async
public Future<String> doSomeHeavyBackgroundTask() {
try {
Thread.sleep(3000);
} catch (InterruptedException e) {
e.printStackTrace();
}
return null;
}
public void printLog() {
System.out.println(" i print a log ,time=" + System.currentTimeMillis());
}
}
测试类:
@RunWith(SpringJUnit4ClassRunner.class)
@WebAppConfiguration
@ContextConfiguration(classes = AsycnTaskConfig.class) //要声明@EnableASync
public class AsyncTaskTest {
@Autowired
AsyncTask asyncTask;
@Test
public void AsyncTaskTest() throws InterruptedException {
if (asyncTask != null) {
asyncTask.doSomeHeavyBackgroundTask(4000);
asyncTask.printLog();
Thread.sleep(5000);
}
}
}
@Async 所修饰的函数不要定义为static类型,这样异步调用不会生效
Spring Boot中使用@Async实现异步调用
http://blog.didispace.com/springbootasync/
Spring的两种任务调度Scheduled和Async
https://sanjay-f.github.io/2015/08/24/Spring%E7%9A%84%E4%B8%A4%E7%A7%8D%E4%BB%BB%E5%8A%A1%E8%B0%83%E5%BA%A6Scheduled%E5%92%8CAsync/
@Async 默认线程池
之前的 Spring 版本中,如果不自定义异步方法的线程池默认使用 SimpleAsyncTaskExecutor。SimpleAsyncTaskExecutor 不是真的线程池,这个类不重用线程,每次调用都会创建一个新的线程。并发大的时候会产生严重的性能问题。
新 Spring 版本已经不是这样了,默认会使用一个 8 个线程的 ThreadPoolTaskExecutor 线程池。
判断 @Async 使用哪个线程池的代码在:
public abstract class AsyncExecutionAspectSupport implements BeanFactoryAware {
protected AsyncTaskExecutor determineAsyncExecutor(Method method) {
AsyncTaskExecutor executor = this.executors.get(method);
if (executor == null) {
Executor targetExecutor;
// 看 @Async 注解的 value 属性是否设置了自定义线程池
String qualifier = getExecutorQualifier(method);
if (StringUtils.hasLength(qualifier)) {
targetExecutor = findQualifiedExecutor(this.beanFactory, qualifier);
}
// 如果没配置自定义线程池,使用默认线程池
else {
targetExecutor = this.defaultExecutor.get();
}
if (targetExecutor == null) {
return null;
}
executor = (targetExecutor instanceof AsyncListenableTaskExecutor ?
(AsyncListenableTaskExecutor) targetExecutor : new TaskExecutorAdapter(targetExecutor));
this.executors.put(method, executor);
}
return executor;
}
// 从 Spring 中查找一个 TaskExecutor 线程池
protected Executor getDefaultExecutor(@Nullable BeanFactory beanFactory) {
if (beanFactory != null) {
try {
// Search for TaskExecutor bean... not plain Executor since that would
// match with ScheduledExecutorService as well, which is unusable for
// our purposes here. TaskExecutor is more clearly designed for it.
return beanFactory.getBean(TaskExecutor.class);
}
catch (NoUniqueBeanDefinitionException ex) {
...
}
}
return null;
}
}
自定义 @Async 线程池
@Async 注解的 value 参数可填入一个配置好的线程池 Executor Bean 名字,这样 @Async 注解的方法就会在指定的线程池中执行了。
使用 @Async 也要注意别在同类内部调用,和 @Transactional 类似。
@Async("taskExecutor)
public void asyncMethod() {
}
通常的用法是配置一个自定义的 ThreadPoolTaskExecutor 线程池,填入 @Async 注解中
AsyncConfigurer 配置异步线程池
异步异常处理
Spring的两种任务调度Scheduled和Async
https://sanjay-f.github.io/2015/08/24/Spring%E7%9A%84%E4%B8%A4%E7%A7%8D%E4%BB%BB%E5%8A%A1%E8%B0%83%E5%BA%A6Scheduled%E5%92%8CAsync/
springboot异步调用@Async
https://segmentfault.com/a/1190000010142962
下一篇 Spring-MyBatis
页面信息
location:
protocol
: host
: hostname
: origin
: pathname
: href
: document:
referrer
: navigator:
platform
: userAgent
: