在上一个多例的案例中Class.forName(beanPath).newInstance();
newInstance(),每次都会调用默认的构造函数创建对象
对象创建之后长时间不用会被垃圾回收机制回收,下次再用的时候就会调用默认的空构造函数进行重新创建对象,这样就变成了多例(多个对象)
所以我们创建之后要把对象存储起来。
先把对象创建出来,并存储到一个map中。
当启动服务器应用加载的时候,让一个类中的方法通过读取配置文件,把这些对象创建出来并存起来。在接下来使用的时候,直接拿过来用就好了。
bean.properties文件内容
accountService=com.company.service.impl.AccountServiceImpl
accountDao=com.company.dao.impl.AccountDaoImpl
Bean工厂类
- /**
- * Bean对象实例化工厂
- * 1.读取配置文件
- * 2.获取类的全限定类名,利用反射实例化对象
- */
- public class BeanFactory {
-
- //定义一个Properties对象
- private static Properties props;
- //定义一个map用于存储我们要创建的对象,我们把它称之为容器
- private static Map
beans; - static {
- try {
- //实例化Properties对象
- props=new Properties();
- //获取properties文件的流对象
- InputStream inputStream = BeanFactory.class.getClassLoader().getResourceAsStream("bean.properties");
- props.load(inputStream);
- //实例化容器
- beans=new HashMap
(); - //取出配置文件中的所有key
- Enumeration
- //遍历枚举
- while(keys.hasMoreElements()){
- //取出每一个key
- String key = keys.nextElement().toString();
- System.out.println("key:" + key);
- //根据key获取value,即类的全限定类名
- String beanPath = props.getProperty(key);
- //反射创建对象
- Object bean = Class.forName(beanPath).newInstance();
- //将实例化的对象存入容器中
- beans.put(key,bean);
- }
- } catch (Exception e) {
- e.printStackTrace();
- }
- }
-
- /**
- * 单例模式获取对象
- */
- public static Object getBean(String beanName){
- //传入key值从map容器中直接获取对象
- return beans.get(beanName);
- }
-
- }
在main函数中写一个for循环的测试方法,每一次循环模拟一个线程访问可以发现改造后的代码变成了单例。
测试方法:
- public class WebClient {
- public static void main(String[] args) {
- for (int i = 0; i <5 ; i++) {
- IAccountService accountService =(IAccountService) BeanFactory.getBean("accountService");
- System.out.println(accountService);
- //accountService.save();
- }
- }
- }
测试结果发现获取bean对象是同一个bean
升级后的代码可以看到spring容器的缩影。spring本质就是一个容器,它替我们把需要实例化的对象都提前准备好了(大致流程是:读取配置文件,实例化对象,存储到容器中)。我们需要的时候直接向spring容器要就可以了。而且spring很强大,当我们需要某个对象的时候,spring可以自动帮我们对象赋值给变量(依赖注入,后面会学到)
spring默认是单例模式。(容器中只有一个同名对象)