1缘由
在做SSO项目时整合了shiro,在写一个拦截器的时候(继承AccessControlFilter)在这里需要注入一个Bean.按正常的写法如下
@Autowired
private RedisUtil<Object, Object> redisUtil;
这是我的一个操作redis的工具类。
这样自动去注入当使用的时候是未NULL,是注入不进去了。通俗的来讲是因为拦截器在spring扫描bean之前加载所以注入不进去。
2解决方法
可以通过已经初始化之后applicationContext容器中去获取需要的bean.
public <T> T getBean(Class<T> clazz,HttpServletRequest request){
WebApplicationContext applicationContext = WebApplicationContextUtils.getRequiredWebApplicationContext(request.getServletContext());
return applicationContext.getBean(clazz);
}
可以直接调用此方法得到想要的Bean
RedisUtil<String,Object> redisUtil = getBean(RedisUtil.class, request);
这样就可以直接使用了。
3注意*****
如果有其他配置类中有new 一个对象出来,这个对象是不会被springboot管理的,不管你在其他地方用什么方法去交给spring管理创建对象,怎么都会注入为null,所以怎么注入都为null时注意检查手动new的地方 !!!
错误示例:
SocketChannelInterceptor 这个对象是不会被spring管理的。
@Override
public void configureClientInboundChannel(ChannelRegistration registration) {
registration.interceptors( new SocketChannelInterceptor());
}
@Override
public void configureClientOutboundChannel(ChannelRegistration registration) {
registration.interceptors( new SocketChannelInterceptor());
}
正确示例:
@Bean
public SocketChannelInterceptor getSocketChannelInterceptor(){
return new SocketChannelInterceptor();
}
@Override
public void configureClientInboundChannel(ChannelRegistration registration) {
registration.interceptors( getSocketChannelInterceptor());
}
@Override
public void configureClientOutboundChannel(ChannelRegistration registration) {
registration.interceptors( getSocketChannelInterceptor());
}