深入理解 Spring IoC 与 DI:控制反转与依赖注入解析
控制反转(Inversion of Control, IoC)和依赖注入(Dependency Injection, DI)是Spring框架的核心概念。
控制反转(IoC)
控制反转是一种软件设计模式,用来减少代码之间的耦合。在传统的程序设计中,高层模块直接依赖低层模块的实现,形成紧密耦合。IoC模式通过容器来管理对象的生命周期和依赖关系,实现了松耦合。
依赖注入(DI)
依赖注入是实现IoC的一种方法,用来将依赖关系注入到对象中。在Spring框架中,依赖注入通常有如下几种方式:构造器注入、setter方法注入和接口注入。
Spring中的IoC容器
Spring提供了两种IoC容器:Bean Factory和Application Context。BeanFactory是最简单的容器,Application Context提供了更多的功能,例如国际化支持、事件传播等。
示例代码
// 定义一个服务接口
public interface MyService {
void execute();
}
// 实现服务接口的类
public class MyServiceImpl implements MyService {
public void execute() {
System.out.println("Service executed.");
}
}
// Spring配置文件(XML方式)
<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="myService" class="com.example.MyServiceImpl"/>
</beans>
// 使用Spring容器获取Bean
public class MainApp {
public static void main(String[] args) {
ApplicationContext context = new ClassPathXmlApplicationContext("applicationContext.xml");
MyService myService = context.getBean("myService", MyService.class);
myService.execute();
}
}
在这个例子中,我们定义了一个服务接口MyService
和它的实现类MyServiceImpl
。然后,在Spring的配置文件中声明了一个Bean。最后,在MainApp
类的main
方法中,我们通过Spring容器获取了myService
Bean并调用了它的execute
方法。这个过程展示了如何将依赖注入到对象中,实现了控制反转。
评论已关闭