Quartz

Quartz 是一个功能丰富的开源作业调度库,可以集成到几乎任何 Java 应用程序中——从最小的独立应用程序到最大的电子商务系统。

入门案例

maven 引入

  [xml]
1
2
3
4
5
<dependency> <groupId>org.quartz-scheduler</groupId> <artifactId>quartz</artifactId> <version>2.2.1</version> </dependency>

建立 Task

  [java]
1
2
3
4
5
6
7
8
9
10
11
12
13
14
package com.ryo.quartz.hello.job; import org.quartz.Job; import org.quartz.JobExecutionContext; import org.quartz.JobExecutionException; public class MyJob implements Job { @Override public void execute(JobExecutionContext jobExecutionContext) throws JobExecutionException { System.err.println("Hello Quartz!"); } }

测试代码

  [java]
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
import com.ryo.quartz.hello.job.MyJob; import org.quartz.*; import org.quartz.impl.StdSchedulerFactory; public class AppMain { public static void main(String[] args) throws SchedulerException { // define the job and tie it to our MyJob class JobDetail job = JobBuilder.newJob(MyJob.class) .withIdentity("job1", "group1") .build(); // Trigger the job to run now, and then repeat every 5 seconds Trigger trigger = TriggerBuilder.newTrigger() .withIdentity("trigger1", "group1") .startNow() .withSchedule(SimpleScheduleBuilder.simpleSchedule() .withIntervalInSeconds(5) .repeatForever()) .build(); // Grab the Scheduler instance from the Factory Scheduler scheduler = StdSchedulerFactory.getDefaultScheduler(); // and start it off scheduler.start(); // Tell quartz to schedule the job using our trigger scheduler.scheduleJob(job, trigger); } }

运行结果

每 5S 执行一次我们的 Job

  [plaintext]
1
2
3
4
5
6
7
8
SLF4J: Failed to load class "org.slf4j.impl.StaticLoggerBinder". SLF4J: Defaulting to no-operation (NOP) logger implementation SLF4J: See http://www.slf4j.org/codes.html#StaticLoggerBinder for further details. Hello Quartz! Hello Quartz! Hello Quartz! Hello Quartz!

拓展阅读

Quartz 入门系列教程-00-序章