Injecting externalized value into Spring annotation

前端 未结 5 926
一个人的身影
一个人的身影 2020-12-29 04:04

I\'ve been thinking around the Java feature that evaluates annotation values in compile-time and it seems to really make difficult externalizing annotation values.

H

相关标签:
5条回答
  • 2020-12-29 04:33

    Thank you both for your answers, you have provided valuable info which led me to this solution, so I upvoted both answers.

    I've opted to make a custom bean post processor and custom @Scheduled annotation.

    The code is simple (essentially it is a trivial adaptation of existing Spring code) and I really wonder why they didn't do it like this from the get go. BeanPostProcessor's code count is effectively doubled since I chose to handle the old annotation and the new one.

    If you have any suggestion on how to improve this code, I'll be glad to hear it out.

    CustomScheduled class (annotation)

    @Target({ElementType.METHOD, ElementType.ANNOTATION_TYPE})
    @Retention(RetentionPolicy.RUNTIME)
    @Documented
    public @interface CustomScheduled {
    
        String cron() default "";
    
        String fixedDelay() default "";
    
        String fixedRate() default "";
    }
    

    CustomScheduledAnnotationBeanPostProcessor class

    public class CustomScheduledAnnotationBeanPostProcessor implements BeanPostProcessor, Ordered, EmbeddedValueResolverAware, ApplicationContextAware, ApplicationListener<ContextRefreshedEvent>, DisposableBean 
    {
        private static final Logger LOG = LoggerFactory.getLogger(CustomScheduledAnnotationBeanPostProcessor.class);
    
        // omitted code is the same as in ScheduledAnnotationBeanPostProcessor......
    
        public Object postProcessBeforeInitialization(Object bean, String beanName) throws BeansException {
            return bean;
        }
    
        // processes both @Scheduled and @CustomScheduled annotations
        public Object postProcessAfterInitialization(final Object bean, String beanName) throws BeansException {
            final Class<?> targetClass = AopUtils.getTargetClass(bean);
            ReflectionUtils.doWithMethods(targetClass, new MethodCallback() {
                public void doWith(Method method) throws IllegalArgumentException, IllegalAccessException {
    
                    Scheduled oldScheduledAnnotation = AnnotationUtils.getAnnotation(method, Scheduled.class);
                    if (oldScheduledAnnotation != null) {
                        LOG.info("@Scheduled found at method {}", method.getName());
                        Assert.isTrue(void.class.equals(method.getReturnType()), "Only void-returning methods may be annotated with @Scheduled.");
                        Assert.isTrue(method.getParameterTypes().length == 0, "Only no-arg methods may be annotated with @Scheduled.");
                        if (AopUtils.isJdkDynamicProxy(bean)) {
                            try {
                                // found a @Scheduled method on the target class for this JDK proxy -> is it
                                // also present on the proxy itself?
                                method = bean.getClass().getMethod(method.getName(), method.getParameterTypes());
                            } catch (SecurityException ex) {
                                ReflectionUtils.handleReflectionException(ex);
                            } catch (NoSuchMethodException ex) {
                                throw new IllegalStateException(String.format(
                                        "@Scheduled method '%s' found on bean target class '%s', " +
                                        "but not found in any interface(s) for bean JDK proxy. Either " +
                                        "pull the method up to an interface or switch to subclass (CGLIB) " +
                                        "proxies by setting proxy-target-class/proxyTargetClass " +
                                        "attribute to 'true'", method.getName(), targetClass.getSimpleName()));
                            }
                        }
                        Runnable runnable = new ScheduledMethodRunnable(bean, method);
                        boolean processedSchedule = false;
                        String errorMessage = "Exactly one of 'cron', 'fixedDelay', or 'fixedRate' is required.";
                        String cron = oldScheduledAnnotation.cron();
                        if (!"".equals(cron)) {
                            processedSchedule = true;
                            if (embeddedValueResolver != null) {
                                cron = embeddedValueResolver.resolveStringValue(cron);
                            }
                            cronTasks.put(runnable, cron);
                        }
                        long fixedDelay = oldScheduledAnnotation.fixedDelay();
                        if (fixedDelay >= 0) {
                            Assert.isTrue(!processedSchedule, errorMessage);
                            processedSchedule = true;
                            fixedDelayTasks.put(runnable, fixedDelay);
                        }
                        long fixedRate = oldScheduledAnnotation.fixedRate();
                        if (fixedRate >= 0) {
                            Assert.isTrue(!processedSchedule, errorMessage);
                            processedSchedule = true;
                            fixedRateTasks.put(runnable, fixedRate);
                        }
                        Assert.isTrue(processedSchedule, errorMessage);
                    }
    
                    CustomScheduled newScheduledAnnotation = AnnotationUtils.getAnnotation(method, CustomScheduled.class);
                    if (newScheduledAnnotation != null) {
                        LOG.info("@CustomScheduled found at method {}", method.getName());
                        Assert.isTrue(void.class.equals(method.getReturnType()), "Only void-returning methods may be annotated with @CustomScheduled.");
                        Assert.isTrue(method.getParameterTypes().length == 0, "Only no-arg methods may be annotated with @CustomScheduled.");
                        if (AopUtils.isJdkDynamicProxy(bean)) {
                            try {
                                // found a @CustomScheduled method on the target class for this JDK proxy -> is it
                                // also present on the proxy itself?
                                method = bean.getClass().getMethod(method.getName(), method.getParameterTypes());
                            } catch (SecurityException ex) {
                                ReflectionUtils.handleReflectionException(ex);
                            } catch (NoSuchMethodException ex) {
                                throw new IllegalStateException(String.format("@CustomScheduled method '%s' found on bean target class '%s', "
                                        + "but not found in any interface(s) for bean JDK proxy. Either "
                                        + "pull the method up to an interface or switch to subclass (CGLIB) "
                                        + "proxies by setting proxy-target-class/proxyTargetClass " + "attribute to 'true'", method.getName(),
                                        targetClass.getSimpleName()));
                            }
                        }
    
                        Runnable runnable = new ScheduledMethodRunnable(bean, method);
                        boolean processedSchedule = false;
                        String errorMessage = "Exactly one of 'cron', 'fixedDelay', or 'fixedRate' is required.";
    
                        boolean numberFormatException = false;
                        String numberFormatErrorMessage = "Delay value is not a number!";
    
                        String cron = newScheduledAnnotation.cron();
                        if (!"".equals(cron)) {
                            processedSchedule = true;
                            if (embeddedValueResolver != null) {
                                cron = embeddedValueResolver.resolveStringValue(cron);
                            }
                            cronTasks.put(runnable, cron);
                            LOG.info("Put cron in tasks map with value {}", cron);
                        }
    
                        // fixedDelay value resolving
                        Long fixedDelay = null;
                        String resolverDelayCandidate = newScheduledAnnotation.fixedDelay();
                        if (!"".equals(resolverDelayCandidate)) {
                            try {
                                if (embeddedValueResolver != null) {
                                    resolverDelayCandidate = embeddedValueResolver.resolveStringValue(resolverDelayCandidate);
                                    fixedDelay = Long.valueOf(resolverDelayCandidate);
                                } else {
                                    fixedDelay = Long.valueOf(newScheduledAnnotation.fixedDelay());
                                }
                            } catch (NumberFormatException e) {
                                numberFormatException = true;
                            }
                        }
    
                        Assert.isTrue(!numberFormatException, numberFormatErrorMessage);
    
                        if (fixedDelay != null && fixedDelay >= 0) {
                            Assert.isTrue(!processedSchedule, errorMessage);
                            processedSchedule = true;
                            fixedDelayTasks.put(runnable, fixedDelay);
                            LOG.info("Put fixedDelay in tasks map with value {}", fixedDelay);
                        }
    
                        // fixedRate value resolving
                        Long fixedRate = null;
                        String resolverRateCandidate = newScheduledAnnotation.fixedRate();
                        if (!"".equals(resolverRateCandidate)) {
                            try {
                                if (embeddedValueResolver != null) {
                                    fixedRate = Long.valueOf(embeddedValueResolver.resolveStringValue(resolverRateCandidate));
                                } else {
                                    fixedRate = Long.valueOf(newScheduledAnnotation.fixedRate());
                                }
                            } catch (NumberFormatException e) {
                                numberFormatException = true;
                            }
                        }
    
                        Assert.isTrue(!numberFormatException, numberFormatErrorMessage);
    
                        if (fixedRate != null && fixedRate >= 0) {
                            Assert.isTrue(!processedSchedule, errorMessage);
                            processedSchedule = true;
                            fixedRateTasks.put(runnable, fixedRate);
                            LOG.info("Put fixedRate in tasks map with value {}", fixedRate);
                        }
                        Assert.isTrue(processedSchedule, errorMessage);
                    }
                }
            });
            return bean;
        }
    }
    

    spring-context.xml config file

    <beans...>
        <!-- Enables the use of a @CustomScheduled annotation-->
        <bean class="org.package.CustomScheduledAnnotationBeanPostProcessor" />
    </beans>
    
    0 讨论(0)
  • 2020-12-29 04:33

    Some spring annotations support SpEL.

    First:

    <context:property-placeholder
        location="file:${external.config.location}/application.properties" />
    

    And then, for example:

    @Value("${delayValue}")
    private int delayValue;
    

    I'm not sure if @Scheduled supports SPeL, though, but in general, that's the approach.

    In regard to scheduling, check this post of mine and this related question

    0 讨论(0)
  • 2020-12-29 04:36

    If you want to make this work with annotation rather than bean configuration xml, you can use the following annotations: @Component, @PropertySource with PropertySourcesPlaceholderConfigurer Bean itself, like this:

    @Component
    @PropertySource({ "classpath:scheduling.properties" })
    public class SomeClass {
    
        @Scheduled(fixedDelay = "${delay}")
        public void someMethod(){
            // perform something
        }
    
        @Bean
        public static PropertySourcesPlaceholderConfigurer placeHolderConfigurer() {
            return new PropertySourcesPlaceholderConfigurer();
        }   
    }
    
    0 讨论(0)
  • 2020-12-29 04:48

    The @Scheduled annotation in Spring v3.2.2 has added String parameters to the original 3 long parameters to handle this. fixedDelayString, fixedRateString and initialDelayString are now available too:

     @Scheduled(fixedDelayString = "${my.delay.property}")
     public void someMethod(){
            // perform something
     }
    
    0 讨论(0)
  • 2020-12-29 04:52

    A better way to do this is to define the scheduling in xml using the task name space

    <context:property-placeholder location="scheduling.properties"/>
    <task:scheduled ref="someBean" method="someMethod" fixed-delay="${delayValue}"/>
    

    If you for some reason want to do it with annotation, you need to create an annotation that has another optional attribute where you can specify the property name or better still a property placeholder expression or Spel expression.

    @MyScheduled(fixedDelayString="${delay}")
    
    0 讨论(0)
提交回复
热议问题