7

我有一个组件扫描配置,如下所示:

   @Configuration
   @ComponentScan(basePackageClasses = {ITest.class},
                  includeFilters = {@ComponentScan.Filter(type = FilterType.ANNOTATION, value = JdbiRepository.class)})
   public class MyConfig {

   }

基本上我想创建带有JdbiRepository注释的扫描界面

@JdbiRepository
public interface ITest {
  Integer deleteUserSession(String id);
}

我想创建我的接口的代理实现。为此,我注册了一个自定义SmartInstantiationAwareBeanPostProcessor,它基本上是创建必要的实例,但上面的配置不扫描具有JdbiRepository注释的接口。

如何通过自定义注释扫描接口?

编辑:

似乎org.springframework.context.annotation.ClassPathScanningCandidateComponentProvider#isCandidateComponent只接受具体的课程。

/**
 * Determine whether the given bean definition qualifies as candidate.
 * <p>The default implementation checks whether the class is concrete
 * (i.e. not abstract and not an interface). Can be overridden in subclasses.
 * @param beanDefinition the bean definition to check
 * @return whether the bean definition qualifies as a candidate component
 */
protected boolean isCandidateComponent(AnnotatedBeanDefinition beanDefinition) {
    return (beanDefinition.getMetadata().isConcrete() && beanDefinition.getMetadata().isIndependent());
}

编辑:

@Target({ElementType.TYPE})
@Retention(RetentionPolicy.RUNTIME)
@Documented
@Component
public @interface JdbiRepository {

   /**
    * The value may indicate a suggestion for a logical component name,
    * to be turned into a Spring bean in case of an autodetected component.
    * @return the suggested component name, if any
    */
   String value() default "";
}
4

3 回答 3

4

创建一个 Dummy 实现对我来说似乎很hack, Cemo提到的所有步骤都需要付出很多努力。但是扩展ClassPathScanningCandidateComponentProvider是最快的方法:

ClassPathScanningCandidateComponentProvider scanningProvider = new ClassPathScanningCandidateComponentProvider(false) {
    @Override
    protected boolean isCandidateComponent(AnnotatedBeanDefinition beanDefinition) {
        return true;
    }
};

现在,您还可以使用 Spring 扫描带有(自定义)注释的接口 -这也适用于 Spring Boot fat jar 环境,其中fast-classpath-scanner (在本问答中提到)可能有一些限制。

于 2017-01-06T11:07:58.197 回答
3

正如我之前所说,组件扫描仅适用于具体类。

为了解决我的问题,我遵循了以下步骤:

  1. 实现了一个自定义org.springframework.context.annotation.ImportBeanDefinitionRegistrar
  2. 创建了一个自定义注释EnableJdbiRepositories,它正在导入我的自定义导入器。
  3. 扩展 ClassPathScanningCandidateComponentProvider 以扫描接口。我的自定义导入器也使用这个类来扫描接口。
于 2013-07-08T08:08:21.380 回答
0

您可以创建一个虚拟实现并相应地对其进行注释,而不是扫描带注释的接口:

@JdbiRepository
public class DummyTest implements ITest {
  public Integer deleteUserSession(String id) {
    // nothing here, just being dummy
  }
}

然后,扫描虚拟实现basePackageClasses = {DummyTest.class}

这是一种解决方法,但非常简单且足以用于测试目的(似乎是here)。

于 2013-07-04T23:56:35.480 回答