具有不同主键的休眠继承



我正在尝试使用TABLE_PER_CLASS策略创建继承,但我想为每个表使用不同的主键,这可能吗?

我有一个类 Register,它有数百万个实例,其中一些实例是"特殊的",并且对它们的列和额外列有不同的规则。

@MappedSuperclass
public abstract class Register {

    @Id
    @Column(nullable = false, unique = true, updatable = false)
    private Long userId;

    private Date checked;
    @Column(nullable = false)
    private RegisterState tipo;
}

@Entity
@AttributeOverrides({ @AttributeOverride(name = "userId", column = @Column(nullable = false, unique = false, updatable = false)) })
public class PotencialRegister extends Register implements Serializable {
    @Id
    @GeneratedValue(strategy = GenerationType.IDENTITY)
    private Integer id;

    @Column(length = 64, nullable = false, unique = false)
    private String referer;
}

对于基本寄存器,我不需要 Id 属性,因为我有一个唯一列,但对于专用实体,该列不是唯一的,所以我添加了一个额外的属性。

问题是 Hibernate 正在使用父 ID 来创建复合主键(生成的架构是):

create table PotencialRegister (
        id integer not null,
        userId bigint not null,
        checked datetime(6),
        tipo integer not null,
        referer varchar(64) not null,
        primary key (id, userId)
    )  
    create table Register (
        userId bigint not null,
        checked datetime(6),
        tipo integer not null,
        primary key (userId)
    )  

列是正确的,schama 是我想要的,但我想从 PotencialRegister 主键中删除"id"成员。

您可以创建另一个没有@Id列的类,并将此类用作每种寄存器的基类。

因此,您的注册类将如下所示:

@MappedSuperclass
public abstract class Register {
    @Column(nullable = false, unique = true, updatable = false)
    private Long userId;
    private Date checked;
   @Column(nullable = false)
    private RegisterState tipo;
}

现在,对于您的普通寄存器,您可以执行以下操作:

 @Entity   
 public class NormalRegister extends Register implements Serializable{
    @Id
    public Long getUserId(){
      return super.userId;
    }
     public void setUserId(Long uId){
        super.userId=uId;
      }
   }

接下来,将 PotencialRegister 类定义为:

@Entity
@AttributeOverrides({ @AttributeOverride(name = "userId", column = @Column(nullable = false, unique = false, updatable = false)) })
public class PotencialRegister extends Register implements Serializable {
    private Integer id;

    @Column(length = 64, nullable = false, unique = false)
    private String referer;
    @Id
    public Long getUserId(){
      return super.userId;
    }
     public void setUserId(Long uId){
        super.userId=uId;
      }
}

这样,基类中没有 Id,所有子类都可以定义自己的 Id 属性

在每个类层次结构的表中,假定版本和 Id 属性都是从根类继承的。如果我没记错,那么您不能在单个类/类层次结构中使用多个 Id 属性。在基类中,您可以放置跨表通用的属性,并仅在特定类(表示各个表)中使用 Id 属性。

不能将 userId 重新定义为主键:https://hibernate.atlassian.net/browse/HHH-11771。所以我相信你应该考虑将userId从抽象类移动到具有适当注释的实现。

相关内容

  • 没有找到相关文章

最新更新