<bean> 元素的scope 属性里设置 Bean 的作用域.
默认情况下, Spring 只为每个在IOC 容器里声明的 Bean 创建唯一一个实例, 整个 IOC 容器范围内都能共享该实例:所有后续的 getBean() 调用和 Bean 引用都将返回这个唯一的 Bean 实例.该作用域被称为 singleton, 它是所有 Bean 的默认作用域.
Main
package com.spring.beans.scope;
import org.springframework.context.ApplicationContext;
import org.springframework.context.support.ClassPathXmlApplicationContext;
import com.spring.beans.autowire.Car;
public class Main {
public static void main(String[] args) {
ApplicationContext ac = new ClassPathXmlApplicationContext("beans-scope.xml");
Car c1 = (Car)ac.getBean("car");
Car c2 = (Car)ac.getBean("car");
System.out.println(c1==c2);
}
}
/*
Car's constructor
Car's constructor
false
*/
beans-scope.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的scope属性配置bean的作用域
sington:默认值,容器初始化时创建bean,在整个容器的声明周期内只创建这一个bean,单例。
prototype:原型的,容器初始化时不创建bean的实例,而在每次请求时创建一个新的bean实例,并返回。
-->
<bean id="car" class="com.spring.beans.autowire.Car" scope="prototype">
<property name="brand" value="Audi"></property>
<property name="price" value="222333"></property>
</bean>
</beans>