我想知道是否有可能仅将一个表获取多个表
举个例子 :

TABLE LABELS;
TABLE STANDARDS;
TABLE REFERENCES;

映射到同一类
public Class Information {

    private String type; // the type is the element who have to do the mapping => LABELS/STANDARDS/REFERENCES
    ...
}

由于技术原因,我不可能为每种类型构造一个类(我知道有些传承应该很酷)。

谢谢

吉尔斯

编辑:

我会尝试说明更多:)

我正在使用JMS服务来获取信息。每条消息都有特定的类型(例如:“标签”,“标准”和“参考”)。

通过使用这些类型,我想查看各个表中的信息。每个消息的结构都完全相同,这就是为什么我要使用唯一的POJO。

我希望能更好地解释:)

编辑2:
TABLE LABELS (
    ID PRIMARY KEY AUTO_INCREMENT,
    MESSAGE VARCHAR(255),
    AUTHOR VARCHAR(255)
);
TABLE STANDARDS(
    ID PRIMARY KEY AUTO_INCREMENT,
    MESSAGE VARCHAR(255),
    AUTHOR VARCHAR(255)
);
TABLE REFERENCES (
    ID PRIMARY KEY AUTO_INCREMENT,
    MESSAGE VARCHAR(255),
    AUTHOR VARCHAR(255)
);

这是JMS的一些例子
headers :
    type : label
body:
    {message:"name of the country",author:"john doe"}

headers :
    type : label
body:
    {message:"nom du pays",author:"jenny doe"}

headers :
    type : reference
body:
    {message:"country",author:"john doe"}

我想将它们放入信息类并保存在正确的表中

最佳答案

试试这个:

 @MappedSuperclass
 public class Base {
   private String message;
   private String autor;
   @Column(name = "MESSAGE")
   public String getMessage(){
     return message;
   }
   public void setMessage(final String message) {
     this.message = message;
   }
   @Column(name = "AUTOR")
   public String getAutor(){
     return autor;
   }
   public void setAutor(final String autor) {
     this.autor = autor;
   }
 }

和三类:
 @Entity
 @Table(name="LABELS")
 public class Labels extends Base{};


 @Entity
 @Table(name="STANDARDS")
 public class Standards extends Base{};


 @Entity
 @Table(name="REFERENCES")
 public class References extends Base{};

现在,您可以使用以下方式保留数据:
 Base b;
 if (info.getType().equals("REFERENCES")) {
    b=new References();
 } else if (info.getType().equals("LABELS")) {
    b=new Labels();
 } else if (info.getType().equals("STANDARDS")) {
    b=new Standards();
 } else {
   return;
 }
 b.setMessage(info.getMessage());
 b.setAutor(info.getAutor());
 Transaction t = session.beginTransaction();
 session.persist(b);
 t.commit();

09-25 21:18