spring常用注解 @Component 大家都不陌生,用来注解一些公共的服务类。
在springboot 中,@Configuration 进入了大家的视界,此时你有没有一个小小的疑问 “这俩到底有什么具体区别”,本文一个示例完美给出答案。

代码类:

import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;

/**
 * @Configuration 和 @Component 的区别
 * 
 * @author 单红宇
 *
 */
@Configuration
//@Component
public class TestConfigure {

	@Bean
	public Student student() {
		Student stu = new Student();
		stu.setId("1");
		stu.setName("Tom");
		stu.setSex("男");
		return stu;
	}

	@Bean
	public Teacher teacher() {
		Teacher tea = new Teacher();
		tea.setId("1");
		tea.setName("Lily");
		tea.setPosition("主任");
		tea.setStu(student());
		return tea;
	}

	/**
	 * 示例执行入口,参数会被自动注入
	 * 
	 * @param student
	 * @param teacher
	 * @return
	 */
	@Bean
	public Object test(Student student, Teacher teacher) {
		System.out.println("对象相等与否:" + teacher.getStu().equals(student));
		return new Object();
	}
}

Student.java

public class Student {

	private String id;
	private String name;
	private String sex;

    // 省略 getter setter

}

Teacher.java

public class Teacher {

	private String id;
	private String name;
	private String position;
	private Student stu;

    // 省略 getter setter

}

pom.xml 中 springboot 版本号 2.2.4.RELEASE jdk版本号 1.8


这个代码,使用 @Configuration 输出的结果是 true(相等),而使用 @Component 输出的结果是 false(不相等)
PS:因为 test() 方法被 @Bean 注解,所以直接启动项目就会被 spring 加载执行输出结果,不需要编写其他的类执行。


结论:
1、使用 @Configuration 时,会为该类生成CGLIB代理对象的子类Class,并对方法拦截,第二次调用student()方法时直接从BeanFactory之中获取对象,所以得到的是同一个对象。
2、而 @Component 则不会生成 CGLIB 代理Class,所以多次调用方法 student() 就会生成多个不同的对象。
3、如果你可以改变写法,比如将 Student 对象通过注入的方式或者放到 teacher 方法作为参数自动注入而不是直接调用方法,也可以避免多次 new 对象的问题。在细节上能注意使用的话,两者都可以使用。但是既然是配置类,还是建议使用 @Configuration ,毕竟顾名思义嘛。


(END)