36

我想在 Spring 中从基于 XML 的配置切换到基于 Java 的配置。现在我们的应用程序上下文中有这样的东西:

<context:component-scan base-package="foo.bar">
    <context:exclude-filter type="annotation" expression="o.s.s.Service"/>
</context:component-scan>
<context:component-scan base-package="foo.baz" />

但是如果我写这样的东西......

 @ComponentScan(
    basePackages = {"foo.bar", "foo.baz"},
    excludeFilters = @ComponentScan.Filter(
       value= Service.class, 
       type = FilterType.ANNOTATION
    )
 )

...它将从两个包中排除服务。我有一种强烈的感觉,我忽略了一些令人尴尬的微不足道的事情,但我找不到将过滤器的范围限制为foo.bar.

4

1 回答 1

41

您只需为所需的两个注释创建两个Config类。@ComponentScan

因此,例如,您将为您的包提供一个Config类:foo.bar

@Configuration
@ComponentScan(basePackages = {"foo.bar"}, 
    excludeFilters = @ComponentScan.Filter(value = Service.class, type = FilterType.ANNOTATION)
)
public class FooBarConfig {
}

然后是您的包裹的第二Config类:foo.baz

@Configuration
@ComponentScan(basePackages = {"foo.baz"})
public class FooBazConfig {
}

然后在实例化 Spring 上下文时,您将执行以下操作:

new AnnotationConfigApplicationContext(FooBarConfig.class, FooBazConfig.class);

另一种方法是您可以使用@org.springframework.context.annotation.Import第一个类上的注释Config来导入第二个Config类。因此,例如,您可以更改FooBarConfig为:

@Configuration
@ComponentScan(basePackages = {"foo.bar"}, 
    excludeFilters = @ComponentScan.Filter(value = Service.class, type = FilterType.ANNOTATION)
)
@Import(FooBazConfig.class)
public class FooBarConfig {
}

然后,您只需从以下内容开始您的上下文:

new AnnotationConfigApplicationContext(FooBarConfig.class)
于 2013-04-26T14:37:08.883 回答