基于注解的Spring定时任务配置

29次阅读

共计 1986 个字符,预计需要花费 5 分钟才能阅读完成。

Spring 版本 5.1.5、JDK 版本 1.8
首先有一个定时的任务类
package com.yuanweiquan.learn.quartzs;

import org.springframework.scheduling.annotation.Scheduled;
import org.springframework.stereotype.Component;

@Component
public class MyQuartzs {
@Scheduled(cron = “*/5 * * * * ?”)// 每五秒执行一次
public void quartzs() {
System.out.println(LocalDateTime.now().toString());
}
}
XML 配置
<?xml version=”1.0″ encoding=”UTF-8″?>
<beans xmlns=”http://www.springframework.org/schema/beans”
xmlns:xsi=”http://www.w3.org/2001/XMLSchema-instance”
xmlns:p=”http://www.springframework.org/schema/p”
xmlns:context=”http://www.springframework.org/schema/context”
xmlns:task=”http://www.springframework.org/schema/task”
xmlns:aop=”http://www.springframework.org/schema/aop”
xmlns:tx=”http://www.springframework.org/schema/tx”
xsi:schemaLocation=”http://www.springframework.org/schema/beans
http://www.springframework.org/schema/beans/spring-beans.xsd
http://www.springframework.org/schema/context
http://www.springframework.org/schema/context/spring-context-4.0.xsd
http://www.springframework.org/schema/task
http://www.springframework.org/schema/task/spring-task-4.0.xsd
http://www.springframework.org/schema/tx
http://www.springframework.org/schema/tx/spring-tx.xsd
http://www.springframework.org/schema/aop
http://www.springframework.org/schema/aop/spring-aop.xsd”>

// 扫描包路劲
<context:component-scan base-package=”com.yuanweiquan.learn.*”></context:component-scan>
// 启用定时任务
<task:annotation-driven></task:annotation-driven>
</beans>
启动 Spring 容器,控制台打印结果如下:
2019-03-29T15:15:30.011
2019-03-29T15:15:35.002
2019-03-29T15:15:40.001
2019-03-29T15:15:45.001
2019-03-29T15:15:50.001
5 秒钟打印一次,刚好符合我们的需求。但是如果我们的任务执行时间大于任务间隔时间 5s,会怎么样呢?我们打印后设置一个休眠时间
public class MyQuartzs {
@Scheduled(cron = “*/5 * * * * ?”)
public void quartzs() {
System.out.println(LocalDateTime.now().toString());
try {
Thread.sleep(6000);
} catch (Exception e) {
e.printStackTrace();
}
}
}
再次启动 spring 容器,控制台打印结果如下:
2019-03-29T15:18:45.011
2019-03-29T15:18:55.001
2019-03-29T15:19:05.001
从打印结果可以看出来,任务 10s 执行了一次,而不是我们希望的 5s。原因是当定时任务准备执行时,发现上次任务还未执行完,就会再次等待休眠时间,再次执行,直到任务可以执行为止。

正文完
 0