1. 서문
최근 회사의 프로젝트에서는 TimerTask가 사용되었습니다. 실제로 TimerTask는 실제 프로젝트에서 많이 사용되지 않습니다. 🎜>지정된 시간에 실행할 수 없기 때문에 특정 빈도로만 프로그램을 실행하게 할 수 있습니다.
JDK의 TimerTask는 예약된 작업 클래스입니다. 이 클래스는 Runnable 인터페이스를 구현하며 이 클래스를 상속하여 예약된 작업을 구현할 수 있습니다.
/** * 继承TimerTask实现定时任务 */ public class MyTask extends TimerTask { @Override public void run() { String currentTime = new SimpleDateFormat("yyy-MM-dd hh:mm:ss").format(new Date()); System.out.println(currentTime + " 定时任务正在执行..."); } public static void main(String[] args) { Timer timer = new Timer(); // 1秒钟执行一次的任务, 参数为: task, delay, peroid timer.schedule(new MyTask(), 2000, 1000); } }
ScheduledTimerTask 클래스는 TimerTask의 래퍼 구현으로, 이를 통해 이 작업에 대한 트리거 정보를 정의할 수 있습니다.
TimerFactoryBean 클래스 Spring은 구성을 사용하여 지정된 ScheduledTimerTask 빈 세트에 대한 Timer 인스턴스를 자동으로 생성합니다.
2.
/** * 定时调度业务类 */ public class TaskService extends TimerTask { private int count = 1; public void run() { System.out.println("第" + count + "次执行定时任务"); count++; } }
<?xml version="1.0" encoding="UTF-8"?> <beans xmlns="http://www.springframework.org/schema/beans" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans-2.5.xsd"> <bean id="taskService" class="com.zdp.service.TaskService"></bean> <bean id="scheduledTimerTask" class="org.springframework.scheduling.timer.ScheduledTimerTask"> <property name="timerTask" ref="taskService" /> <!-- 每隔一天执行一次配置: 24*60*60*1000 --> <!-- 每1秒钟程序执行一次 --> <property name="period" value="1000" /> <!-- 程序启动4秒钟后开始执行 --> <property name="delay" value="4000" /> </bean> <bean id="timerFactoryBean" class="org.springframework.scheduling.timer.TimerFactoryBean"> <property name="scheduledTimerTasks"> <list> <ref bean="scheduledTimerTask" /> </list> </property> </bean> </beans>
public class Main { public static void main(String[] args) { // 加载spring配置文件 ApplicationContext context = new ClassPathXmlApplicationContext("applicationContext.xml"); System.out.println("<<-------- 启动定时任务 -------- >>"); BufferedReader reader = new BufferedReader(new InputStreamReader(System.in)); while (true) { try { if (reader.readLine().equals("quit")) { System.out.println("<<-------- 退出定时任务 -------- >>"); System.exit(0); } } catch (IOException e) { throw new RuntimeException("error happens...", e); } } } }