14.基于XML管理Bean

基于XML管理Bean

配置Springframework

引入依赖

	
	<dependency>
		<groupId>org.springframeworkgroupId>
		<artifactId>spring-contextartifactId>
		<version>5.3.1version>
	dependency>

创建Spring配置文件

resources目录下新建applicationContext.xml

14.基于XML管理Bean_第1张图片


<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">

beans>

测试Spring

创建Hello.java

package com.atguigu.spring;

public class Hello {
    public void sayHello(){
        System.out.println("Hello,Spring");
    }
}

applicationContext.xml添加语句

	
	<bean id="Hello" class="com.atguigu.spring.Hello">bean>

新建测试类SpringTest.java

    @Test
    public void testHello(){
        //获取对应配置文件中的IOC容器
        ApplicationContext ioc = new ClassPathXmlApplicationContext("applicationContext.xml");
        //获取IOC容器中的Bean
        Hello hello = (Hello) ioc.getBean("Hello");
        hello.sayHello();
    }

实现过程

14.基于XML管理Bean_第2张图片

注意事项

Spring 底层默认通过反射技术调用组件类的无参构造器来创建组件对象,这一点需要注意。如果在需要无参构造器时,没有无参构造器,则会抛出下面的异常:

org.springframework.beans.factory.BeanCreationException: Error creating bean with name ‘Hello’ defined in class path resource [applicationContext.xml]: Instantiation of bean failed; nested exception is org.springframework.beans.BeanInstantiationException: Failed to instantiate [com.atguigu.spring.Hello]: No default constructor found; nested exception is java.lang.NoSuchMethodException: com.atguigu.spring.Hello.()

获取Bean的三种方式

14.基于XML管理Bean_第3张图片

根据id获取

由于 id 属性指定了 bean 的唯一标识,所以根据 bean 标签的 id 属性可以精确获取到一个组件对象,但是根据 id 属性获取到的对象需要进行强转才能使用

        Hello hello = (Hello) ioc.getBean("Hello");

根据类型进行获取

由于大多数情况下唯一的 id 对应唯一的类型,所以可以直接根据类型查找,且方法会自动匹配类型,不需要进行强转

        Hello hello1 = ioc.getBean(Hello.class);

当根据类型获取bean时,要求IOC容器中指定类型的bean有且只能有一个,当IOC容器中一共配置了两个时,IOC容器无法确定唯一的一个时,会报错

    <bean id="Hello" class="com.atguigu.spring.Hello">bean>
    <bean id="Hello1" class="com.atguigu.spring.Hello">bean>
org.springframework.beans.factory.NoUniqueBeanDefinitionException: No qualifying bean of type 'com.atguigu.spring.Hello' available: expected single matching bean but found 2: Hello,Hello1

当一个都没有配置到IOC容器时,会报错

org.springframework.beans.factory.NoSuchBeanDefinitionException: No qualifying bean of type 'com.atguigu.spring.Hello' available

根据id和类型进行获取

        Hello hello2 = ioc.getBean("Hello",Hello.class);

获取实现接口的Bean

创建接口HelloInterface.javaHello.java实现

public interface HelloInterface {
    void sayHello();
}

则可以通过多态来获取实现接口的bean–>向上转型

        //ioc.getBean(Hello.class)的写法相当于指定"id"为"Hello"("Hello"需先挂载在标签)
		HelloInterface hello = ioc.getBean(HelloInterface.class);//查找实现HelloInterface的类

如果一个接口有多个实现类,这些实现类都配置了 bean,则需要通过getBean方法内的名称或者根据id和类型获取唯一的bean

原理

根据类型来获取bean时,在满足bean唯一性的前提下,其实只是看:『对象 instanceof 指定的类型』的返回结果,只要返回的是true就可以认定为和类型匹配,能够获取到

你可能感兴趣的:(SSM,xml,spring,java)