有没有办法将@Scheduled
石英作为基础调度程序?
我可以想到两件事,但都需要做一些工作:
BeanPostProcessor
将解析@Scheduled
注解并注册石英作业的自定义TaskScheduler
委托石英的工具Scheduler
。问题是:以上两个选项是否已经编写过,是否还有另一个选项?
我最终制作了自己的弹簧石英“桥”。我打算建议将其作为春季的改进。
首先,我创建了一个新注释,该注释将放置在实现quartz Job接口的类上:
@Retention(RetentionPolicy.RUNTIME)
@Target(ElementType.TYPE)
@Component
@Scope("prototype")
public @interface ScheduledJob {
String cronExpression() default "";
long fixedRate() default -1;
boolean durable() default false;
boolean shouldRecover() default true;
String name() default "";
String group() default "";
}
(请注意原型作用域-石英假定每个作业执行都是一个新实例。我不是石英专家,所以我符合那个期望。如果发现多余,则可以简单地删除@Scope注释)
然后,我定义了一个ApplicationListener,每当刷新(或启动)上下文时,都将查找所有带有@ScheduledJob注释的类,并将它们注册在石英调度程序中:
/**
* This class listeners to ContextStartedEvent, and when the context is started
* gets all bean definitions, looks for the @ScheduledJob annotation,
* and registers quartz jobs based on that.
*
* Note that a new instance of the quartz job class is created on each execution,
* so the bean has to be of "prototype" scope. Therefore an applicationListener is used
* rather than a bean postprocessor (unlike singleton beans, prototype beans don't get
* created on application startup)
*
* @author bozho
*
*/
public class QuartzScheduledJobRegistrar implements
EmbeddedValueResolverAware, ApplicationContextAware,
ApplicationListener<ContextRefreshedEvent> {
private Scheduler scheduler;
private StringValueResolver embeddedValueResolver;
private Map<JobListener, String> jobListeners;
private ApplicationContext applicationContext;
public void setEmbeddedValueResolver(StringValueResolver resolver) {
this.embeddedValueResolver = resolver;
}
public void setApplicationContext(ApplicationContext applicationContext) {
this.applicationContext = applicationContext;
}
@SuppressWarnings("unchecked")
@Override
public void onApplicationEvent(ContextRefreshedEvent event) {
if (event.getApplicationContext() == this.applicationContext) {
try {
scheduler.clear();
for (Map.Entry<JobListener, String> entry : jobListeners.entrySet()) {
scheduler.getListenerManager().addJobListener(entry.getKey(), NameMatcher.nameStartsWith(entry.getValue()));
}
} catch (SchedulerException ex) {
throw new IllegalStateException(ex);
}
DefaultListableBeanFactory factory = (DefaultListableBeanFactory) applicationContext.getAutowireCapableBeanFactory();
String[] definitionNames = factory.getBeanDefinitionNames();
for (String definitionName : definitionNames) {
BeanDefinition definition = factory.getBeanDefinition(definitionName);
try {
if (definition.getBeanClassName() != null) {
Class<?> beanClass = Class.forName(definition.getBeanClassName());
registerJob(beanClass);
}
} catch (ClassNotFoundException e) {
throw new IllegalArgumentException(e);
}
}
}
}
public void registerJob(Class<?> targetClass) {
ScheduledJob annotation = targetClass.getAnnotation(ScheduledJob.class);
if (annotation != null) {
Assert.isTrue(Job.class.isAssignableFrom(targetClass),
"Only classes implementing the quartz Job interface can be annotated with @ScheduledJob");
@SuppressWarnings("unchecked") // checked on the previous line
Class<? extends Job> jobClass = (Class<? extends Job>) targetClass;
JobDetail jobDetail = JobBuilder.newJob()
.ofType(jobClass)
.withIdentity(
annotation.name().isEmpty() ? targetClass.getSimpleName() : annotation.name(),
annotation.group().isEmpty() ? targetClass.getPackage().getName() : annotation.group())
.storeDurably(annotation.durable())
.requestRecovery(annotation.shouldRecover())
.build();
TriggerBuilder<Trigger> triggerBuilder = TriggerBuilder.newTrigger()
.withIdentity(jobDetail.getKey().getName() + "_trigger", jobDetail.getKey().getGroup() + "_triggers")
.startNow();
String cronExpression = annotation.cronExpression();
long fixedRate = annotation.fixedRate();
if (!BooleanUtils.xor(new boolean[] {!cronExpression.isEmpty(), fixedRate >=0})) {
throw new IllegalStateException("Exactly one of 'cronExpression', 'fixedRate' is required. Offending class " + targetClass.getName());
}
if (!cronExpression.isEmpty()) {
if (embeddedValueResolver != null) {
cronExpression = embeddedValueResolver.resolveStringValue(cronExpression);
}
try {
triggerBuilder.withSchedule(CronScheduleBuilder.cronSchedule(cronExpression));
} catch (ParseException e) {
throw new IllegalArgumentException(e);
}
}
if (fixedRate >= 0) {
triggerBuilder.withSchedule(
SimpleScheduleBuilder.simpleSchedule()
.withIntervalInMilliseconds(fixedRate)
.repeatForever())
.withIdentity(jobDetail.getKey().getName() + "_trigger", jobDetail.getKey().getGroup() + "_triggers");
}
try {
scheduler.scheduleJob(jobDetail, triggerBuilder.build());
} catch (SchedulerException e) {
throw new IllegalStateException(e);
}
}
}
public void setScheduler(Scheduler scheduler) {
this.scheduler = scheduler;
}
public void setJobListeners(Map<JobListener, String> jobListeners) {
this.jobListeners = jobListeners;
}
}
然后,我需要一个自定义的JobFactory来插入石英,以便通过spring上下文创建作业:
public class QuartzSpringBeanJobFactory extends SpringBeanJobFactory implements ApplicationContextAware {
private SchedulerContext schedulerContext;
private ApplicationContext ctx;
@Override
protected Object createJobInstance(TriggerFiredBundle bundle) throws Exception {
Job job = ctx.getBean(bundle.getJobDetail().getJobClass());
BeanWrapper bw = PropertyAccessorFactory.forBeanPropertyAccess(job);
MutablePropertyValues pvs = new MutablePropertyValues();
pvs.addPropertyValues(bundle.getJobDetail().getJobDataMap());
pvs.addPropertyValues(bundle.getTrigger().getJobDataMap());
if (this.schedulerContext != null) {
pvs.addPropertyValues(this.schedulerContext);
}
bw.setPropertyValues(pvs, true);
return job;
}
public void setSchedulerContext(SchedulerContext schedulerContext) {
this.schedulerContext = schedulerContext;
super.setSchedulerContext(schedulerContext);
}
@Override
public void setApplicationContext(ApplicationContext applicationContext)
throws BeansException {
this.ctx = applicationContext;
}
}
最后,xml配置:
<bean id="quartzScheduler" class="org.springframework.scheduling.quartz.SchedulerFactoryBean">
<property name="jobFactory">
<bean class="com.foo.bar.scheduling.QuartzSpringBeanJobFactory" />
</property>
</bean>
<bean id="scheduledJobRegistrar" class="com.foo.bar.scheduling.QuartzScheduledJobRegistrar">
<property name="scheduler" ref="quartzScheduler" />
<property name="jobListeners">
<map>
<entry value=""> <!-- empty string = match all jobs -->
<key><bean class="com.foo.bar.scheduling.FailuresJobListener"/></key>
</entry>
</map>
</property>
</bean>
谢谢你的帮助!
所以我有一个技术挑战我需要帮助。 一个大型项目正在使用Quartz调度程序调度一个作业,使其在每晚9点运行。 然而,调度的作业需要从属性文件中读取值,使用自动布线获取一些bean等。 当我使用@autowired和@value注释时,我发现这些值为空。 问题是Quartz在spring容器外部使用创建JobDetail对象。可以在下面的代码中看到。 因此,包装的对象无法使用Spring访问属性文件
问题内容: 刚刚发现了Guava库项目。 这些与GWT兼容吗? 问题答案: 从该页面的介绍性PDF中, 您可以在…上使用这些库。 在JDK 6上 在Android上, 我们认为。需要志愿者来帮助我们进行测试。 在Google App Engine上, 我们认为。需要志愿者来帮助我们进行测试。 在GWT上-参差不齐! 由于GWT的JDK库支持 可能参差不齐,也许是2/3,所以到目前为止,这些库中的东
问题内容: Spring提供了使用注释按特定间隔计划和执行任务的可能性,例如 @Scheduled 有一种方便的方法来对该行为进行单元测试吗? 当然,我可以自己调用bean的方法,但是我想确保不会因配置错误等而遇到诸如多次执行之类的问题。 其他框架提供了自己快进时间的可能性。Activiti就是一个例子,你可以在其中致电 加快框架使用的时间。 春天有什么可比的吗? 本质上,我想做的是在单元测试(使
我正在使用一个属性PlaceholderConfigrer在Spring调度注释配置中获取java属性 当没有定义覆盖属性值时,有没有办法指定默认值? Spring 3支持${my.property: defaultValue}语法,但注释上不允许,我试图传递变量,但也不允许,注释属性Scheduled.cron的值必须是常量表达式