1、在非springbean中注入bean
在项目中有时需要根据需要在自己new一个对象,或者在某些util方法或属性中获取Spring Bean对象,从而完成某些工作,但是由于自己new的对象和util方法并不是受Spring所管理的,如果直接在所依赖的属性上使用@Autowired
就会报无法注入的错误,或者是没报错,但是使用的时候会报空指针异常。总而言之由于其是不受IoC容器所管理的,因而无法注入。
Spring提供了两个接口:BeanFactoryAware和ApplicationContextAware,这两个接口都继承自Aware接口。如下是这两个接口的声明:
public class Startup implements ApplicationContextAware, ServletContextAware {
private static Logger logger = Logger.getLogger(Startup.class);
private static ApplicationContext applicationContext = null;
@Override
public void setApplicationContext(ApplicationContext applicationContext) throws BeansException {
logger.info(" service was setApplicationContext");
this.applicationContext = applicationContext;
}
public static <T> T getBean(Class<T> clazz) {
Map<String, T> beans = applicationContext.getBeansOfType(clazz);
return Lists.newArrayList(beans.values()).get(0);
}
public static <T> T getBean(String name) {
return (T) applicationContext.getBean(name);
}
public static ApplicationContext getApplicationContext() {
return applicationContext;
}
}
在非springbean中可以通过静态方法 Startup .getBean()获取bean。
2、注入静态类变量
是第一点问题的延伸,封装一些工具类的时候,而且当前工具类是一个spring的bean,工具类一般都是静态类型的,除了通过第一种方法注入bean外,能不能通过@AutoWire去注入呢,其实这个场景还是有点问题的,居然是工具类没有必要注册成为bean了吧,但是如果非要这么做的话,可以通过@PostConstruct + @AutoWire的方式进行进行注入:
@Component
public class StaticUtils{
@Autowired
private static AaService service;
private static StaticUtils staticUtils;
@PostConstruct
public void init() {
staticUtils= this;
staticUtils.service= this.service; //把类变量赋值到实例变量上
}
}
还有一种办法是通过set方法进行注入:
@Component
public class StaticUtil {
private static AaService service;
@Autowired
public void setService(AaService service) {
StaticUtil.service= service;
}
}