springboot的定时任务
时间: 2023-10-13 11:23:41 浏览: 73
在 Spring Boot 中,可以使用 `@Scheduled` 注解来实现定时任务。下面是一个简单的例子:
```java
import org.springframework.scheduling.annotation.Scheduled;
import org.springframework.stereotype.Component;
@Component
public class ScheduledTasks {
@Scheduled(fixedRate = 5000) // 每5秒执行一次
public void reportCurrentTime() {
System.out.println("Current time is: " + new Date());
}
}
```
在上面的例子中,使用 `@Scheduled` 注解标记了一个方法 `reportCurrentTime()`,并且设置了 `fixedRate` 属性为 5000,表示每隔 5 秒执行一次该方法。需要注意的是,该方法必须被声明为 `public`,并且不能有任何参数。
除了 `fixedRate` 属性,还可以使用 `cron` 表达式来指定具体的执行时间。例如:
```java
@Scheduled(cron = "0 0 12 * * ?") // 每天中午12点执行
public void reportCurrentTime() {
System.out.println("Current time is: " + new Date());
}
```
需要注意的是,如果要使用 `cron` 表达式,需要在 Spring Boot 的配置文件中添加以下配置:
```
spring:
task:
scheduling:
pool:
size: 10
```
其中,`size` 属性表示线程池的大小,即同时执行定时任务的线程数。默认情况下,线程池的大小为 1。
除了 `@Scheduled` 注解之外,还可以使用 `@EnableScheduling` 注解来开启定时任务的支持。例如:
```java
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.scheduling.annotation.EnableScheduling;
@SpringBootApplication
@EnableScheduling
public class Application {
public static void main(String[] args) {
SpringApplication.run(Application.class, args);
}
}
```
需要注意的是,`@EnableScheduling` 注解必须和 `@SpringBootApplication` 注解一起使用。
阅读全文