[Spring Guides] 任务调度

任务调度

您将构建一个使用Spring @Scheduled 注释每五秒打印一次当前时间的应用程序。

通过Maven构建应用程序

pom.xml 配置如下:



    4.0.0

    org.springframework
    gs-scheduling-tasks
    0.1.0

    
        org.springframework.boot
        spring-boot-starter-parent
        1.5.6.RELEASE
    

    
        1.8
    

    
        
            org.springframework.boot
            spring-boot-starter
        
    

    
        
            
                org.springframework.boot
                spring-boot-maven-plugin
            
        
    


创建一个任务调度
package hello;

import java.text.SimpleDateFormat;
import java.util.Date;

import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.scheduling.annotation.Scheduled;
import org.springframework.stereotype.Component;

@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 = 5000)
    public void reportCurrentTime() {
        log.info("The time is now {}", dateFormat.format(new Date()));
    }
}

@Scheduled注释定义何时运行特定方法,上面的示例代码使用fixedRate,它指定了每一次调用方法的调用开始间隔。还可以有别的选项,例如fixedDelay,它定义的是下一次调用方法和上一次方法结束的时间间隔。还可以使用@Scheduled(cron =“...”)表达式进行更复杂的任务调度。

启用调度

下面演示的简单的方法创建了一个独立的应用程序。将所有内容都包装在一个可执行的JAR文件中,由Java main()方法驱动:

package hello;

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) throws Exception {
        SpringApplication.run(Application.class);
    }
}

@EnableScheduling很重要,它确保成功创建后台任务执行程序。

运行效果如下:

任务调度程序运行效果

你可能感兴趣的:([Spring Guides] 任务调度)