我正在寻找一个
Java库来将我的域对象转换为扁平化的
JSON
例如.
public class Person {
String name
Address homeAddress
}
public class Address {
String street
String zip
}
JSON: {name:'John', homeAddress_street: '123 Street', homeAddress_zip: 'xxxxx'}
我研究过XStream,Eclipse MOXy,FlexJSON,JSON-lib& GSON
我的目标是摆脱我的json包装器类并最小化代码.我希望有一个通用服务,可以采用我拥有的任何域模型类,并获得一个json表示,而无需为每种类型的模型编写xml描述符或任何自定义转换器.对于我的模型,深度为1级深度就足够了.我没有在上面的库中找到使用注释或内置功能的简单通用解决方案,但我可能忽略了它们.是否有非侵入式库可以做到这一点?或者也许是我列出的一个?我正在使用Hibernate,因此库必须能够处理CGLib代理
最佳答案 注意:我是
EclipseLink JAXB (MOXy)领导者,也是
JAXB (JSR-222)专家组的成员.
下面是一个如何通过利用@XmlPath扩展来使用MOXy完成此操作的示例.
人
package forum7652387;
import javax.xml.bind.annotation.*;
import org.eclipse.persistence.oxm.annotations.XmlPath;
@XmlAccessorType(XmlAccessType.FIELD)
public class Person {
String name;
@XmlPath(".")
Address homeAddress;
}
地址
package forum7652387;
import javax.xml.bind.annotation.*;
@XmlAccessorType(XmlAccessType.FIELD)
public class Address {
@XmlElement(name="homeAddress_street")
String street;
@XmlElement(name="homeAddress_zip")
String zip;
}
jaxb.properties
要将MOXy指定为JAXB提供程序,您需要在与域类相同的包中添加名为jaxb.properties的文件,并使用以下条目:
javax.xml.bind.context.factory=org.eclipse.persistence.jaxb.JAXBContextFactory
演示
package forum7652387;
import java.io.StringReader;
import javax.xml.bind.*;
import javax.xml.transform.stream.StreamSource;
public class Demo {
public static void main(String[] args) throws Exception {
JAXBContext jc = JAXBContext.newInstance(Person.class);
Unmarshaller unmarshaller = jc.createUnmarshaller();
unmarshaller.setProperty("eclipselink.media-type", "application/json");
unmarshaller.setProperty("eclipselink.json.include-root", false);
String jsonString = "{\"name\":\"John\", \"homeAddress_street\":\"123 Street\", \"homeAddress_zip\":\"xxxxx\"}";
StreamSource jsonSource = new StreamSource(new StringReader(jsonString));
Person person = unmarshaller.unmarshal(jsonSource, Person.class).getValue();
Marshaller marshaller = jc.createMarshaller();
marshaller.setProperty("eclipselink.media-type", "application/json");
marshaller.setProperty("eclipselink.json.include-root", false);
marshaller.marshal(person, System.out);
}
}
产量
{"name" : "John", "homeAddress_street" : "123 Street", "homeAddress_zip" : "xxxxx"}
欲获得更多信息
> http://blog.bdoughan.com/2011/08/json-binding-with-eclipselink-moxy.html