J'ai lu que je peux créer une implémentation de javax.ws.rs.ext.ExceptionMapper
qui mappera une exception d'application levée à un objet Response
.
J'ai créé un exemple simple qui lève une exception si la longueur du téléphone est supérieure à 20 caractères lors de la persistance de l'objet. Je m'attends à ce que l'exception soit mappée à une réponse HTTP 400 (Bad Request); cependant, je reçois un HTTP 500 (erreur de serveur interne) avec l'exception suivante:
Java.lang.ClassCastException: com.example.exception.InvalidDataException cannot be cast to Java.lang.Error
Qu'est-ce que je rate? Tout conseil est grandement appréciée.
Mappeur d'exceptions:
@Provider
public class InvalidDataMapper implements ExceptionMapper<InvalidDataException> {
@Override
public Response toResponse(InvalidDataException arg0) {
return Response.status(Response.Status.BAD_REQUEST).build();
}
}
Classe d'exception:
public class InvalidDataException extends Exception {
private static final long serialVersionUID = 1L;
public InvalidDataException(String message) {
super(message);
}
...
}
Classe d'entité:
@Entity
@Table(name="PERSON")
@XmlAccessorType(XmlAccessType.FIELD)
@XmlRootElement
public class Person {
@Id @GeneratedValue(strategy = GenerationType.IDENTITY)
@Column(name="ID")
private Long id;
@Column(name="NAME")
private String name;
@Column(name="PHONE")
private String phone;
public Long getId() {
return id;
}
public void setId(Long id) {
this.id = id;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public String getPhone() {
return phone;
}
public void setPhone(String phone) {
this.phone = phone;
}
@PrePersist
public void validate() throws InvalidDataException {
if (phone != null) {
if (phone.length() > 20) {
throw new InvalidDataException("Phone number too long: " + phone);
}
}
}
}
Un service:
@Path("persons/")
@Produces(MediaType.APPLICATION_XML)
@Consumes(MediaType.APPLICATION_XML)
@Stateless
public class PersonResource {
@Context
private UriInfo uriInfo;
@PersistenceContext(name="simple")
private EntityManager em;
@POST
public Response createPerson(JAXBElement<Person> personJaxb) {
Person person = personJaxb.getValue();
em.persist(person);
em.flush();
URI personUri = uriInfo.getAbsolutePathBuilder().
path(person.getId().toString()).build();
return Response.created(personUri).build();
}
}
InvalidDataException est-il encapsulé dans une PersistenceException? Vous pourriez peut-être faire quelque chose comme ceci:
@Provider
public class PersistenceMapper implements ExceptionMapper<PersistenceException> {
@Override
public Response toResponse(PersistenceException arg0) {
if(arg0.getCause() instanceof InvalidDataException) {
return Response.status(Response.Status.BAD_REQUEST).build();
} else {
...
}
}
}