repositoryrestresource - ¿Cómo hacer referencia a una entidad con herencia en Spring Data REST cuando se envía una nueva entidad?
spring data rest custom controller (3)
Debería poder solucionar esto configurando @JsonTypeInfo (use = JsonTypeInfo.Id.NONE) en el nivel de propiedad / método, por ejemplo
Prueba con esto:
@ManyToOne // same error with @OneToOne
@JoinColumn(name = "supporter_id", referencedColumnName = "id", nullable = false)
@JsonTypeInfo(use= JsonTypeInfo.Id.NONE)
public SupporterEntity getSupporter() {
return supporter;
}
Tengo entidades con herencia unida:
Seguidor
@Entity
@Inheritance(strategy=InheritanceType.JOINED)
@JsonTypeInfo(use = JsonTypeInfo.Id.NAME, include = JsonTypeInfo.As.PROPERTY, property = "supporterType")
@JsonSubTypes({
@JsonSubTypes.Type(value = PersonSupporterEntity.class, name = "PERSON"),
@JsonSubTypes.Type(value = CompanySupporterEntity.class, name = "COMPANY")
})
@DiscriminatorColumn(name="supporter_type")
@Table(name = "supporter")
public class SupporterEntity extends UpdatableEntity {
private long id;
private SupporterType supporterType;
private PartnerEntity partner;
...
}
PersonSupporter
@Entity
@DiscriminatorValue("PERSON")
@Table(name = "person_supporter")
public class PersonSupporterEntity extends SupporterEntity {
...
}
CompanySupporter
@Entity
@DiscriminatorValue("COMPANY")
@Table(name = "company_supporter")
public class CompanySupporterEntity extends SupporterEntity {
...
}
Tengo otra entidad que hace referencia a SupporterEntity
@Entity
@Table(name = "contact")
public class ContactEntity extends UpdatableEntity {
private long id;
private SupporterEntity supporter;
...
@ManyToOne // same error with @OneToOne
@JoinColumn(name = "supporter_id", referencedColumnName = "id", nullable = false)
public SupporterEntity getSupporter() {
return supporter;
}
...
}
Repositorios
@Transactional
@RepositoryRestResource(collectionResourceRel = "supporters", path = "supporters")
public interface SupporterEntityRepository extends JpaRepository<SupporterEntity, Long> {
@Transactional(readOnly = true)
@RestResource(path = "by-partner", rel = "by-partner")
public Page<SupporterEntity> findByPartnerName(@Param("name") String name, Pageable pageable);
}
@Transactional
@RepositoryRestResource(collectionResourceRel = "person_supporters", path = "person_supporters")
public interface PersonSupporterEntityRepository extends JpaRepository<PersonSupporterEntity, Long> {
}
@Transactional
@RepositoryRestResource(collectionResourceRel = "company_supporters", path = "company_supporters")
public interface CompanySupporterEntityRepository extends JpaRepository<CompanySupporterEntity, Long> {
}
@Transactional
@RepositoryRestResource(collectionResourceRel = "contacts", path = "contacts")
public interface ContactEntityRepository extends JpaRepository<ContactEntity, Long> {
@Transactional(readOnly = true)
@RestResource(path = "by-supporter", rel = "by-supporter")
public ContactEntity findBySupporterId(@Param("id") Long id);
}
Uso Spring Boot, Spring Data REST, Spring Data JPA, Hibernate, Jackson. Cuando trato de crear un nuevo ContactEntity con una solicitud posterior como esta:
{
"supporter":"/supporters/52",
"postcode":"1111",
"city":"Test City 1",
"address":"Test Address 1",
"email":"[email protected]",
"newsletter":true
}
Obtengo esta excepción:
Caused by: com.fasterxml.jackson.databind.JsonMappingException: Unexpected token (VALUE_STRING), expected FIELD_NAME: missing property ''supporterType'' that is to contain type id (for class com.facer.domain.supporter.SupporterEntity)
at [Source: HttpInputOverHTTP@4321c221; line: 1, column: 2] (through reference chain: com.facer.domain.supporter.ContactEntity["supporter"])
at com.fasterxml.jackson.databind.JsonMappingException.from(JsonMappingException.java:148) ~[jackson-databind-2.4.4.jar:2.4.4]
Después de 2 días de depuración encontré la manera, pero lo adiviné. Entonces si lo publico así:
{
"supporter":{
"supporterType":"PERSON",
"id":"52"
},
"postcode":"1111",
"city":"Test City 1",
"address":"Test Address 1",
"email":"[email protected]",
"newsletter":true
}
Funciona, pero no sé por qué. ¿Qué pasa con la otra solicitud? Funciona de esa manera en cualquier otro lugar cuando la entidad a la que se hace referencia no tiene herencia.
Otra solución más utilizando un RelProvider
:
- No use
@JsonTypeInfo
Crear un
RelProvider
para lasRelProvider
SupporterEntity
@Component @Order(Ordered.HIGHEST_PRECEDENCE) public class SupporterEntityRelProvider implements RelProvider { @Override public String getCollectionResourceRelFor(final Class<?> type) { return "supporters"; } @Override public String getItemResourceRelFor(final Class<?> type) { return "supporter"; } @Override public boolean supports(final Class<?> delimiter) { return org.apache.commons.lang3.ClassUtils.isAssignable(delimiter, SupporterEntity.class); } }
Ver también:
Parece un problema de Jackson. Para ser específico, es el siguiente código en com.fasterxml.jackson.databind.deser.SettableBeanProperty
:
if (_valueTypeDeserializer != null) {
return _valueDeserializer.deserializeWithType(jp, ctxt, _valueTypeDeserializer);
}
return _valueDeserializer.deserialize(jp, ctxt);
Sin herencia se _valueDeserializer.deserialize
, que a su vez ejecuta un código Spring para convertir el URI a Supporter
.
Con la herencia se llama a _valueDeserializer.deserializeWithType
y vainilla Jackson, por supuesto, espera un objeto, no un URI.
Si el supporter
fuera anulable, primero podría POST
/contacts
y luego PUT
el URI del simpatizante en /contacts/xx/supporter
. Lamentablemente, no conozco ninguna otra solución.