依赖注入 Inversion of Control-IOC(控制翻转)和依赖注入(dependency injection-DI)在Sping环境下是等同的概念,控制翻转是通过依赖注入实现的。所谓依赖注入指的是容器负责创建对象和维护对象间的依赖关系,而不是通过对象本身负责自己的创建和解决自己的依赖。 依赖注入的主要目的是为了解耦,体现了一种"组合"的理念。如果你希望你的类 具备某项功能的时候,是继承自已个具有此功能的父类好呢?还是组合另外一个 具有这个功能的类好呢?答案是不言而喻的,继承一个父类,子类将与父类耦合,组合另外一个类则使耦合度大大降低。 Spring IoC 容器(ApplicationContext)负责创建Bean,并通过容器将功能类Bean注入到你需要的Bean中,Spring提供使用xml、注解、Java配置、groovy配置实现Bean的创建和注入。 无论是xml配置、注解配置还是java配置,都被称为配置元数据,所谓元数据即描述数据的数据,元数据本身不具备任何可执行的能力,只能通过外面代码来对这些元数据行解析后进行一些有意义操作。Spring容器解析这些配置元数据进行Bean初始化、配置和管理依赖。 声明Bean的注解: @Component 组件,没有明确的角色。 @Service 在业务逻辑层(service层)使用。 @Repository 在数据访问层(dao层)使用。 @Controller 在展现层(MVC->Spring MVC)使用。 @Component、@Service、@Repository和@Controller是等效的,可根据需要选用。 注入Bean的注解,一般情况下通用。 @Autowired: Spring提供的注解 @Resource:JSR-250提供的注解 @Inject:JSR-330提供的注解 @Autowired、@Resource、@Inject可注解在set方法上或者属性上,习惯注解在属性上,优点是代码更少、层次更清晰。 编写功能类的Bean @Service public class FunctionService { public String sayHello(String word){ return "Hello " + word +"!"; } } 使用@Service注解声明当前FunctionService类是Spring管理的一个Bean 其中, 使用@Component、@Service、@Repository和@Controller是等效的,可根据需要选用。 使用功能类的Bean @Service public class UseFunctionService { @Autowired FunctionService functionService ; public String SayHello(String word) { return functionService.sayHello(word); } } 使用@Service注解声明当前UseFunctionService类是Spring管理的一个Bean 使用@Autowired将FunctionService的实体Bean注入到UseFunctionService中,让UseFunctionService 具备FunctionService的功能,此处使用JSP-330的@Inject注解或者JSR-250的@Resource注解是等效的。 配置类 @Configuration @ComponentScan("com.faunjoe_spring.ch1.di") public class DiConfig { } @Configuration声明当前类是一个配置类。 使用@ComponentScan,自动扫描包名下所有使用@Component、@Service、@Repository和@Controller的类,并注册为Bean public class Main { public static void main(String[] args) { AnnotationConfigApplicationContext context = new AnnotationConfigApplicationContext(DiConfig.class); UseFunctionService useFunctionService = context.getBean(UseFunctionService.class); System.out.printIn(useFunctionService.SayHello("di")); context.close(); } } 使用AnnotationConfigApplicationContext作为Spring容器,接受输入一个配置类作为参数: 获得声明配置的UseFunctionService的Bean。
时间: 2024-11-10 08:15:32