计划执行任务
    当开发者在AppConfig类中使用@EnableScheduling注解,并在某个task中使用@Schedule注解,那么被@Schedule注解标注的方法就可以在指定时间自动执行。
    示例:

    1. package cn.hncu.p3.p3_taskscheduler;
    2. import org.springframework.scheduling.annotation.Scheduled;
    3. import org.springframework.stereotype.Service;
    4. import java.text.SimpleDateFormat;
    5. import java.util.Date;
    6. /**
    7. * Created with IntelliJ IDEA.
    8. * User:
    9. * Date: 2016/11/22.
    10. * Time: 下午 10:25.
    11. * Explain:计划任务执行类
    12. */
    13. @Service
    14. public class ScheduledTaskService {
    15. private static final SimpleDateFormat dateFormat = new SimpleDateFormat("HH:mm:ss");
    16. @Scheduled(fixedRate = 5000) //通过@Scheduled声明该方法是计划任务,使用fixedRate属性每隔固定时间执行
    17. public void reportCurrentTime(){
    18. System.out.println("每隔5秒执行一次 "+dateFormat.format(new Date()));
    19. }
    20. @Scheduled(cron = "0 07 20 ? * *" ) //使用cron属性可按照指定时间执行,本例指的是每天20点07分执行;
    21. //cron是UNIX和类UNIX(Linux)系统下的定时任务
    22. public void fixTimeExecution(){
    23. System.out.println("在指定时间 "+dateFormat.format(new Date())+" 执行");
    24. }
    25. }
    1. package cn.hncu.p3.p3_taskscheduler;
    2. import org.springframework.context.annotation.ComponentScan;
    3. import org.springframework.context.annotation.Configuration;
    4. import org.springframework.scheduling.annotation.EnableScheduling;
    5. /**
    6. * Created with IntelliJ IDEA.
    7. * User:
    8. * Date: 2016/11/22.
    9. * Time: 下午 10:32.
    10. * Explain:配置类
    11. */
    12. @Configuration
    13. @ComponentScan("cn.hncu.p3.p3_taskscheduler")
    14. @EnableScheduling //通过@EnableScheduling注解开启对计划任务的支持
    15. public class TaskScheduleConfig {
    16. }
    1. package cn.hncu.p3.p3_taskscheduler;
    2. import org.springframework.context.annotation.AnnotationConfigApplicationContext;
    3. /**
    4. * Created with IntelliJ IDEA.
    5. * User:
    6. * Date: 2016/11/22.
    7. * Time: 下午 10:34.
    8. * Explain:运行类
    9. */
    10. public class Main {
    11. public static void main(String[] args) {
    12. AnnotationConfigApplicationContext context = new AnnotationConfigApplicationContext(TaskScheduleConfig.class);
    13. }
    14. }

    运行结果
    @Scheduled配合@EnableScheduling - 图1