spingboot使用@Resource注入静态变量报空指针的问题解决
一、业务场景
在实现doorls7动态调用java静态方法的过程中,java静态方法需要依赖被容器管理的类,就像这样:
@Component
public class RuleFunctions {
@Resource
private static RuleEntityItemInfoBiz ruleEntityItemInfoBiz;
public static double calculateCurrentMonthIncomeTax(String fileId, String salaryMonth, String taxPlanId){
//此处省略方法实现逻辑
}
}
如果直接这样去调用calculateCurrentMonthIncomeTax方法,那么控制台一定会报java.lang.IllegalStateException: @Resource annotation is not supported on static fields异常。
注意:这里并不是spring未注入依赖,而是被static方法初始化时给清空了。
二、原理剖析
静态变量、类变量,并不是对象的属性,而是一个类的属性;所以静态方法是属于整个类(class)的,普通方法才是属于实体对象(也就是New出来的对象)的,spring注入是在容器中实例化对象,所以不能使用静态方法。
而使用静态变量、类变量扩大了静态方法的使用范围。在静态方法中注入依赖在spring框架中是不推荐使用的,依赖注入的主要目的,是让容器去产生一个对象的实例,然后在整个生命周期中使用他们,同时也让测试工作更加容易。
一旦你使用静态方法,就不再需要去产生这个类的实例,这会让测试变得更加困难,同时你也不能为一个给定的类,依靠注入方式去产生多个具有不同的依赖环境的实例,这种static field是隐含共享的,并且是一种global全局状态,spring同样不推荐这样去做。
三、解决方法
1、将@Autowire加到构造方法上
@Component
public class RuleFunctions {
@Resource
private static RuleEntityItemInfoBiz ruleEntityItemInfoBiz;
@Autowired
public RuleFunctions(RuleEntityItemInfoBiz ruleEntityItemInfoBiz) {
RuleFunctions.ruleEntityItemInfoBiz = ruleEntityItemInfoBiz;
}
public static double calculateCurrentMonthIncomeTax(String fileId, String salaryMonth, String taxPlanId){
//此处省略方法实现逻辑
}
}
2.使用set注入的方式
@Component
public class RuleFunctions {
@Resource
private static RuleEntityItemInfoBiz ruleEntityItemInfoBiz;
@Autowired
public void setRuleEntityItemInfoBiz(RuleEntityItemInfoBiz ruleEntityItemInfoBiz) {
RuleFunctions.ruleEntityItemInfoBiz = ruleEntityItemInfoBiz;
}
public static double calculateCurrentMonthIncomeTax(String fileId, String salaryMonth, String taxPlanId){
//此处省略方法实现逻辑
}
}
3.用@PostConstruct注解
@Component
public class RuleFunctions {
@Resource
private RuleEntityItemInfoBiz ruleEntityItemInfoBiz;
private static RuleEntityItemInfoBiz staticRuleEntityItemInfoBiz;
/**
*注释用于在完成依赖注入以后执行任何初始化之后需要执行的方法。必须在类投入使用之前调用此方法。
*/
@PostConstruct
public void beforeInit() {
staticRuleEntityItemInfoBiz = ruleEntityItemInfoBiz;
}
public static double calculateCurrentMonthIncomeTax(String fileId, String salaryMonth, String taxPlanId){
//此处省略方法实现逻辑
}
}
四:@PostConstruct注解的说明
@PostConstruct该注解是javax.annotation包下的,被用来修饰一个非静态的void()方法。被@PostConstruct修饰的方法会在服务器加载Servlet的时候运行,并且只会被服务器执行一次。PostConstruct在构造函数之后执行,init()方法之前执行。
@PostConstruct注释规则:除了拦截器这个特殊情况以外,其他情况都不允许有参数,否则spring框架会报IllegalStateException;而且返回值要是void,但实际也可以有返回值,至少不会报错,只会忽略
通常我们会是在Spring框架中使用到@PostConstruct注解 该注解的方法在整个Bean初始化中的执行顺序:
Constructor(构造方法) -> @Autowired(依赖注入) -> @PostConstruct(注释的方法)
转载于:https://www.cnblogs.com/chenfeng1122/p/6270217.html