如何在静态方法中使用注入的对象

1:在通常情况下,如果需要在静态方法中使用注入的对象,注入的对象会为null。

 例如:

public Class utils{

@Autowired
public  TenantInfoDao tenantInfoDao;

   public static void test(String id){

     String mac = tenantInfoDao.getMac(id);

}

}

此时会报空指针异常。因为 静态方法属于类,而属性对象属于对象实例。静态方法比实例方法初始化快,所以tenantInfoDao还没实例化就被使用,报空。

2 解决方案:

@Component  //很重要,如果没有将utils类加上该注解,意味着该类没有被Spring管理,而该类如果想要使用@Autowired注入属性,则这些属性全部会为null;通过@Autowired注入一个对象,那么前提是当前你所在的这个类本身需要被Spring管理

public Class utils{

@Autowired
public  TenantInfoDao tenantInfoDao;
private static utils util;
@PostConstruct
public void init(){
    util=this;
    util.tenantInfoDao = this.tenantInfoDao;
}

   public static void test(String id){

   //使用时注意

     String mac = util.tenantInfoDao.getMac(id);

}

}

@PostConstruct在构造函数之后执行,init()方法之前执行。

3 当然,最简单的方法是:直接new 一个TenantInfoDao (),这样可能有点不优雅。这时可以考虑使用单例模式,获取唯一实例TenantInfoDao 。

单例工具类(网上有很多):

 public  Class singleUtil{

   private static  volatile TenantInfoDao tenantInfoDao;

 private singleUtil(){}

public static TenantInfoDao getInstance() {
        if (tenantInfoDao== null) {
            synchronized (singleUtil.class) {
                if (tenantInfoDao== null) {
                    tenantInfoDao= new TenantInfoDao();
                }
            }
        }
        return tenantInfoDao;
    }

 

}

你可能感兴趣的:(Spring)