1 问题, spring容器维护的bean是什么
-
1 spring容器中维护的bean是什么,是实例对像么
-
2 所有通过@Service注解引入的bean都是同一个对象?
-
3 如果不同,那容器中维护了多少了bean的实例
解答:
-
1 这些bean可以理解为模板(beanDefinition), 用@Autowired时,可以理解为spring帮我们new 了一个对象实例
或者通过 applicatonContext.get(“beanName”) 手动获取实例 -
2 不一定,这里涉及到bean的作用域(scope):主要有两种 : singleton, prototype.
singleton: 创建容器时,就把bean创建好,全局只有一个实例
prototype: 每次applicatonContext.get(“beanName”)请求实例时,都会重新创建一个新的实例对象 -
3 看配置,singleton效率更高 ,但空间开销更大
2 代码验证
-
singleton(默认值): 只有一个实例
-
prototype: 每次获取时,返回一个新的实例
3 部分代码
- applcation.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.xsd">
<!-- bean definitions here -->
<bean id="myBean" class="spring.bean.MyBean"></bean>
</beans>
- Applicaton.class
package spring.bean;
import org.springframework.context.support.ClassPathXmlApplicationContext;
import org.springframework.util.Assert;
public class Application {
public static void main(String[] args) {
ClassPathXmlApplicationContext applicationContext
= new ClassPathXmlApplicationContext("application.xml");
MyBean myBean = (MyBean) applicationContext.getBean("myBean");
MyBean myBean2 = (MyBean) applicationContext.getBean("myBean");
System.out.println(myBean);
System.out.println(myBean2);
Assert.isTrue(myBean == myBean2,"should be the same");
}
}