我有同样的问题时,我正在同春MVC 3和Jackson JSON处理器 ,最近,我遇到了同样的问题与Spring MVC 3和工作JAXB用于XML序列化 。
让我们来探讨这个问题:
问题:
我有以下Java Bean,要使用Spring MVC 3以XML序列化:
package com.loiane.model;import java.util.Date;public class Company {private int id;private String company;private double price;private double change;private double pctChange;private Date lastChange;//getters and setters
我还有另一个对象将包装上面的POJO:
package com.loiane.model;import java.util.List;import javax.xml.bind.annotation.XmlElement;
import javax.xml.bind.annotation.XmlRootElement;@XmlRootElement(name="companies")
public class Companies {@XmlElement(required = true)private List<Company> list;public void setList(List<Company> list) {this.list = list;}
}
在我的Spring控制器中,我将通过@ResponseBody批注返回一个公司列表-这将使用JaxB自动序列化该对象:
@RequestMapping(value="/company/view.action")
public @ResponseBody Companies view() throws Exception {}
当我调用controller方法时,这就是它返回视图的内容:
<companies><list><change>0.02</change><company>3m Co</company><id>1</id><lastChange>2011-09-01T00:00:00-03:00</lastChange><pctChange>0.03</pctChange><price>71.72</price></list><list><change>0.42</change><company>Alcoa Inc</company><id>2</id><lastChange>2011-09-01T00:00:00-03:00</lastChange><pctChange>1.47</pctChange><price>29.01</price></list>
</companies>
注意日期格式。 它不是我希望它返回的格式。 我需要以以下格式序列化日期:“ MM-dd-yyyy ” 解决方案:
我需要创建一个扩展XmlAdapter的类,并重写marshal和unmarshal方法,在这些方法中,我将根据需要格式化日期:
package com.loiane.util;import java.text.SimpleDateFormat;
import java.util.Date;import javax.xml.bind.annotation.adapters.XmlAdapter;public class JaxbDateSerializer extends XmlAdapter<String, Date>{private SimpleDateFormat dateFormat = new SimpleDateFormat("MM-dd-yyyy");@Overridepublic String marshal(Date date) throws Exception {return dateFormat.format(date);}@Overridepublic Date unmarshal(String date) throws Exception {return dateFormat.parse(date);}
}
在我的Java Bean类中,我只需要在date属性的get方法中添加@XmlJavaTypeAdapter批注。
package com.loiane.model;import java.util.Date;import javax.xml.bind.annotation.adapters.XmlJavaTypeAdapter;import com.loiane.util.JaxbDateSerializer;public class Company {private int id;private String company;private double price;private double change;private double pctChange;private Date lastChange;@XmlJavaTypeAdapter(JaxbDateSerializer.class)public Date getLastChange() {return lastChange;}//getters and setters
}
如果我们尝试再次调用controller方法,它将返回以下XML:
<companies><list><change>0.02</change><company>3m Co</company><id>1</id><lastChange>09-01-2011</lastChange><pctChange>0.03</pctChange><price>71.72</price></list><list><change>0.42</change><company>Alcoa Inc</company><id>2</id><lastChange>09-01-2011</lastChange><pctChange>1.47</pctChange><price>29.01</price></list>
</companies>
问题解决了!
编码愉快!
参考:来自Loiane Groner博客博客的JCG合作伙伴 Loiane Groner提供的JAXB自定义绑定– Java.util.Date/Spring 3序列化 。
翻译自: https://www.javacodegeeks.com/2012/06/jaxb-custom-binding-javautildate-spring.html