我正在使用 Hibernate 和 RESTeasy,我尽量避免这些实体的循环,因为我在 Artiste 和 Oeuvre 实体之间有 OneToMany (ManyToOne) 双向关系:
全部作品.java
import javax.persistence.*;
import javax.xml.bind.annotation.*;
import org.eclipse.persistence.oxm.annotations.XmlInverseReference;
@Entity
@Inheritance(strategy = InheritanceType.SINGLE_TABLE)
@XmlRootElement(name = "oeuvre")
public abstract class Oeuvre {
@Id
@GeneratedValue(strategy = GenerationType.AUTO)
private int id;
@Embedded
private Dimension dimension;
@XmlElement(defaultValue = "true")
private boolean hasBeenReproduced;
@ManyToOne(cascade = CascadeType.PERSIST, fetch = FetchType.LAZY)
@JoinColumn(name = "artiste_id")
@XmlIDREF
private Artiste artiste;
@XmlElement
public int getId() {
return id;
}
public void setId(int id) {
this.id = id;
}
// @XmlTransient
@XmlInverseReference(mappedBy = "oeuvres")
public Artiste getArtiste() {
return artiste;
}
public void setArtiste(Artiste artiste) {
this.artiste = artiste;
artiste.addOeuvre(this);
}
}
Personne.java
import javax.persistence.*;
import javax.xml.bind.annotation.XmlID;
@Entity
@Inheritance(strategy = InheritanceType.TABLE_PER_CLASS)
public abstract class Personne {
@Id
@GeneratedValue(strategy = GenerationType.TABLE)
@XmlID
private int id;
}
Artiste.java
import java.util.*;
import javax.persistence.*;
import javax.xml.bind.annotation.*;
@Entity
@XmlRootElement(name = "artiste")
public class Artiste extends Personne {
private String bibliographie;
@OneToMany(mappedBy = "artiste", orphanRemoval = true, cascade = {
CascadeType.PERSIST, CascadeType.REMOVE })
private List<Oeuvre> oeuvres = new ArrayList<Oeuvre>();
@XmlElement
public List<Oeuvre> getOeuvres() {
return oeuvres;
}
public void setOeuvres(List<Oeuvre> oeuvres) {
this.oeuvres = oeuvres;
}
}
所以我决定使用 MOXy,
这是我的POM
<repository>
<id>EclipseLink</id>
<url>http://download.eclipse.org/rt/eclipselink/maven.repo</url>
</repository>
<dependency>
<groupId>org.eclipse.persistence</groupId>
<artifactId>org.eclipse.persistence.moxy </artifactId>
<version>2.3.2</version>
</dependency>
注意:我只想拥有 org.eclipse.persistence.moxy-2.3.2.jar,因为我正在使用休眠(我不想要 eclipseLink),但我还有 3 个其他 jars(包括核心)
然后我在我的实体包中放了一个 jaxb.properties 文件:
javax.xml.bind.context.factory=org.eclipse.persistence.jaxb.JAXBContextFactory
并将@XmlInverseReference(mappedBy="oeuvres") 添加到getArtiste() 而不是@XmlTranscient ==> 我不再有循环(如xmlTranscient),但我仍然没有任何后向指针。
然后我添加了@XmlID 和@XmlIDREF,艺术家的 id 现在以艺术品的 xml 结果表示,但它没有很好的价值(0 但应该是别的东西)
<Oeuvre>
<hasBeenReproduced>false</hasBeenReproduced>
<artiste>0</artiste>
<year>2010</year>
<id>2</id>
<titre>La joconde</titre>
</Oeuvre>
我究竟做错了什么 ?提前谢谢
编辑 :
好的,当我编组“Artiste”对象时,我使用@XmlInverseReference 得到以下输出:
<artiste>
<id>1</id>
<nom>a</nom>
<prenom>b</prenom>
<oeuvres>
<hasBeenReproduced>false</hasBeenReproduced>
<year>2010</year>
<id>25</id>
<titre>La joconde</titre>
</oeuvres>
</artiste>
根据您的示例,这是正确的行为。因此,如果我理解得很好,就不可能在“Oeuvre”输出(如上所示)中引用艺人 ID。我们无法从艺术品中检索艺术家。就我而言,我不必使用 @XmlID 吗?
感谢您的完整回答 Blaise Doughan,非常感谢