第十一篇:Spring Boot之Scheduling Tasks定時任務
阿新 • • 發佈:2018-12-29
幾乎大部分的應用都會有定時執行任務的需求。使用Spring Boot的Scheduling Tasks能夠提高您的開發效率。這篇文章將介紹怎麼通過Spring Boot去做排程任務。
構建工程
建立一個Springboot工程,在它的程式入口加上@EnableScheduling,開啟排程任務。
@SpringBootApplication
@EnableScheduling
public class SpringbootScheduledApplication {
public static void main(String[] args) {
SpringApplication. run(SpringbootScheduledApplication.class, args);
}
}
建立定時任務
建立一個定時任務,每過2s在控制檯列印當前時間。
@Component
public class ScheduledTasks {
private static final Logger log = LoggerFactory.getLogger(ScheduledTasks.class);
private static final SimpleDateFormat dateFormat = new SimpleDateFormat("HH:mm:ss" );
@Scheduled(fixedRate = 2000)
public void reportCurrentTime() {
log.info("The time is : " + dateFormat.format(new Date()));
}
}
通過在方法上加@Scheduled註解,表明該方法是一個排程任務。
- @Scheduled(fixedRate = 2000) :上一次開始執行時間點之後2秒再執行
- @Scheduled(fixedDelay = 2000) :上一次執行完畢時間點之後2秒再執行
- @Scheduled(initialDelay=1000, fixedRate=2000) :第一次延遲1秒後執行,之後按fixedRate的規則每2秒執行一次
- @Scheduled(cron=" /2 ") :通過cron表示式定義規則
測試
啟動springboot工程,控制檯沒過2s就打印出了當前的時間。
總結
在springboot建立定時任務比較簡單,只需2步:
- 在程式的入口加上@EnableScheduling註解。
- 在定時方法上加@Scheduled註解。