The project I'm working on uses the JAXB reference implementation, i.e. classes are from the com.sun.xml.bind.v2.*
packages.
I have a class 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;
}
}
I want to use a JAXB marshaller to get a JSON representation of a User
object:
@Test
public void serializeObjectToJson() throws JsonProcessingException, JAXBException {
User user = new User("[email protected]", "mySecret");
JAXBContext jaxbContext = JAXBContext.newInstance(User.class);
Marshaller marshaller = jaxbContext.createMarshaller();
StringWriter sw = new StringWriter();
marshaller.marshal(user, sw);
assertEquals( "{\"email\":\"[email protected]\", \"password\":\"mySecret\"}", sw.toString() );
}
The marshalled data is in XML format, not JSON format. How can I instruct the JAXB reference implementation to output JSON?
JAXB reference implementation does not support JSON, you need to add a package like Jackson or 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);
See example 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);
See example here
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With