Dynamic Job Scheduling with Quartz and Spring
Java, Maven, Quartz, REST, Spring Boot
Quartz Scheduler is a richly featured, open source job scheduling library that can be integrated within virtually any Java application - from the smallest stand-alone application to the largest e-commerce system.
Introduction
Every developer at a certain point in his carreer is faced with the difficult task of scheduling jobs dynamically.
In this post we are going to create a simple application for dynamically scheduling jobs using a
REST API.
We will dynamically create jobs that sends emails to a predefined group of people on a user defined schedule using
Spring Boot.
Project Structure
At the end of this guide our folder structure will look similar to the following:
.
|__src/
| |__main/
| | |__java/
| | | |__com/
| | | | |__juliuskrah/
| | | | | |__quartz/
| | | | | | |__Application.java
| | | | | | |__AutowiringSpringBeanJobFactory.java
| | | | | | |__job/
| | | | | | | |__EmailJob.java
| | | | | | |__model/
| | | | | | | |__JobDescriptor.java
| | | | | | | |__TriggerDescriptor.java
| | | | | | |__service/
| | | | | | | |__EmailService.java
| | | | | | |__web/
| | | | | | | |__rest/
| | | | | | | | |__EmailResource.java
| | |__resources/
| | | | |__application.yaml
|__pom.xml
Prerequisites
To follow along this guide, you should have the following set up:
-
Java Development Kit
Optional - Maven
- cURL
Concepts
Before we dive any further, there are a few quartz concepts we need to understand:
-
Job - an interface to be implemented by components that you wish to have executed by the scheduler. The interface has one method
execute(...)
. This is where your scheduled task runs. Information on theJobDetail
andTrigger
is retrieved using theJobExecutionContext
.package org.quartz; public interface Job { public void execute(JobExecutionContext context) throws JobExecutionException; }
-
JobDetail - used to define instances of
Jobs
. This defines how a job is run. Whatever data you want available to theJob
when it is instantiated is provided through theJobDetail
.
Quartz provides a Domain Specific Language (DSL) in the form ofJobBuilder
for constructingJobDetail
instances.// define the job and tie it to the Job implementation JobDetail job = newJob(EmailJob.class) .withIdentity("myJob", "group1") // name "myJob", group "group1" .build();
-
Trigger - a component that defines the schedule upon which a given Job will be executed. The trigger
provides instruction on when the job is run.
Quartz provides a DSL (TriggerBuilder) for constructingTrigger
instances.// Trigger the job to run now, and then every 40 seconds Trigger trigger = newTrigger() .withIdentity("myTrigger", "group1") .startNow() .withSchedule(simpleSchedule() .withIntervalInSeconds(40) .repeatForever()) .build();
-
Scheduler - the main API for interacting with the scheduler. A Scheduler’s life-cycle is bounded by it’s creation, via a SchedulerFactory and a call to its
shutdown()
method. Once created the Scheduler interface can be used to add, remove, and listJobs
andTriggers
, and perform other scheduling-related operations (such as pausing a trigger). However, the Scheduler will not actually act on any triggers (execute jobs) until it has been started with thestart()
method.SchedulerFactory schedFact = new org.quartz.impl.StdSchedulerFactory(); Scheduler sched = schedFact.getScheduler(); sched.start(); // Tell quartz to schedule the job using our trigger sched.scheduleJob(job, trigger);
Create and Setup Dependencies for the Sample Application
Head over to start.spring.io and build a Spring Boot template as illustrated in the image below:
Download the zip archive and extract the contents to a folder of your choice. Open your pom.xml
located at
the root of the template directory and add the following dependencies:
file:
pom.xml
The above are the dependencies needed for Quartz with Spring integration.
Scope
By the end of this post we will be able to schedule Quartz
jobs dynamically to send emails
using a REST API.
We will create
jobs:
//
Scheduler scheduler = StdSchedulerFactory.getDefaultScheduler();
scheduler.scheduleJob(jobDetail, trigger);
retrieve
existing jobs:
//
scheduler.getJobDetail(jobKey);
update
existing jobs:
// store, and set overwrite flag to 'true'
scheduler.addJob(jobDetail, true);
delete
existing jobs:
//
scheduler.deleteJob(jobKey);
pause
jobs:
//
scheduler.pauseJob(jobKey);
and resume
jobs:
//
scheduler.resumeJob(jobKey);
About Jobstores
JobStore’s are responsible for keeping track of all the “work data” that you give to the scheduler: jobs
,
triggers
, calendars
, etc. Selecting the appropriate JobStore for your Quartz scheduler instance is an
important step. Luckily, the choice should be a very easy one once you understand the differences between them.
You declare which JobStore
your scheduler should use (and it’s configuration settings) in the properties file
(or object) that you provide to the SchedulerFactory
that you use to produce your scheduler instance.
There are three types of Jobstores that are available in Quartz:
-
RAMJobStore - is the simplest
JobStore
to use, it is also the most performant (in terms of CPU time).RAMJobStore
gets its name in the obvious way: it keeps all of its data in RAM. This is why it’s lightning-fast, and also why it’s so simple to configure. The drawback is that when your application ends (or crashes) all of the scheduling information is lost - this means RAMJobStore cannot honor the setting of “non-volatility” on jobs and triggers. For some applications this is acceptable - or even the desired behavior, but for other applications, this may be disastrous. In this part of the series we will be usingRAMJobStore
. -
JDBCJobStore - is also aptly named - it keeps all of its data in a database via JDBC. Because of this it is
a bit more complicated to configure than RAMJobStore, and it also is not as fast. However, the performance
draw-back is not terribly bad, especially if you build the database tables with indexes on the primary keys.
On fairly modern set of machines with a decent LAN (between the scheduler and database) the time to retrieve and update a firing trigger will typically be less than 10 milliseconds. We will talk more aboutJDBCJobStore
in the next post. -
TerracottaJobStore - provides a means for scaling and robustness without the use of a database. This means your database can be kept free of load from Quartz, and can instead have all of its resources saved for the rest of your application.
TerracottaJobStore
can be ran clustered or non-clustered, and in either case provides a storage medium for your job data that is persistent between application restarts, because the data is stored in the Terracotta server. It’s performance is much better than using a database via JDBCJobStore (about an order of magnitude better), but fairly slower than RAMJobStore. This is out of the scope for this series.
Setting up the Descriptors
In order to set up the REST API for the dyanmic jobs, we will create two abstractions over JobDetail
and
Trigger
aptly named JobDescriptor
and TriggerDescriptor
:
file:
src/main/java/com/juliuskrah/quartz/model/TriggerDescriptor.java
file:
src/main/java/com/juliuskrah/quartz/model/JobDescriptor.java
Next we will define our Job class:
file:
src/main/java/com/juliuskrah/quartz/job/EmailJob.java
The
JobDataMap
can be used to hold any amount of (serializable) data objects which you wish to have made available to the job instance when it executes.JobDataMap
is an implementation of the JavaMap
interface, and has some added convenience methods for storing and retrieving data of primitive types.
You can retrieve theJobDataMap
from theJobExecutionContext
that is stored as part of theJobDetail
orTrigger
.
TheJobDataMap
that is found on theJobExecutionContext
during Job execution serves as a convenience. It is a merge of theJobDataMap
found on theJobDetail
and the one found on theTrigger
, with the values in the latter overriding any same-named values in the former.
Boostrapping with Spring Boot
At the beginning of this post I stated that the life-cycle of a Scheduler
is bounded by it’s creation, via a
SchedulerFactory and a call to its shutdown()
method. For this post we will create a Singleton instance
of a SchedulerFactory. We can achieve this by creating it as a Spring Bean:
file:
src/main/java/com/juliuskrah/quartz/Application.java
The bean definition above is doing several things:-
-
JobFactory - The default is Spring’s
AdaptableJobFactory
, which supportsjava.lang.Runnable
objects as well as standard Quartzorg.quartz.Job
instances. Note that this default only applies to a local Scheduler, not to a RemoteScheduler (where setting a custom JobFactory is not supported by Quartz). -
ThreadPool - Default is a Quartz
SimpleThreadPool
with a pool size of 10. This is configured through the corresponding Quartz properties. -
SchedulerFactory - The default used here is the
StdSchedulerFactory
, reading in the standardquartz.properties
fromquartz.jar
. -
JobStore - The default used is
RAMJobStore
which does not support persistence and is not clustered. -
Life-Cycle - The
SchedulerFactoryBean
implementsorg.springframework.context.SmartLifecycle
andorg.springframework.beans.factory.DisposableBean
which means the life-cycle of the scheduler is managed by the Spring container. Thesheduler.start()
is called in thestart()
implementation ofSmartLifecycle
after initialization and thescheduler.shutdown()
is called in thedestroy()
implementation ofDisposableBean
at application teardown.
You can override the startup behaviour by settingsetAutoStartup(..)
tofalse
. With this setting you have to manually start the scheduler.
Creating Some Service and Controller Classes
We will create a service class that will take care of Creating
, Fetching
, Updating
, Deleting
, Pausing
and Resuming
jobs:
file:
src/main/java/com/juliuskrah/quartz/service/EmailService.java
Now the REST endpoints:
file:
src/main/java/com/juliuskrah/quartz/web/rest/EmailResource.java
Start the server:
and test the create endpoint http://localhost:8080/api/v1.0/groups/email/jobs
via post using curl
or Postman
with the following JSON payload and content type application/json
:
This will execute every 10 seconds by printing to STDOUT.
Update at http://localhost:8080/api/v1.0/groups/email/jobs/manager
with content type application/json
and
payload:
Setting up Email
Create a configuration file and add the SMTP
details of your mail server which defines the behaviour of the
JavaMailSender
bean. We will inject this bean into the job class:
file:
src/main/resources/application.yaml
One thing we did not talk about, the AdaptableJobFactory
does not do any
dependency
injection. Each (and every)
time the scheduler executes the job, it creates a new instance of the class before calling its execute(..)
method. When the execution is complete, references to the job class instance are dropped, and the instance is then
garbage collected. One of the ramifications of this behavior is the fact that jobs must have a no-argument
constructor (when using the AdaptableJobFactory implementation). Another ramification is that it does not make
sense to have state data-fields defined on the job class - as their values would not be preserved between job
executions.
It is at this point that things get interesting. We will create our own implementation of JobFactory
that
supports dependency injection:
file:
src/main/java/com/juliuskrah/quartz/AutowiringSpringBeanJobFactory.java
Override the AdaptableJobFactory
in the SchedulerFactoryBean
and use AutowiringSpringBeanJobFactory
instead:
file:
src/main/java/com/juliuskrah/quartz/Application.java
Now inject the JavaMailSender
into the job class:
file:
src/main/java/com/juliuskrah/quartz/job/EmailJob.java
That’s all folks.
Conclusion
In this post we learned how to schedule quartz jobs dynamically using RAMJobStore
. In the
next post
we will learn how to persist these jobs into the database using JDBCJobStore
.
You can find the source to this guide in the github repository. Until the next post, keep doing cool things .