我正在处理的项目使用JAXB reference implementation,即类来自com.sun.xml.bind.v2.*
个包。
我有一个班级User
:
package com.example;
import javax.xml.bind.annotation.XmlRootElement;
@XmlRootElement(name = "user")
public class User {
private String email;
private String password;
public User() {
}
public User(String email, String password) {
this.email = email;
this.password = password;
}
public String getEmail() {
return email;
}
public void setEmail(String email) {
this.email = email;
}
public String getPassword() {
return password;
}
public void setPassword(String password) {
this.password = password;
}
}
我想使用JAXB marshaller来获取User
对象的JSON表示:
@Test
public void serializeObjectToJson() throws JsonProcessingException, JAXBException {
User user = new User("user@example.com", "mySecret");
JAXBContext jaxbContext = JAXBContext.newInstance(User.class);
Marshaller marshaller = jaxbContext.createMarshaller();
StringWriter sw = new StringWriter();
marshaller.marshal(user, sw);
assertEquals( "{\"email\":\"user@example.com\", \"password\":\"mySecret\"}", sw.toString() );
}
编组数据采用XML格式,而不是JSON格式。 如何指示 JAXB参考实现输出JSON?
答案 0 :(得分:9)
JAXB参考实现不支持JSON,您需要添加Jackson或Moxy
等软件包 //import org.eclipse.persistence.jaxb.JAXBContextProperties;
Map<String, Object> properties = new HashMap<String, Object>(2);
properties.put(JAXBContextProperties.MEDIA_TYPE, "application/json");
properties.put(JAXBContextProperties.JSON_INCLUDE_ROOT, false);
JAXBContext jc = JAXBContext.newInstance(new Class[] {User.class}, properties);
Marshaller marshaller = jc.createMarshaller();
marshaller.setProperty(Marshaller.JAXB_FORMATTED_OUTPUT, true);
marshaller.marshal(user, System.out);
参见示例here
//import org.codehaus.jackson.map.AnnotationIntrospector;
//import org.codehaus.jackson.map.ObjectMapper;
//import org.codehaus.jackson.xc.JaxbAnnotationIntrospector;
ObjectMapper mapper = new ObjectMapper();
AnnotationIntrospector introspector = new JaxbAnnotationIntrospector(mapper.getTypeFactory());
mapper.setAnnotationIntrospector(introspector);
String result = mapper.writeValueAsString(user);
参见示例here