4

我正在尝试使用 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”成员。

4

3 回答 3

7

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

所以你的 Register 类看起来像:

@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 属性

于 2017-11-16T10:43:59.440 回答
1

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

于 2017-11-20T12:21:19.583 回答
0

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

于 2019-10-25T07:57:55.773 回答