仅当该值不为null时才设置属性
当使用Spring时,只有在传递的值不为null时才可以设置属性?
例:
<bean name="myBean" class="some.Type">
<property name="abc" value="${some.param}"/>
</bean>
我正在寻找的行为是:
some.Type myBean = new some.Type();
if (${some.param} != null) myBean.setAbc(${some.param});
我需要这个的原因是因为abc
有一个默认值,我不想用null
覆盖它。 而且我创建的Bean不在我的源代码控制之下 - 所以我无法改变它的行为。 (另外,为此目的的abc
可能是一个原语,所以我无法将它设置为null。
编辑:
根据答案,我认为我的问题需要澄清。
我有bean,我需要实例化并传递给我使用的第三方。 这个bean有很多不同类型的属性(当前有12个)( int
, boolean
, String
等)
每个属性都有一个默认值 - 我不知道它是什么,并且宁愿不需要知道它,除非它成为一个问题。 我在寻找的是一个来自Spring的能力的通用解决方案 - 目前我唯一的解决方案是基于反射的。
组态
<bean id="myBean" class="some.TypeWrapper">
<property name="properties">
<map>
<entry key="abc" value="${some.value}"/>
<entry key="xyz" value="${some.other.value}"/>
...
</map>
</property>
</bean>
码
public class TypeWrapper
{
private Type innerBean;
public TypeWrapper()
{
this.innerBean = new Type();
}
public void setProperties(Map<String,String> properties)
{
if (properties != null)
{
for (Entry<String, Object> entry : properties.entrySet())
{
String propertyName = entry.getKey();
Object propertyValue = entry.getValue();
setValue(propertyName, propertyValue);
}
}
}
private void setValue(String propertyName, Object propertyValue)
{
if (propertyValue != null)
{
Method method = getSetter(propertyName);
Object value = convertToValue(propertyValue, method.getParameterTypes()[0]);
method.invoke(innerBean, value);
}
}
private Method getSetter(String propertyName)
{
// Assume a valid bean, add a "set" at the beginning and toUpper the 1st character.
// Scan the list of methods for a method with the same name, assume it is a "valid setter" (i.e. single argument)
...
}
private Object convertToValue(String valueAsString, Class type)
{
// Check the type for all supported types and convert accordingly
if (type.equals(Integer.TYPE))
{
...
}
else if (type.equals(Integer.TYPE))
{
...
}
...
}
}
真正的“困难”在于为所有可能的值类型实现convertToValue
。 我在我的生活中不止一次地这样做过 - 因此,对于我需要的所有可能的类型(主要是原始类型和几个枚举类型)实现它并不是一个大问题 - 但我希望有一个更智能的解决方案。
您可以一起使用SpEL
和占位符以及占位符机制的默认值,如下所示:
<bean name="myBean" class="some.Type">
<property name="abc" value="${some.param:#{null}}"/>
</bean>
为了解决你的问题,你必须使用SEL(Spring表达式语言)。 通过此功能(添加到SPring 3.0中),您可以像编写您的条件的其他动态语言一样。 对于你的情况,答案是:
<bean name="myBean" class="some.Type">
<property name="abc" value="#(if(${some.param} != null) ${some.param})"/>
</bean>
有关更多信息,请参阅(本教程说明在上下文文件中使用SEL的方式):http://static.springsource.org/spring/docs/3.0.5.RELEASE/reference/expressions.html
您可以在Spring框架的属性configurer中使用默认值概念,如下所示:
<bean name="myBean" class="some.Type">
<property name="abc" value="${some.param : your-default-value}"/>
</bean>
您可以通过此方法设置默认值。 通过这种背景下配置IF some.param
键存在,所以它的价值在设置abc
属性,如果不存在your-default-value
的设置abc
属性。
注意:这个许可的另一个好处是:“在POJO编程模型中,更好的approzh是类的成员没有任何默认值,并且从课外注入默认值。”
链接地址: http://www.djcxy.com/p/76165.html