SpringBoot 拦截器自动注入为 Null 解决办法和具体原因分析
前言
最近在使用springboot
拦截器的过程当中,发现无法注入service
,提示NPE
错误
内容
问题复现
springboot
拦截器注册方式:
@Configuration
public class MyWebMvcConfigurer implements WebMvcConfigurer {
@Override
public void addInterceptors(InterceptorRegistry registry) {
registry.addInterceptor(new SessionInterceptor()).excludePathPatterns("/static/**").addPathPatterns("/**");
}
}
拦截器代码:
public class SessionInterceptor implements HandlerInterceptor {
@Autowired
private IUserService userService;
@Override
public boolean preHandle(HttpServletRequest httpServletRequest, HttpServletResponse httpServletResponse, Object o) throws Exception {
return true;
}
@Override
public void postHandle(HttpServletRequest httpServletRequest, HttpServletResponse httpServletResponse, Object o, ModelAndView modelAndView) throws Exception {
HttpSession session = httpServletRequest.getSession();
String username = (String)session.getAttribute("userName");
//获取请求信息的用户名获取对应的用户信息
SysUser userInfo =userService.getUserInfoByUserName(username).get(0);
}
项目运行,发起请求,进入拦截器,直接报错NPE
,userService
为null
。
解决方式:
- 方式一:使用
WebApplicationContext
上下文对象来手动注入 - 方式二:通过
@bean
注解注入拦截器到spring
当中,同时给拦截器加上@compent
注解
@Configuration
public class MyWebMvcConfigurer implements WebMvcConfigurer {
@Bean
public SessionInterceptor getSessionInterceptor(){
return new SessionInterceptor();
}
@Override
public void addInterceptors(InterceptorRegistry registry) {
registry.addInterceptor(getSessionInterceptor()).excludePathPatterns("/static/**").addPathPatterns("/**");
}
}
问题原因(划重点)
在网上找了很多资料,看到不少文章说注入为null
的原因是:
造成
null
的原因是因为拦截器加载是在springcontext
创建之前完成的,所以在拦截器中注入实体自然就为null
。
当看到这个答案的时候,我是有疑惑的,因为在拦截器当中是可以注入bean
的。带着疑惑,找了很多资料:比如springboot
的加载顺序,拦截器等等,也问了很多人,最终得到了一个我个人比较认可的答案:
注入为
null
的时候,是通过new
的方式创建的拦截器,通过new
出来的实例是没有交给spring
进行管理的,没有被spring
管理的实例,spring
是无法自动注入bean
的,所以为null
后记
之前也有很多项目被这个问题困扰过,至此算是解决了一直以来的疑惑,留个记录,以备后用。