环境准备
- Spring源码5.X版本
- Gradle(与Spring版本内置的Gradle一致即可)
- IDEA
- JDK8
在Spring的源码工程中写一个Hello,World
1. 新建一个Module,选择Gradle->Java,命名为spring-demo
2. 根据自己的包定义好interface和impl,输出"Hello,World"
3. 在resources目录下新建一个package->spring,然后创建一个spring-config.xml
<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://www.springframework.org/schema/beans
http://www.springframework.org/schema/beans/spring-beans.xsd">
<bean id="helloService" class="com.xjm.service.impl.HelloServiceImpl">
</bean>
</beans>
4.在build.gradle中导入spring-context模块
dependencies {
compile(project(":spring-context"))
testCompile group: 'junit', name: 'junit', version: '4.12'
}
5. 编写解析xml的类
public class FirstDemo {
public static void main(String[] args) {
String xmlPath = "D:\\Spring\\spring-framework-5.1.x\\spring-demo\\src\\main\\resources\\spring\\spring-config.xml";
ApplicationContext applicationContext = new FileSystemXmlApplicationContext(xmlPath);
HelloService helloService = ((HelloService) applicationContext.getBean("helloService"));
String hello = helloService.hello();
System.out.println(hello);
}
}
基于注解的ComponentScan
xml是很多人早期使用Spring进行管理Bean的方式,但是随着工程日益增大,加上编写xml确实是让人觉得繁琐,Spring提供了基于注解去管理Bean的方式,下面让我们来看看,如何读取被注解标记的类。
HelloServiceImpl
@Service
public class HelloServiceImpl implements HelloService {
@Override
public String hello() {
return "Hello,Spring Framework!";
}
}
AnnotationContextDemo
AnnotationConfigApplicationContext :注解配置类的应用上下文,传入给定的配置类,Spring即可基于basePackages
开启扫描bean,实现装配并且自动刷新上下文。
从打印的beanDefinitionNames可以看到,Spring扫描出了被@Service
、@Configuration
标记的实现类
@Configuration
@ComponentScan(value = "com.xjm")
public class AnnotationContextDemo {
public static void main(String[] args) {
ApplicationContext applicationContext = new AnnotationConfigApplicationContext(AnnotationContextDemo.class);
HelloService helloService = applicationContext.getBean(HelloServiceImpl.class);
String hello = helloService.hello();
System.out.println(hello);
String[] beanDefinitionNames = applicationContext.getBeanDefinitionNames();
Arrays.stream(beanDefinitionNames).forEach(System.out::println);
}
}
result
image.png总结
- Spring可以使用xml和注解的方式管理Bean,xml是集中式的思想,注解是分布式标记的思想,两者之间没有谁更好的说法,看使用习惯。原理是基于文件路径加载class文件进行反射然后存到一个容器类中。(这部分细节可以继续关注我的博客,本文旨在入门Spring)。
- ApplicationContext是一个在BeanFactory上扩展的接口,
FileSystemXmlApplicationContext
和AnnotationConfigApplicationContext
都是ApplicationContext的实现类。
- 通过
getBean()
可以从ApplicationContext中获取你想要获取的Bean,命名规则为首字母小写的驼峰规则,当然,也可以通过传入class获取Bean。
网友评论