项目中经常会用到定时任务。所以在这里总结一下在SSM框架中如何配置定时任务。
1、在spring的配置文件spring.xml(文件名可以任意)中增加如下配置
1):spring配置文件加入头部加入
<beans xmlns="http://www.springframework.org/schema/beans"
xmlns:task="http://www.springframework.org/schema/task"
xsi:schemaLocation="http://www.springframework.org/schema/task
http://www.springframework.org/schema/task/spring-task-4.0.xsd ">
2):spring配置文件加入定时任务注解配置
<!-- 设置定时任务 -->
<task:annotation-driven scheduler="myScheduler" />
3):spring配置文件加入定时任务扫描包
<!-- 此处配置要扫描的定时任务类 -->
<context:component-scan base-package="com.sc.api" />
4):spring配置文件加入配置定时任务的线程池。因为spring的定时任务默认是单线程,多个任务执行起来时间会有问题。
<task:scheduler id="myScheduler" pool-size="5"/>
2、在package com.sc.api下新增定时任务相关类ScheduledApiTest
调用的两种方式:
@Scheduled注解为定时任务,@Component 把普通pojo实例化到spring容器中,相当于配置文件中的<bean id="" class=""/>
1):如果需要以固定速率执行,只要将注解中指定的属性名称改成fixedRate即可,以下方法将以一个固定速率1分钟来调用一次执行,这个周期是以上一个任务开始时间为基准,从上一任务开始执行后1分钟再次调用。
@Scheduled(fixedRate = 10006030) //心跳更新。启动时执行一次,之后每隔1分钟执行一次
2):如果你需要在特定的时间执行,就需要用到cron,cron表达式里为执行的时机
@Scheduled(cron = "0 34 13 * * ?") //每天的13点30分执行一次。
package com.sc.api;
import org.springframework.scheduling.annotation.Scheduled;
import org.springframework.stereotype.Component;
import org.testng.TestNG;
import org.testng.collections.Lists;
import java.util.List;
@Component("scheduledManager")
public class ScheduledApiTest {
/**
* 心跳更新。启动时执行一次,之后每隔1分钟执行一次
*/
@Scheduled(fixedRate = 1000*60*30) //每天凌晨两点执行 (0 0 2 * * ?)
void doSomethingWith(){
System.out.println("doSomethingWith---------");
TestNG testng = new TestNG();
List suites = Lists.newArrayList();
String localPath = "D:\\work\\interface\\src\\main\\resources\\testng.xml";
suites.add(localPath);//path to xml..
testng.setTestSuites(suites);
testng.run();
}
}
3、启动tomcat服务,定时任务就会按时执行。
关于CRON表达式 含义
“0 0 12 * * ?” 每天中午十二点触发
“0 15 10 ? * *” 每天早上10:15触发
“0 15 10 * * ?” 每天早上10:15触发
“0 15 10 * * ? *” 每天早上10:15触发
“0 15 10 * * ? 2005” 2005年的每天早上10:15触发
“0 * 14 * * ?” 每天从下午2点开始到2点59分每分钟一次触发
“0 0/5 14 * * ?” 每天从下午2点开始到2:55分结束每5分钟一次触发
“0 0/5 14,18 * * ?” 每天的下午2点至2:55和6点至6点55分两个时间段内每5分钟一次触发
“0 0-5 14 * * ?” 每天14:00至14:05每分钟一次触发
“0 10,44 14 ? 3 WED” 三月的每周三的14:10和14:44触发
“0 15 10 ? * MON-FRI” 每个周一、周二、周三、周四、周五的10:15触发
网友评论