如何在运行时基于没有XML的Spring属性注入不同的服务
我正在使用Spring Boot for Java独立应用程序。我有一个使用服务的豆子。我想在运行时注入该服务的不同实现,基于Spring属性文件中的属性(就此而言为4)。
这听起来像工厂模式,但Spring还允许使用注释来解决问题,就像这样。
@Autowired @Qualifier("selectorProperty") private MyService myService;
然后在bean.xml文件中我有一个别名,这样我就可以在@Qualifier中使用该属性。
<alias name="${selector.property}" alias="selectorProperty" />
在我不同的实现中,我会有不同的限定符。
@Component("Selector1")
public class MyServiceImpl1
@Component("Selector2")
public class MyServiceImpl2
应用程序.属性
selector.property = Selector1
selector.property = Selector2
而关于工厂模式,在Spring中,您可以使用ServiceLocatorFactoryBean来创建一个可以为您提供相同功能的工厂。
<bean
class="org.springframework.beans.factory.config.ServiceLocatorFactoryBean"
id="myServiceFactory">
<property
name="serviceLocatorInterface"
value="my.company.MyServiceFactory">
</property>
</bean>
public interface MyServiceFactory
{
MyService getMyService(String selector);
}
然后,在你的bean中,你可以使用这样的东西在运行时获得正确的实现,这取决于属性的值。
@Value("${selector.property}") private String selectorProperty;
@Autowired private MyServiceFactory myServiceFactory;
private MyService myService;
@PostConstruct
public void postConstruct()
{
this.myService = myServiceFactory.getMyService(selectorProperty);
}
但是这个解决方案的问题在于,我找不到一种方法来避免使用 XML 来定义工厂,并且我只想使用注释。
所以问题是,有没有办法只使用注释来使用ServiceLocatorFactoryBean(或等效的东西),或者如果我不想在XML中定义bean,我是否被迫使用@Autowired @Qualifier方式?或者有没有其他方法可以在运行时基于Spring 4避免XML的属性注入不同的服务?如果您的答案只是使用带有别名的,请给出一个原因,为什么这比使用众所周知的工厂模式更好。@Autowired @Qualifier
使用额外的XML迫使我在我的启动器类中使用,我也宁愿不使用。@ImportResource("classpath:beans.xml")
谢谢。