简介
首先这两个注解是springboot提供的,不是spring框架;所有其生效规则是springboot里定义的一套规则,总结生效条件如下:
从字面理解即管理配置类被解析和实例化先后顺序。
条件
1、这两个注解在配置类上(即被@Configuration标注的类),且是springboot自动装配的类(即在spring.factories文件里配置的类)
2、这个配置类不能被应用的 @ComponentScan 扫描到,否则会失效
例子
mybatis分页插件pagehelper自动装配类就是一个很好的例子:
@Configuration
@ConditionalOnBean(SqlSessionFactory.class)
@EnableConfigurationProperties(PageHelperProperties.class)
@AutoConfigureAfter(MybatisAutoConfiguration.class)
public class PageHelperAutoConfiguration {
@Autowired
private List<SqlSessionFactory> sqlSessionFactoryList;
@Autowired
private PageHelperProperties properties;
/**
* 接受分页插件额外的属性
*
* @return
*/
@Bean
@ConfigurationProperties(prefix = PageHelperProperties.PAGEHELPER_PREFIX)
public Properties pageHelperProperties() {
return new Properties();
}
@PostConstruct
public void addPageInterceptor() {
PageInterceptor interceptor = new PageInterceptor();
Properties properties = new Properties();
//先把一般方式配置的属性放进去
properties.putAll(pageHelperProperties());
//在把特殊配置放进去,由于close-conn 利用上面方式时,属性名就是 close-conn 而不是 closeConn,所以需要额外的一步
properties.putAll(this.properties.getProperties());
interceptor.setProperties(properties);
for (SqlSessionFactory sqlSessionFactory : sqlSessionFactoryList) {
// @A
sqlSessionFactory.getConfiguration().addInterceptor(interceptor);
}
}
}
@A:把PageInterceptor放到插件链的最后,那么这个插件就会被最先执行
扩展
如果想让自己的mybatis插件在 PageInterceptor 前面执行,可以参照这个配置类依葫芦画瓢写一个自己的配置类即可(切记不能让@ComponentScan 扫描到),即上面的@A代码。
示例代码:
@Configuration
@AutoConfigureAfter(PageHelperAutoConfiguration.class)
public class ExecutorPluginConfig {
@Resource
private List<SqlSessionFactory> sqlSessionFactoryList;
@Resource
private DefaultListableBeanFactory defaultListableBeanFactory;
/**
* ExecutorPlugin 只能添加在 PageInterceptor 后面
*/
@PostConstruct
public void afterPropertiesSet() {
// 添加 ExecutorPluginWrap 插件
for (SqlSessionFactory sqlSessionFactory : sqlSessionFactoryList) {
org.apache.ibatis.session.Configuration configuration = sqlSessionFactory.getConfiguration();
//加入自己的连接器,那么这个拦拦截器就会在分页插件之前执行了
configuration.addInterceptor(new ExecutorPluginWrap());
}
}
}
over~~