SpringBoot实现定时任务操作及cron在线生成器

spring根据定时任务的特征,将定时任务的开发简化到了极致。怎么说呢?要做定时任务总要告诉容器有这功能吧,然后定时执行什么任务直接告诉对应的bean什么时间执行就行了,就这么简单,一起来看怎么做

步骤①:开启定时任务功能,在引导类上开启定时任务功能的开关,使用注解@EnableScheduling

@SpringBootApplication
//开启定时任务功能
@EnableScheduling
public class Springboot22TaskApplication {
    public static void main(String[] args) {
        SpringApplication.run(Springboot22TaskApplication.class, args);
    }
}

步骤②:定义Bean,在对应要定时执行的操作上方,使用注解@Scheduled定义执行的时间,执行时间的描述方式还是cron表达式

@Component
public class MyTask {
    @Scheduled(cron = "0/1 * * * * ?")
    public void print(){
        System.out.println(Thread.currentThread().getName()+" :spring task run...");
    }
}

完事,这就完成了定时任务的配置。总体感觉其实什么东西都没少,只不过没有将所有的信息都抽取成bean,而是直接使用注解绑定定时执行任务的事情而已。

​ 如何想对定时任务进行相关配置,可以通过配置文件进行,不是必须的

spring:
  task:
   	scheduling:
      pool:
       	size: 1							# 任务调度线程池大小 默认 1
      thread-name-prefix: ssm_      	# 调度线程名称前缀 默认 scheduling-      
        shutdown:
          await-termination: false		# 线程池关闭时等待所有任务完成
          await-termination-period: 10s	# 调度线程关闭前最大等待时间,确保最后一定关闭

定时过程中需要写cron表达式,非常麻烦。这里提供一个在线cron表达式生成器,可以根据你指定的时间生成,非常方便。
如果指定任务为每小时执行一次,同时又要在每天早上8点执行一次其他操作,可以通过LocalDataTime进行时间判断执行:

@Component
public class MyTask {
    @Scheduled(cron = "0/1 * * * * ?")
    public void print(){
      	LocalDateTime now = LocalDateTime.now();
        
        int hour = now.getHour();
        System.out.println(Thread.currentThread().getName()+" :spring task run...");
        if(hour==8){
        	System.out.println("执行其他任务")
        }
    }
}

你可能感兴趣的:(SpringBoot,spring,boot,java,后端)