springboot定时任务
在创建好的springboot项目的启动类上加@EnableScheduling注解。
@EnableScheduling
@SpringBootApplication
@MapperScan("com.qianlong.dao")
@ComponentScan(value = "com.qianlong")
public class DemoApplication {
public static void main(String[] args) {
SpringApplication.run(DemoApplication.class, args);
}
}
然后创建一个定时任务类,加上@Scheduled注解。
@Component
public class TestController {
@Scheduled(cron = "0/1 * * * * ?") 或者是这样的@Scheduled(fixedDelay = 2000) 或者是这样 @Scheduled (fixedRate = 2000)
public void test(){
System.out.println("执行定时任务的时间是:"+new Date());
}
}
然后控制台会每隔一秒打印一次。
Cron表达式
0/30 * * * * * 每30秒执行一次
0 0/5 * * * * 每5分钟执行一次
0 0 0 * * * 每天凌晨执行
0 0 8,12,17 * * * 每天8点,12点,17点整执行
0 30 3-5 * * * 每天3到5点,30分时执行
关于@scheduled 的参数有多种方式,可以根据自己的需求来进行选择。
@Scheduled(fixedRate=1000):上一次开始执行时间点后1秒再次执行;
@Scheduled(fixedDelay=1000):上一次执行完毕时间点后1秒再次执行;
@Scheduled(initialDelay=1000, fixedDelay=1000):第一次延迟1秒执行,然后在上一次执行完毕时间点后1秒再次执行;
@Scheduled(cron=”* * * * ?”):根据书写的cron规则执行。
关于cron 表达式
cron一共有7位,但是最后一位是年,可以留空,所以我们可以写6位:
springBoot异步调用
在创建好的springboot项目的启动类上加@EnableAsync注解。
@EnableAsync //开启异步调用
@EnableScheduling
@SpringBootApplication
@MapperScan("com.qianlong.dao")
@ComponentScan(value = "com.qianlong")
public class DemoApplication {
public static void main(String[] args) {
SpringApplication.run(DemoApplication.class, args);
}
}
注意在这里一定要加上@EnableAsync注解开启异步调用
新建一个controller
@RestController
@RequestMapping("/demo")
public class SelectController {
@Autowired
private SelectService selectService;
@RequestMapping("/async")
public void as(){
System.out.println("1111111111");
selectService.add();
System.out.println("2222222222");
}
}
再建一个service
@Service
public class SelectService {
@Async
public void add() {
System.out.println("333333333");
System.out.println("444444444");
}
}
先注释掉@EnableAsync和@Async两个注解,在浏览器输入localhost:8080/demo/async,看下同步调用执行的效果。执行结果如下
11111111
33333333
44444444
22222222
再把两个注解放开,在浏览器输入localhost:8080/demo/async,看下异步调用执行的效果。
11111111
22222222
33333333
44444444