您好,登錄后才能下訂單哦!
本文小編為大家詳細介紹“SpringBoot之注入不了的Spring占位符問題怎么解決”,內容詳細,步驟清晰,細節處理妥當,希望這篇“SpringBoot之注入不了的Spring占位符問題怎么解決”文章能幫助大家解決疑惑,下面跟著小編的思路慢慢深入,一起來學習新知識吧。
spring里的占位符通常表現的形式是:
<bean id="dataSource" destroy-method="close" class="org.apache.commons.dbcp.BasicDataSource"> <property name="url" value="${jdbc.url}"/> </bean>
或者
@Configuration @ImportResource("classpath:/com/acme/properties-config.xml") public class AppConfig { @Value("${jdbc.url}") private String url; }
Spring應用在有時會出現占位符配置沒有注入,原因可能是多樣的。
本文介紹兩種比較復雜的情況。
Spirng在生命周期里關于Bean的處理大概可以分為下面幾步:
加載Bean定義(從xml或者從@Import
等)
處理BeanFactoryPostProcessor
實例化Bean
處理Bean的property注入
處理BeanPostProcessor
當然這只是比較理想的狀態,實際上因為Spring Context在構造時,也需要創建很多內部的Bean,應用在接口實現里也會做自己的各種邏輯,整個流程會非常復雜。
那么占位符(${}表達式)是在什么時候被處理的?
實際上是在org.springframework.context.support.PropertySourcesPlaceholderConfigurer里處理的,它會訪問了每一個bean的BeanDefinition,然后做占位符的處理
PropertySourcesPlaceholderConfigurer實現了BeanFactoryPostProcessor接口
PropertySourcesPlaceholderConfigurer的 order是Ordered.LOWEST_PRECEDENCE,也就是最低優先級的
結合上面的Spring的生命周期,如果Bean的創建和使用在PropertySourcesPlaceholderConfigurer
之前,那么就有可能出現占位符沒有被處理的情況。
首先應用自己在代碼里創建了一個DataSource
,其中${db.user}
是希望從application.properties
里注入的。
代碼在運行時會打印出user
的實際值。
@Configuration public class MyDataSourceConfig { @Bean(name = "dataSource1") public DataSource dataSource1(@Value("${db.user}") String user) { System.err.println("user: " + user); JdbcDataSource ds = new JdbcDataSource(); ds.setURL("jdbc:h3:?/test"); ds.setUser(user); return ds; } }
然后應用用代碼的方式來初始化mybatis相關的配置,依賴上面創建的DataSource
對象
@Configuration public class MybatisConfig1 { @Bean(name = "sqlSessionFactory1") public SqlSessionFactory sqlSessionFactory1(DataSource dataSource1) throws Exception { SqlSessionFactoryBean sqlSessionFactoryBean = new SqlSessionFactoryBean(); org.apache.ibatis.session.Configuration ibatisConfiguration = new org.apache.ibatis.session.Configuration(); sqlSessionFactoryBean.setConfiguration(ibatisConfiguration); sqlSessionFactoryBean.setDataSource(dataSource1); sqlSessionFactoryBean.setTypeAliasesPackage("sample.mybatis.domain"); return sqlSessionFactoryBean.getObject(); } @Bean MapperScannerConfigurer mapperScannerConfigurer(SqlSessionFactory sqlSessionFactory1) { MapperScannerConfigurer mapperScannerConfigurer = new MapperScannerConfigurer(); mapperScannerConfigurer.setSqlSessionFactoryBeanName("sqlSessionFactory1"); mapperScannerConfigurer.setBasePackage("sample.mybatis.mapper"); return mapperScannerConfigurer; } }
當代碼運行時,輸出結果是:
user: ${db.user}
為什么會user
這個變量沒有被注入?
分析下Bean定義,可以發現MapperScannerConfigurer
它實現了BeanDefinitionRegistryPostProcessor
。
這個接口在是Spring掃描Bean定義時會回調的,遠早于BeanFactoryPostProcessor
。
所以原因是:
MapperScannerConfigurer
它實現了BeanDefinitionRegistryPostProcessor
,所以它會Spring的早期會被創建
從bean的依賴關系來看,mapperScannerConfigurer依賴了sqlSessionFactory1,sqlSessionFactory1
依賴了dataSource1MyDataSourceConfig
里的dataSource1
被提前初始化,沒有經過PropertySourcesPlaceholderConfigurer
的處理,所以@Value("${db.user}") String user
里的占位符沒有被處理
要解決這個問題,可以在代碼里,顯式來處理占位符:
environment.resolvePlaceholders("${db.user}")
Spring Boot里提供了@ConditionalOnBean
,這個方便用戶在不同條件下來創建bean。
里面提供了判斷是否存在bean上有某個注解的功能。
@Target({ ElementType.TYPE, ElementType.METHOD }) @Retention(RetentionPolicy.RUNTIME) @Documented @Conditional(OnBeanCondition.class) public @interface ConditionalOnBean { /** * The annotation type decorating a bean that should be checked. The condition matches * when any of the annotations specified is defined on a bean in the * {@link ApplicationContext}. * @return the class-level annotation types to check */ Class<? extends Annotation>[] annotation() default {};
比如用戶自己定義了一個Annotation:
@Target({ ElementType.TYPE }) @Retention(RetentionPolicy.RUNTIME) public @interface MyAnnotation { }
然后用下面的寫法來創建abc這個bean,意思是當用戶顯式使用了@MyAnnotation
(比如放在main class上),才會創建這個bean。
@Configuration public class MyAutoConfiguration { @Bean // if comment this line, it will be fine. @ConditionalOnBean(annotation = { MyAnnotation.class }) public String abc() { return "abc"; } }
這個功能很好,但是在spring boot 1.4.5 版本之前都有問題,會導致FactoryBean提前初始化。
在例子里,通過xml創建了javaVersion
這個bean,想獲取到java的版本號。
這里使用的是spring提供的一個調用static函數創建bean的技巧。
<bean id="sysProps" class="org.springframework.beans.factory.config.MethodInvokingFactoryBean"> <property name="targetClass" value="java.lang.System" /> <property name="targetMethod" value="getProperties" /> </bean> <bean id="javaVersion" class="org.springframework.beans.factory.config.MethodInvokingFactoryBean"> <property name="targetObject" ref="sysProps" /> <property name="targetMethod" value="getProperty" /> <property name="arguments" value="${java.version.key}" /> </bean>
我們在代碼里獲取到這個javaVersion
,然后打印出來:
@SpringBootApplication @ImportResource("classpath:/demo.xml") public class DemoApplication { public static void main(String[] args) { ConfigurableApplicationContext context = SpringApplication.run(DemoApplication.class, args); System.err.println(context.getBean("javaVersion")); } }
在實際運行時,發現javaVersion的值是null。
這個其實是spring boot的鍋,要搞清楚這個問題,先要看@ConditionalOnBean
的實現。
@ConditionalOnBean
實際上是在ConfigurationClassPostProcessor
里被處理的,它實現了BeanDefinitionRegistryPostProcessor
BeanDefinitionRegistryPostProcessor
是在spring早期被處理的
@ConditionalOnBean
的具體處理代碼在org.springframework.boot.autoconfigure.condition.OnBeanCondition
里
OnBeanCondition
在獲取bean
的Annotation
時,調用了beanFactory.getBeanNamesForAnnotation
private String[] getBeanNamesForAnnotation( ConfigurableListableBeanFactory beanFactory, String type, ClassLoader classLoader, boolean considerHierarchy) throws LinkageError { String[] result = NO_BEANS; try { @SuppressWarnings("unchecked") Class<? extends Annotation> typeClass = (Class<? extends Annotation>) ClassUtils .forName(type, classLoader); result = beanFactory.getBeanNamesForAnnotation(typeClass);
beanFactory.getBeanNamesForAnnotation
會導致FactoryBean
提前初始化,創建出javaVersion
里,傳入的${java.version.key}
沒有被處理,值為null。
spring boot 1.4.5 修復了這個問題
用戶在實現spring boot starter時,通常會實現Spring的一些接口,比如BeanFactoryPostProcessor
接口,在處理時,要注意不能調用類似beanFactory.getBeansOfType
,beanFactory.getBeanNamesForAnnotation
這些函數,因為會導致一些bean提前初始化。
而上面有提到PropertySourcesPlaceholderConfigurer
的order是最低優先級的,所以用戶自己實現的BeanFactoryPostProcessor
接口在被回調時很有可能占位符還沒有被處理。
對于用戶自己定義的@ConfigurationProperties
對象的注入,可以用類似下面的代碼:
@ConfigurationProperties(prefix = "spring.my") public class MyProperties { String key; }
public static MyProperties buildMyProperties(ConfigurableEnvironment environment) { MyProperties myProperties = new MyProperties(); if (environment != null) { MutablePropertySources propertySources = environment.getPropertySources(); new RelaxedDataBinder(myProperties, "spring.my").bind(new PropertySourcesPropertyValues(propertySources)); } return myProperties; }
讀到這里,這篇“SpringBoot之注入不了的Spring占位符問題怎么解決”文章已經介紹完畢,想要掌握這篇文章的知識點還需要大家自己動手實踐使用過才能領會,如果想了解更多相關內容的文章,歡迎關注億速云行業資訊頻道。
免責聲明:本站發布的內容(圖片、視頻和文字)以原創、轉載和分享為主,文章觀點不代表本網站立場,如果涉及侵權請聯系站長郵箱:is@yisu.com進行舉報,并提供相關證據,一經查實,將立刻刪除涉嫌侵權內容。