目录
之前我们都是通过xml的方式定义bean,里面会写很多bean元素,然后spring启动的时候,就会读取 bean xml配置文件,然后解析这些配置,然后会将这些bean注册到spring容器中,供使用者使用。
jdk1.5里面有了注解的功能,spring也没闲着,觉得注解挺好用的,就将注解加了进来,让我们通过注解的方式来定义bean,用起来能达到xml中定义bean一样的效果,并且更简洁一些,这里面需要用到的注解就有 @Configuration 注解和 @Bean 注解。
@Configration注解
用法
@Configuration这个注解可以加在类上,让这个类的功能等同于一个bean xml配置文件,如下:
@Configuration
public class ConfigBean {
}
上面代码类似于下面的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-4.3.xsd">
</beans>
通过 AnnotationConfigApplicationContext 来加载 @Configuration 修饰的类,如下:
AnnotationConfigApplicationContext context = new AnnotationConfigApplicationContext(ConfigBean.class);
此时ConfigBean类中没有任何内容,相当于一个空的xml配置文件,此时我们要在ConfigBean类中注册 bean,那么我们就要用到@Bean注解了。
总结
@Configuration 使用步骤:
- 在类上使用 @Configuration 注解
- 通过 AnnotationConfigApplicationContext 容器来加载@Configuration注解修饰的类
@Bean注解
用法
这个注解类似于bean xml配置文件中的bean元素,用来在spring容器中注册一个bean。 @Bean注解用在方法上,表示通过方法来定义一个bean,默认将方法名称作为bean名称,将方法返回值作为bean对象,注册到spring容器中。 如:
@Bean
public User user1(){
return new User();
}
@Bean注解还有很多属性,我们来看一下其源码:
@Target({ElementType.METHOD, ElementType.ANNOTATION_TYPE})
@Retention(RetentionPolicy.RUNTIME)
@Documented
public @interface Bean {
@AliasFor("name")
String[] value() default {};
@AliasFor("value")
String[] name() default {};
@Deprecated
Autowire autowire() default Autowire.NO;
boolean autowireCandidate() default true;
String initMethod() default "";
String destroyMethod() default AbstractBeanDefinition.INFER_METHOD;
}
- 第一行的@Target表示@Bean注解只能用在方法或者注解上
- 根据该注解value和name参数能得知,使用的时候这两个参数不能同时使用,且给一个设置值的时候,另一个也拥有了相同的值
- value或者name都是数组类型的,该数组第一个元素表示该Bean对象的名字,之后的数组元素则表示该Bean的别名
- autowire参数上面标注了@Deprecated注解,表示该参数已经过时,不建议使用
- initMethod表示bean的初始化方法,之后详讲
- destroyMethod表示bean的销毁方法,之后详讲