我在我编写的WebService中使用Spring 3 IOC和JAXB / JAX-WS。我现在有一个小问题,数据必须在返回消费者之前进行舍入,因为他们无法处理值的完整精度。
为了尽量减少对WS设计和计算的影响,我选择使用Jaxb XmlAdapter在我的响应编组时对值进行舍入。一切正常。
我现在的问题是我想让它变得灵活。即:在某些情况下,我需要舍入到2个小数位,大约4个等等。现在,我必须创建一个TwoDecimalAdapter和一个FourDecimalAdapter,并在我的模型定义中使用必要的相应位置。这意味着代码重复。
无论如何都要创建一个通用的Rounding Adapter,并将参数传递给它?例如,而不是:
@javax.xml.bind.annotation.adapters.XmlJavaTypeAdapter(value=FourDecimalRoundingAdapter.class,type=java.math.BigDecimal.class)
我希望能够做到这样的事情:
@javax.xml.bind.annotation.adapters.XmlJavaTypeAdapter(value=new RoundingAdapter(4),type=java.math.BigDecimal.class)
显然,这不起作用,因为JAXB实例化了适配器本身,但是我可以使用任何技术将参数传递给适配器吗?我希望能够在Spring中声明舍入适配器并以这种方式使用它,但又一次,我无法设计出可重用的解决方案。
谢谢,
埃里克
答案 0 :(得分:2)
我不确定你是如何用Spring挂钩的,但下面是你可以利用的JAXB机制的描述。
如果您有以下内容:
@javax.xml.bind.annotation.adapters.XmlJavaTypeAdapter(value=RoundingAdapter.class,type=java.math.BigDecimal.class)
然后使用独立的JAXB API,您可以执行以下操作。下面的代码表示只要遇到RoundingAdapter
,就应该使用指定的实例。
marshaller.setAdapter(new RoundingAdapter(4));
unmarshaller.setAdapter(new RoundingAdapter(4));
了解更多信息
答案 1 :(得分:1)
用法
import com.company.BigDecimalAdapter.X$XXXX;
...
@XmlElement(name = "QTY")
@XmlJavaTypeAdapter(X$XXXX.class)
private BigDecimal quantity;
BigDecimalAdapter
import static java.math.RoundingMode.HALF_UP;
import java.math.BigDecimal;
import java.text.DecimalFormat;
import javax.xml.bind.annotation.adapters.XmlAdapter;
public class BigDecimalAdapter extends XmlAdapter<String, BigDecimal> {
public static final class X$XX extends BigDecimalAdapter {
public X$XX() {
super("#.##");
}
}
public static final class X$00 extends BigDecimalAdapter {
public X$00() {
super("#.00");
}
}
public static final class X$XXXX extends BigDecimalAdapter {
public X$XXXX() {
super("#.####");
}
}
private final ThreadLocal<DecimalFormat> format;
public BigDecimalAdapter(String pattern) {
format = ThreadLocal.withInitial(() -> {
DecimalFormat df = new DecimalFormat(pattern);
df.setRoundingMode(HALF_UP);
return df;
});
}
@Override
public String marshal(BigDecimal v) throws Exception {
return format.get().format(v);
}
@Override
public BigDecimal unmarshal(String v) throws Exception {
return new BigDecimal(v);
}
}