前言
在上一篇文章中,我们学习了IoC与DI的相关概念与原理,现在让我们 以HelloWorld为例,编写一个程序,让创建对象的工作由Spring帮助我们创建。 一同感受一下Spring框架带给我们开发的便捷性。
文章目录
一、编写Java类
publicclassHelloWorld{privateString name;publicvoidsetName(String name){this.name = name;}publicvoidsayHi(){System.out.println(name +",HelloWorld!");}}
二、传统方式测试
@TestpublicvoidtestSayHi()throwsException{HelloWorld helloWorld =newHelloWorld();
helloWorld.setName("段康家");
helloWorld.sayHi();}
这种做法是以前最常用的做法,HelloWorld这个类的对象是我们程序员自己去创建并为属性赋值,但是要使用Spring,该如何实现同样的功能呢?看4.3以后的章节。
三、导入Spring依赖的包
<dependencies><!-- 导入Spring的jar包--><dependency><groupId>org.springframework</groupId><artifactId>spring-context</artifactId><version>5.2.1.RELEASE</version></dependency><!-- 单元测试框架 --><dependency><groupId>junit</groupId><artifactId>junit</artifactId><version>4.12</version><scope>test</scope></dependency></dependencies>
四、编写Spring主配置文件
说明:主配置文件的名称一般叫beans.xml或在applicationContext.xml
在resources目录下新建beans.xml文件。
<?xml version="1.0" encoding="UTF-8"?><beansxmlns="http://www.springframework.org/schema/beans"xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"xsi:schemaLocation="http://www.springframework.org/schema/beans
https://www.springframework.org/schema/beans/spring-beans.xsd"><!-- 把HelloWorld对象的创建工作交给Spring--><beanid="helloWorld"class="cn.bdqn.HelloWorld"><propertyname="name"value="彭依凝"/></bean></beans>
五、测试Spring
@TestpublicvoidtestSayHi()throwsException{// 1、读取主配置文件信息,获取核心容器对象ApplicationContext ac =newClassPathXmlApplicationContext("beans.xml");// 2、从容器中根据id获取对象(bean)HelloWorld helloWorld =(HelloWorld) ac.getBean("helloWorld");// 3、调用bean的方法
helloWorld.sayHi();}
六、案例细节
6.1、ApplicationContext的三个常用实现类
- ClassPathXmlApplicationContext该类可以加载类路径下的配置文件,要求配置文件必须在类路径下。不在的话,加载不了。
- FileSystemXmlApplicationContext它可以加载磁盘任意路径下的配置文件。
- AnnotationConfigApplicationContext它是用于读取注解创建容器的
6.2、BeanFactory和ApplicationContext的区别
6.2.1、BeanFactory
是Spring里面最底层的接口,提供了最简单的容器的功能,只提供了实例化对象和拿对象的功能。
BeanFactory在启动的时候不会去实例化Bean,只有从容器中拿Bean的时候才会去实例化。延迟加载
publicclassUserServiceImpl{publicUserServiceImpl(){System.out.println("对象的构造方法执行了");}}
<beanid="userService"class="cn.bdqn.UserServiceImpl"/>
@TestpublicvoidtestUserServiceImpl()throwsException{// 加载配置文件创建容器并不会导致bean的立即初始化Resource resource =newClassPathResource("beans.xml");BeanFactory bf =newXmlBeanFactory(resource);// 只有再去真正要使用的某个bean的时候才会初始化UserServiceImpl userService =(UserServiceImpl) bf.getBean("userService");System.out.println(userService);}
6.2.2、ApplicationContext
应用上下文,该接口其实是BeanFactory的子接口,提供了更多的有用的功能:
- 国际化
- 轻松的能够与Spring的AOP集成
- 消息发布
ApplicationContext在启动的时候就把所有的Bean全部实例化了。
版权归原作者 陈橘又青 所有, 如有侵权,请联系我们删除。