bean在spring中可以理解为一个对象。理解这个对象需要换一种角度,即可将spring看做一门编程语言,@Bean是spring语言声明对象的标识。
spring启动过程中会自动扫描注解,当遇到能产生Bean的注解(见下方列表)后,会将注解的类自动实例化(自动扫描及实例化只进行一次),之后将这个类的实例放到spring框架的容器中,当需要使用时(自动装配)会从容器中调用这个实例。
调用加了注解的类A且该类A中也有自动装配的bean时,不能使用new A()
的方式,否则A中自动装配的bean都会失效,需要使用@Autowired A a;
才行。
一般为需要的类都添加注解。 能产生Bean的注解有: (这些注解产生的Bean各有不同,可参考文末资料。)
// Class B // 此处用一个任意Bean类(上文的第1个到第5个)注解 @Component public class B { int testValue; }
// Class A // 此处用一个任意Bean类(上文的第1个到第5个)注解 @Component public class A { @Bean public B b(){ B b = new B(); // b的自定义处理代码 b.testValue = 123; return b; } }
// Class C // 此处用一个任意Bean类注解 @Service public class C { public static B b; // 声明为static @Autowired // 自动装配方式1 public void setB(B b) { System.out.println("B自动装配"); TestController.b = b; System.out.println("b.testValue" + b.testValue); // 此处打印结果为 123 TestController.b.testValue = 456; System.out.println("b.testValue" + b.testValue); // 此处打印结果为 456 // 此处,b为经过在A类中@Bean注解的方法b()中初始化处理过的实例 } }
创建应用对象之间协作关系的行为称为装配。也就是说当一个类A的属性中声明了另一个类B的对象,A实例化时,需要为A的属性B进行实例化。这就是装配。 自动转配会自动将对象属性实例化。 在A类中声明属性B时加上注解@Autowired,A实例化时spring会自动从容器中调动B的实例。为了让spring能从容器中调用B的实例,需在B的类声明上有能产生Bean的注解。
自动装配的注解有: (这些注解装配功能各有不同,可参考文末资料。)
@Autowired (通过类装配,一般用这个) @Resource (通过自命名装配) (两者区别见:Spring注解Resource和Autowired区别对比)
@Autowired自动装配有两种方式: 一种是重写set方法,可对对象自定义操作,B中属性testValue可自行初始化,见上方类C中代码。 另一种直接使用@Autowired注解声明,不能对声明对象自定义操作,即B中属性testValue未初始化,方式如下:
// Class A public class A { @Autowired private B b; // 不能声明为static }
// Class B // 此处用一个任意Bean类注解 @Service public class B { int testValue; }
这样,当在某处实例化A时,spring会自动从容器中为A装配对象b,但是b.testValue未初始化。
Java变量的初始化顺序为:静态变量或静态语句块–>实例变量或初始化语句块–>构造方法–>@Autowired
因此建议
private User user; private String school; @Autowired public UserAccountServiceImpl(User user){ this.user = user; this.school = user.getSchool(); }
而不是
@Autowired private EnterpriseDbService service;
因为以下情况会报错:
@Autowired private User user; private String school; public UserAccountServiceImpl(){ this.school = user.getSchool(); }
报错信息可能会像下面:
Exception in thread "main" org.springframework.beans.factory.BeanCreationException: Error creating bean with name '...' defined in file [....class]: Instantiation of bean failed; nested exception is org.springframework.beans.BeanInstantiationException: Failed to instantiate [...]: Constructor threw exception; nested exception is java.lang.NullPointerException
因为Java类会先执行构造方法,然后再给注解了@Autowired 的user注入值,所以在执行构造方法的时候,就会报错。
@Bean是一个方法级别上的注解,主要用在@Configuration注解的类里,也可以用在@Component注解的类里。添加的bean的id为方法名 下面是@Configuration里的一个例子
@Configuration public class AppConfig { @Bean public TransferService transferService() { return new TransferServiceImpl(); } }
这就相当于xml文件里面的配置
<beans> <bean id="transferService" class="com.acme.TransferServiceImpl"/> </beans>
@TestConfiguration作用类似@Configuration,但只是应用于单元测试,在正式部署时,该注解所标注的类会被忽略。
@Bean与@Component
来源:https://cloud.tencent.com/developer/article/1432159