使用 JPA 覆盖@MappedSuperclass中定义的@Id



我有一个类AbstractEntity,它由我应用程序中的所有实体扩展,基本上充当标识符提供程序。

@MappedSuperclass
public class AbstractEntity implements DomainEntity {
    private static final long serialVersionUID = 1L;
    /** This object's id */
    @Id
    @GeneratedValue(strategy = GenerationType.AUTO)
    protected long id;
    @Temporal(TemporalType.TIMESTAMP)
    @Column(name="creation_date", nullable = false, updatable=false)
    private Date creationDate = new Date();
    /**
     * @return the id
     */
    public long getId() {
        return this.id;
    }
    /**
     * @param id the id to set
     */
    public void setId(long id) {
        this.id = id;
    }
}

我现在有一个案例,我需要为我的几个实体类定义一个单独的 Id,因为这些类需要有一个自定义序列生成器。如何实现这一点?

@Entity
@Table(name = "sample_entity")
public class ChildEntity extends AbstractChangeableEntity {
    @Column(name = "batch_priority")
    private int priority;
    public int getPriority() {
        return priority;
    }
    public void setPriority(int priority) {
        this.priority = priority;
    }
}

你不能这样做,正如这个GitHub示例所示。

在基类中定义@Id后,您将无法在子类中重写它,这意味着最好将@Id责任留给每个单独的具体类。

拆分基类。

定义除 ID 之外的所有公共字段:

@MappedSuperclass
public  abstract class AbstractEntityNoId implements DomainEntity {
 private static final long serialVersionUID = 1L;
    @Temporal(TemporalType.TIMESTAMP)
    @Column(name="creation_date", nullable = false, updatable=false)
    private Date creationDate = new Date();
}

使用默认 ID 生成器扩展上述内容:

@MappedSuperclass
public abstract class AbstractEntity extends AbstractEntityNoId {
    @Id
    @GeneratedValue(strategy = GenerationType.AUTO)
    protected Long id;
    public Long getId(){
       return id;
    }
}

需要自定义 ID 生成的类扩展了前者,而其他类扩展了后者。

如上所述,除了需要生成自定义 ID 的实体之外,无需更改任何现有代码。

在某些情况下不可行的解决方案之一是在 get 方法上使用注释而不是字段。它将为您提供更大的灵活性,特别是可以覆盖您想要的任何内容。

在代码中:

@MappedSuperclass
public class AbstractEntity implements DomainEntity {
    private static final long serialVersionUID = 1L;
    protected long id;
    private Date creationDate = new Date();
    /**
     * @return the id
     */
    /** This object's id */
    @Id
    @GeneratedValue(strategy = GenerationType.AUTO)
    public long getId() {
        return this.id;
    }
    /**
     * @param id the id to set
     */
    public void setId(long id) {
        this.id = id;
    }
    @Temporal(TemporalType.TIMESTAMP)
    @Column(name="creation_date", nullable = false, updatable=false)
    public Date getCreationDate () {
        return this.creationDate ;
    }
}

和你的子类:

@Entity
@Table(name = "sample_entity")
public class ChildEntity extends AbstractChangeableEntity {

private int priority;
@Override
@Id
@GeneratedValue(strategy = GenerationType.ANOTHER_STRATEGY)
public long getId() {
    return this.id;
}
@Column(name = "batch_priority")
public int getPriority() {
        return priority;
    }
public void setPriority(int priority) {
        this.priority = priority;
    }

}

相关内容

  • 没有找到相关文章

最新更新