@Configuration註解的類:
/**
* @Description 測試用的配置類
* @Author 弟中弟
* @CreateTime 2019/6/18 14:35
*/
@Configuration
public class MyBeanConfig {
@Bean
public Country country(){
return new Country();
}
@Bean
public UserInfo userInfo(){
return new UserInfo(country());
}
}
複製程式碼
@Component註解的類:
/**
* @Description 測試用的配置類
* @Author 弟中弟
* @CreateTime 2019/6/18 14:36
*/
@Component
public class MyBeanConfig {
@Bean
public Country country(){
return new Country();
}
@Bean
public UserInfo userInfo(){
return new UserInfo(country());
}
}
複製程式碼
測試:
@RunWith(SpringRunner.class)
@SpringBootTest
public class DemoTest {
@Autowired
private Country country;
@Autowired
private UserInfo userInfo;
@Test
public void myTest() {
boolean result = userInfo.getCountry() == country;
System.out.println(result ? "同一個country" : "不同的country");
}
}
複製程式碼
如果是@Configuration列印出來的則是同一個country,@Component則是不同的country,這是為什麼呢?
@Target({ElementType.TYPE})
@Retention(RetentionPolicy.RUNTIME)
@Documented
@Component
public @interface Configuration {
@AliasFor(
annotation = Component.class
)
String value() default "";
}
複製程式碼
你點開@Configuration會發現其實他也是被@Component修飾的,因此context:component-scan/ 或者 @ComponentScan都能處理@Configuration註解的類。
@Configuration標記的類必須符合下面的要求:
配置類必須以類的形式提供(不能是工廠方法返回的例項),允許通過生成子類在執行時增強(cglib 動態代理)。
配置類不能是 final 類(沒法動態代理)。
配置註解通常為了通過 @Bean 註解生成 Spring 容器管理的類,
配置類必須是非本地的(即不能在方法中宣告,不能是 private)。
任何巢狀配置類都必須宣告為static。
@Bean 方法可能不會反過來建立進一步的配置類(也就是返回的 bean 如果帶有
@Configuration,也不會被特殊處理,只會作為普通的 bean)。
但是spring容器在啟動時有個專門處理@Configuration的類,會對@Configuration修飾的類cglib動態代理進行增強,這也是@Configuration為什麼需要符合上面的要求中的部分原因,那具體會增強什麼呢? 這裡是個人整理的思路 如果有錯請指點
userInfo()中呼叫了country(),因為是方法那必然country()生成新的new contry(),所以動態代理增加就會對其進行判斷如果userInfo中呼叫的方法還有@Bean修飾,那就會直接呼叫spring容器中的country例項,不再呼叫country(),那必然是一個物件了,因為spring容器中的bean預設是單例。不理解比如xml配置的bean
<bean id="country" class="com.hhh.demo.Country" scope="singleton"/>
複製程式碼
這裡scope預設是單例。
以上是個人理解,詳情原始碼的分析請看https://www.jb51.net/article/153430.htm
但是如果我就想用@Component,那沒有@Component的類沒有動態代理咋辦呢?
/**
* @Description 測試用的配置類
* @Author 弟中弟
* @CreateTime 2019/6/18 14:36
*/
@Component
public class MyBeanConfig {
@Autowired
private Country country;
@Bean
public Country country(){
return new Country();
}
@Bean
public UserInfo userInfo(){
return new UserInfo(country);
}
}
複製程式碼
這樣就保證是同一個Country例項了
如果有錯請大佬們指點 謝謝 0.0