1

我只是在 PostgreSQL 上尝试使用 Dropwizard 和 Hibernate 的 Liquibase,所有最新版本,但我遇到了障碍。我打算为我的类 ID 使用 Hibernate 的 UUID 生成器,它会生成一个字符串 PK。我指定我想要在我的表varchar(32)中调用一个字段id,但 Liquidbase 生成了bigint字段。然而有趣的是,这两个表有不同的列:portfolio.id有序列portfolio_id_seq,而 Stock 没有序列。

我做错了什么,或者这只是 Liquibase 的 ID 列的一些奇怪属性?我应该使用bigints 吗?下面的代码:

迁移.xml:

<changeSet id="1" author="orlade">
    <createTable tableName="stock">
        <column name="id" type="varchar(255)">
            <constraints primaryKey="true" nullable="false" />
        </column>
        <column name="name" type="varchar(255)">
            <constraints nullable="false" />
        </column>
        <column name="symbol" type="varchar(255)">
            <constraints nullable="false" />
        </column>
        <column name="description" type="varchar(255)" />
    </createTable>

    <createTable tableName="portfolio">
        <column name="id" type="varchar(255)">
            <constraints primaryKey="true" nullable="false" />
        </column>
        <column name="name" type="varchar(255)">
            <constraints nullable="false" />
        </column>
        <column name="description" type="varchar(255)" />
    </createTable>
</changeSet>

投资组合.java:

@Entity
@Table(name = "portfolio")
public class Portfolio {
  @Id
  @GeneratedValue(generator = "system-uuid")
  @GenericGenerator(name = "system-uuid", strategy = "uuid")
  private String id;
}

股票.java:

@Entity
@Table(name = "stock")
public class Stock {
  @Id
  @GeneratedValue(generator = "system-uuid")
  @GenericGenerator(name = "system-uuid", strategy = "uuid")
  private String id;
}
4

1 回答 1

3

因此,虽然我找不到有效 Liquidbase 类型的列表,但事实证明这UUID是一个,所以我使用了它,并将 Java 类型也更改java.util.UUID为。这似乎足以让 Liquidbase 创建 type 的列uuid,但后来我开始在 Java 中收到关于无法将 String 写入 UUID 或其他内容的错误。

(或至少一个)解决方案是使用 @Type 注释来指定您希望 Hibernate 在写入数据库之前将值转换为的类型。仅仅说它java.util.UUID似乎是不够的。以下设置有效:

@Id
@GeneratedValue(generator = "uuid")
@GenericGenerator(name = "uuid", strategy = "uuid2")
@Type(type = "pg-uuid")
private UUID id;

uuid2策略可以生成 UUID、String 或 byte[16] 值,并且默认情况下它似乎尝试使用该bytea类型写入 Postgres。指定类型解决了这个问题(根据Hibernate 支持的 Postgresql UUID?),我也不知道为什么它不是默认值。

于 2013-06-13T02:12:56.293 回答