我正在编写Spring LDAP应用程序,我必须为ContextSource设置身份验证策略。我想在我的bean XML文件中执行此操作。 JavaDoc for ContextSource表示它有一个名为
的setter方法setAuthenticationStrategy(
DirContextAuthenticationStrategy authenticationStrategy
)
要从我的beans文件调用此setter,以下XML是否足够?
<bean id="authStrategy"
class="org.springframework...DefaultTlsDirContextAuthenticationStrategy">
...
</bean>
<bean id="contextSource"
class="org.springframework.ldap.core.support.LdapContextSource">
<property name="url" ... />
<property name="base" ... />
...
<property name="authenticationStrategy" ref="authStrategy" />
</bean>
也就是说,究竟是什么决定了方法setAuthenticationStrategy
的调用?我的房产名称是authenticationStrategy
吗? Spring会自动将属性名称转换为适当的setter方法吗?
答案 0 :(得分:5)
实际上,您误解了JavaBean上下文中“属性”一词的含义。
JavaBeans标准(Spring紧随其后)将Bean属性定义为具有遵循特定命名约定的Getter方法和/或Setter方法的东西:
对于属性'Bar foo',getter Bar getFoo()
(或布尔属性的isFoo()
)或者setter setFoo(Bar)
必须存在(或两者都有),但是没有必须是一个名为“foo”的字段。按照惯例,通常会有一个与属性同名的字段,但这绝不是必需的。
E.g。以下类(符合JavaBeans标准)具有Integer类型的bean属性“foo”,尽管底层字段名为iAmNotFoo
且类型为String。
public class Dummy {
private String iAmNotFoo;
public Integer getFoo() {
return Integer.valueOf(this.iAmNotFoo);
}
public void setFoo(final Integer foo) {
this.iAmNotFoo = foo.toString();
}
}
我们可以使用以下代码测试此假设:
public static void main(final String[] args) throws Exception {
for (final PropertyDescriptor descriptor :
Introspector
.getBeanInfo(Dummy.class, Object.class)
.getPropertyDescriptors()) {
System.out.println(
"Property: "
+ descriptor.getName()
+ ", type: "
+ descriptor.getPropertyType()
);
}
for (final Field field : Dummy.class.getDeclaredFields()) {
System.out.println(
"Field: "
+ field.getName()
+ ", type: "
+ field.getType());
}
}
<强>输出:强>
属性:foo,类型:class java.lang.Integer
字段:iAmNotFoo,类型:类java.lang.String
正如我上面所说,Spring使用这种确切的机制来设置属性。所以当你配置像这样的bean
<bean class="Dummy">
<property name="foo" value="123" />
</bean>
“foo”指的是bean属性“foo”,因此指向setter setFoo()
这使得构造如下所示:
public class Dummy2 {
private List<String> foos;
public void setFoos(List<String> foos) {
this.foos = foos;
}
public void setFoo(String foo){
this.foos = Collections.singletonList(foo);
}
}
您可以按如下方式连接
<bean class="Dummy2">
<!-- either set a single value -->
<property name="foo" value="123" />
<!-- or a list of values -->
<property name="foos">
<util:list>
<value>Abc</value>
<value>Xyz</value>
<value>123</value>
<value>789</value>
</util:list>
</property>
</bean>
如您所见,setter方法与Spring相关,而不是实际字段。
因此,在JavaBeans中说:Field!= Property,尽管在大多数情况下,存在与属性相同类型和名称的字段。
答案 1 :(得分:2)
您的怀疑是正确的:Spring将属性名称转换为setter方法。
您用作参数的bean的类型为DefaultTlsDirContextAuthenticationStrategy
,并且该方法接受类型为DirContextAuthenticationStrategy
的对象,因此DefaultTlsDirContextAuthenticationStrategy
必须是{{1}的实现者的子类}}