前言
最近也是开始学习了Spring的一些底层,学习的最好方法就是自己实现,所以也是跟着视频自己手写一个模拟spring,其中对一些知识也是会总结和讲解自己的理解。
1、ApplicationContext和AppConfig
我们首先需要模拟的是spring的自动扫描机制,我们来想一下,当spring容器启动,自动扫描的时候,首先是肯定不能缺少启动类的,也就是我们的ApplicationContext,所以我们先创建一个ApplicationContext。
回想一下,我们之前手动去配置spring.xml的时候,是要通过启动配置ApplicationContext将配置文件进行读取,所以我们先要写一个spring的配置类 AppConfig ,当然,我们这里并不进行一些复杂的配置。
@ComponentScan("com.zal.service")
public class AppConfig {
}
然后将这个AppConfig注入到我们的启动类ZalApplicationContext中,实现基本的配置读取。
public class ZalApplicationContext {
private Class configClass;
public ZalApplicationContext(Class configClass) {
this.configClass = configClass;
}
}
2、@Component和@ComponentScan注解
我们知道,Spring的扫描是通过类上是否加上了注解@Component 来进行判断的,而@ComponentScan 注解则是配置扫描包的路径的,所以我们要实现一下这两个注解。
@Retention(RetentionPolicy.RUNTIME)
@Target(ElementType.TYPE)
public @interface Component {
String value() default "";
}
@Retention(RetentionPolicy.RUNTIME)
@Target(ElementType.TYPE)
public @interface ComponentScan {
String value() default "";
}
3、UserService和Test
拥有了Spring启动类以及相关扫描的注解之后,我们需要一个被扫描的服务以及对应的测试方法,所以我们这里自定义一个UserService ,给这个类加上相应的注解后进行扫描逻逻辑的编写。
@Component("userService")
public class UserService {
}
public class Test {
public static void main(String[] args) {
ZalApplicationContext applicationContext = new ZalApplicationContext(AppConfig.class);
applicationContext.getBean("userService");
}
}
最后是ZalApplicationContext 进行扫描的逻辑实现,如下代码
public class ZalApplicationContext {
private Class configClass;
public ZalApplicationContext(Class configClass) {
this.configClass = configClass;
if (configClass.isAnnotationPresent(ComponentScan.class)) {
ComponentScan componentScanAnnotation = (ComponentScan) configClass.getAnnotation(ComponentScan.class);
String path = componentScanAnnotation.value();
path = path.replace(".", "/");
ClassLoader classLoader = ZalApplicationContext.class.getClassLoader();
URL resource = classLoader.getResource(path);
File file = new File(resource.getFile());
if (file.isDirectory()) {
File[] files = file.listFiles();
for (File f : files) {
String fileName = f.getAbsolutePath();
if (fileName.endsWith(".class")) {
String className = fileName
.substring(fileName.indexOf("com"), fileName.indexOf(".class"))
.replace("\\", ".");
try {
Class<?> clazz = classLoader.loadClass(className);
if (clazz.isAnnotationPresent(Component.class)) {
}
} catch (ClassNotFoundException | InstantiationException | IllegalAccessException e) {
e.printStackTrace();
}
}
}
}
}
}
}
以上实现只是一个简单的模拟spring底层扫描的逻辑代码,表示spring扫描的一个简单的逻辑,并不是真正的spring底层扫描实现,只是为了更好的让我们去了解底层实现的一个思想。
|