小编典典

在spring如何为带有父级的xml中定义的bean选择构造函数?

java

我正在使用Spring 3.1.0。我试图了解spring读取其xml文件的方式。我试图了解spring如何处理bean定义中的歧义条件。

例如

我有 Alarm.java

package com.anshbansal.alarm2;

public class Alarm {

    private String type;
    private int volume;
    private int hour;

    public Alarm() {
    }

    public Alarm(String type, int volume, int hour) {
        this.type = type;
        this.volume = volume;
        this.hour = hour;
    }

    public Alarm(String type, int volume) {
        this.type = type;
        this.volume = volume;
    }

    public Alarm(int volume, String type) {
        this.type = type;
        this.volume = volume;
    }

    public void setType(String type) {
        this.type = type;
    }

    public void setVolume(int volume) {
        this.volume = volume;
    }

    public void setHour(int hour) {
        this.hour = hour;
    }

    @Override
    public String toString() {
        return "Alarm{" +
                "type='" + type + '\'' +
                ", volume=" + volume +
                ", hour=" + hour +
                '}';
    }
}

我的spring xml文件alarm2.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 id="propertyRandom" abstract="true">
              <constructor-arg value="23" type="int"/>
       </bean>


       <bean id="alarm1" class="com.anshbansal.alarm2.Alarm" parent="propertyRandom">
              <constructor-arg value="10" type="int"/>
              <constructor-arg value="Ringing" />
       </bean>


</beans>

存在歧义,因为尚不清楚哪些int会大量出现,哪些会花费数小时。如果我打印得到以下内容

Alarm{type='Ringing', volume=23, hour=10}

那么spring如何读取xml文件来解析要调用的构造函数?首先是父母,然后是豆?它记录在某处吗?

我知道可以使用诸如指定indexname作为属性之类的方法,但我也应该了解如何处理这种模棱两可的情况。这就是为什么我要问这个。


阅读 228

收藏
2020-11-30

共1个答案

小编典典

从Spring 文档中

构造函数参数解析匹配使用参数的类型进行。如果Bean定义的构造函数参数中不存在潜在的歧义,则在实例化Bean时,在Bean定义中定义构造函数参数的顺序就是将这些参数提供给适当的构造函数的顺序。

我找到以下答案,该答案解释了选择构造函数时的弹簧行为。

如果指定不带索引的构造函数-
arg,则将调用可以满足给定参数的最贪婪的构造函数(按类型匹配参数)。对于java.io.File,这是File(String
parent,String child)构造函数:您的String参数按类型匹配两者,因此算法使用该构造函数。

参考

从父级继承时,构造函数参数将合并(与合并属性集合相同)。在您的情况下,合并子bean构造函数参数后,将

<constructor-arg value="23" type="int"/>
<constructor-arg value="10" type="int"/>
<constructor-arg value="Ringing" />

对于模棱两可的方案,请使用索引或构造函数参数名称。

2020-11-30