Constructor注入以及示例

我们可以在Spring框架中通过构造函数注入集合值。 constructor-arg 元素内可以使用三个元素。

可以是: List Set Map

每个集合可以具有基于字符串和基于非字符串的值。 在此示例中,我们以"论坛"为例,其中 一个问题可以有多个答案。一共有三页:

Question.java applicationContext.xml Test.java

在此示例中,我们使用的列表可以包含重复的元素,您可以使用仅包含唯一元素的set。但是,您需要更改在applicationContext.xml文件中设置的列表和在Question.java文件中设置的列表。

Question.java

此类包含三个属性,两个构造函数和显示信息的displayInfo()方法。在这里,我们使用列表来包含多个答案。

package com.nhooo;
import java.util.Iterator;
import java.util.List;
public class Question {
private int id;
private String name;
private List<String> answers;
public Question() {}
public Question(int id, String name, List<String> answers) {
    super();
    this.id = id;
    this.name = name;
    this.answers = answers;
}
public void displayInfo(){
    System.out.println(id+" "+name);
    System.out.println("answers are:");
    Iterator<String> itr=answers.iterator();
    while(itr.hasNext()){
        System.out.println(itr.next());
    }
}
}

applicationContext.xml

此处使用builder-arg的list元素定义列表。

<?xml version="1.0" encoding="UTF-8"?>
<beans
    xmlns="http://www.springframework.org/schema/beans"
    xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
    xmlns:p="http://www.springframework.org/schema/p"
    xsi:schemaLocation="http://www.springframework.org/schema/beans
 http://www.springframework.org/schema/beans/spring-beans-3.0.xsd">
<bean id="q" class="com.nhooo.Question">
<constructor-arg value="111"></constructor-arg>
<constructor-arg value="What is java?"></constructor-arg>
<constructor-arg>
<list>
<value>Java is a programming language</value>
<value>Java is a Platform</value>
<value>Java is an Island of Indonasia</value>
</list>
</constructor-arg>
</bean>
</beans>

Test.java

此类从applicationContext.xml文件获取Bean并调用displayInfo方法。

package com.nhooo;
import org.springframework.beans.factory.BeanFactory;
import org.springframework.beans.factory.xml.XmlBeanFactory;
import org.springframework.core.io.ClassPathResource;
import org.springframework.core.io.Resource;
public class Test {
public static void main(String[] args) {
    Resource r=new ClassPathResource("applicationContext.xml");
    BeanFactory factory=new XmlBeanFactory(r);
    
    Question q=(Question)factory.getBean("q");
    q.displayInfo();
    
}
}