Reputation: 4852
We have a postgres DB with postgres enums. We are starting to build JPA into our application. We also have Java enums which mirror the postgres enums. Now the big question is how to get JPA to understand Java enums on one side and postgres enums on the other? The Java side should be fairly easy but I'm not sure how to do the postgres side.
Upvotes: 66
Views: 48977
Reputation: 21
I used @Enumerated(EnumType.STRING) in combination with @ColumnTransformer to cast from the varchar type to the specific postgres enum type.
enum class Day {
MONDAY,
...
SUNDAY
}
@Column(name = "day")
@Enumerated(EnumType.STRING)
@ColumnTransformer(write = "?::dayoftheweek") // String needs to be casted to postgres dayoftheweek enum
var day: Day
The column name is day, the postgres enum type name is dayoftheweek
Upvotes: 2
Reputation: 25
I use Kotlin + JPA + PG
PG DDL is:
create type user_role_enum as enum ('CREATOR', 'OWNER');
My solution from this case is like that: I added stringtype=unspecified to my DB URL:
jdbc:postgresql://localhost:5432/dbname?stringtype=unspecified
my Enum:
enum class Role {
OWNER,
CREATOR
}
and the entity:
class UserEntity(
...
@Enumerated(EnumType.STRING)
@Column(name = "role", columnDefinition = "user_role_enum")
val role: Role = Role.OWNER,
...
)
Upvotes: 1
Reputation: 2129
it's work for me
@org.hibernate.annotations.TypeDef(name = "enum_type", typeClass = PostgreSQLEnumType.class)
public class SomeEntity {
...
@Enumerated(EnumType.STRING)
@Type(type = "enum_type")
private AdType name;
}
and
import org.hibernate.HibernateException;
import org.hibernate.engine.spi.SharedSessionContractImplementor;
import org.hibernate.type.EnumType;
import java.sql.PreparedStatement;
import java.sql.SQLException;
import java.sql.Types;
public class PostgreSQLEnumType extends EnumType {
@Override
public void nullSafeSet(PreparedStatement ps, Object obj, int index,
SharedSessionContractImplementor session) throws HibernateException, SQLException {
if (obj == null) {
ps.setNull(index, Types.OTHER);
} else {
ps.setObject(index, obj.toString(), Types.OTHER);
}
}
}
Upvotes: 1
Reputation: 4101
I tried the above suggestions without success
The only thing I could get working was making the POSTGRES def a TEXT type, and using the @Enumerated(STRING) annotation in the entity.
Ex (In Kotlin):
CREATE TABLE IF NOT EXISTS some_example_enum_table
(
id UUID PRIMARY KEY DEFAULT uuid_generate_v4(),
some_enum TEXT NOT NULL,
);
Example Kotlin Class:
enum class SomeEnum { HELLO, WORLD }
@Entity(name = "some_example_enum_table")
data class EnumExampleEntity(
@Id
@GeneratedValue
var id: UUID? = null,
@Enumerated(EnumType.STRING)
var some_enum: SomeEnum = SomeEnum.HELLO,
)
Then my JPA lookups actually worked:
@Repository
interface EnumExampleRepository : JpaRepository<EnumExampleEntity, UUID> {
fun countBySomeEnumNot(status: SomeEnum): Int
}
Upvotes: 1
Reputation: 1069
I've actually been using a simpler way than the one with PGObject and Converters. Since in Postgres enums are converted quite naturally to-from text you just need to let it do what it does best. I'll borrow Arjan's example of moods, if he doesn't mind:
The enum type in Postgres:
CREATE TYPE mood AS ENUM ('sad', 'ok', 'happy');
The class and enum in Java:
public @Entity class Person {
public static enum Mood {sad, ok, happy};
@Enumerated(EnumType.STRING)
Mood mood;
}
That @Enumerated tag says that serialization/deserialization of the enum should be done in text. Without it, it uses int, which is more troublesome than anything.
At this point you have two options. You either:
Add stringtype=unspecified to the connection string, as explained in JDBC connection parameters.This lets Postgres guess the right-side type and convert everything adequately, since it receives something like 'enum = unknown', which is an expression it already knows what to do with (feed the ? value to the left-hand type deserialiser). This is the preferred option, as it should work for all simple UDTs such as enums in one go.
jdbc:postgresql://localhost:5432/dbname?stringtype=unspecified
Or:
Create an implicit conversion from varchar to the enum in the database. So in this second case the database receives some assignment or comparison like 'enum = varchar' and it finds a rule in its internal catalog saying that it can pass the right-hand value through the serialization function of varchar followed by the deserialization function of the enum. That's more steps than should be needed; and having too many implicit casts in the catalog can cause arbitrary queries to have ambiguous interpretations, so use it sparingly. The cast creation is:
CREATE CAST (CHARACTER VARYING as mood) WITH INOUT AS IMPLICIT;
Should work with just that.
Upvotes: 79
Reputation: 1541
I filed a bug report with a patch included for Hibernate: HHH-5188
The patch works for me to read a PostgreSQL enum into a Java enum using JPA.
Upvotes: 4
Reputation: 38163
This involves making multiple mappings.
First, a Postgres enum is returned by the JDBC driver as an instance of type PGObject. The type property of this has the name of your postgres enum, and the value property its value. (The ordinal is not stored however, so technically it's not an enum anymore and possibly completely useless because of this)
Anyway, if you have a definition like this in Postgres:
CREATE TYPE mood AS ENUM ('sad', 'ok', 'happy');
Then the resultset will contain a PGObject with type "mood" and value "happy" for a column having this enum type and a row with the value 'happy'.
Next thing to do is writing some interceptor code that sits between the spot where JPA reads from the raw resultset and sets the value on your entity. E.g. suppose you had the following entity in Java:
public @Entity class Person {
public static enum Mood {sad, ok, happy}
@Id Long ID;
Mood mood;
}
Unfortunately, JPA does not offer an easy interception point where you can do the conversion from PGObject to the Java enum Mood. Most JPA vendors however have some proprietary support for this. Hibernate for instance has the TypeDef and Type annotations for this (from Hibernate-annotations.jar).
@TypeDef(name="myEnumConverter", typeClass=MyEnumConverter.class)
public @Entity class Person {
public static enum Mood {sad, ok, happy}
@Id Long ID;
@Type(type="myEnumConverter") Mood mood;
These allow you to supply an instance of UserType (from Hibernate-core.jar) that does the actual conversion:
public class MyEnumConverter implements UserType {
private static final int[] SQL_TYPES = new int[]{Types.OTHER};
public Object nullSafeGet(ResultSet arg0, String[] arg1, Object arg2) throws HibernateException, SQLException {
Object pgObject = arg0.getObject(X); // X is the column containing the enum
try {
Method valueMethod = pgObject.getClass().getMethod("getValue");
String value = (String)valueMethod.invoke(pgObject);
return Mood.valueOf(value);
}
catch (Exception e) {
e.printStackTrace();
}
return null;
}
public int[] sqlTypes() {
return SQL_TYPES;
}
// Rest of methods omitted
}
This is not a complete working solution, but just a quick pointer in hopefully the right direction.
Upvotes: 32