Enum de Postgres a Java usando Hibernate
Frecuentes
Visto 1,988 equipos
2
Estoy tratando de tener un tipo de enumeración en la base de datos y convertirlo a Java, escribí una clase EnumUserType para hacer la conversión, pero no reconoce la clase PGobject.
public Object nullSafeGet(ResultSet rs, String[] names, SessionImplementor si, Object owner)
throws HibernateException, SQLException {
Object object = rs.getObject(names[0]);
if (rs.wasNull()) {
return null;
}
if (object instanceof PGobject) {
//code doesn't reach this line
}
log.info(object.getClass()); // prints class org.postgresql.util.PGobject
return null;
}
Revisé y tengo exactamente la misma versión del controlador postgresql. Vi esta publicación: Enumeración de Java con Eclipselink. Es una solución que también intentaré, pero mi duda principal es: aparentemente es la misma clase, ¿por qué no se reconoce como tal? ¿Puedo tener dos clases diferentes con el mismo nombre y paquete? Si todavía tengo que usar enumeraciones en Postgres, ¿cómo puedo arreglarlo para que se asigne correctamente a mi enumeración de Java?
EDIT:
Traté de hacer un:
PGobject pg = (PGobject) object;
y lanza una excepción de conversión de clase:
org.postgresql.util.PGobject cannot be cast to org.postgresql.util.PGobject
Muchas Gracias
1 Respuestas
0
Uso una clase genérica para usar como tipo para mapear una enumeración. Luego, puede mapear todas sus enumeraciones usándolo.
La clase es esta:
public class GenericEnumUserType implements UserType, ParameterizedType {
private static final String DEFAULT_IDENTIFIER_METHOD_NAME = "name";
private static final String DEFAULT_VALUE_OF_METHOD_NAME = "valueOf";
private Class enumClass;
private Class identifierType;
private Method identifierMethod;
private Method valueOfMethod;
private NullableType type;
private int[] sqlTypes;
@Override
public void setParameterValues(Properties parameters) {
String enumClassName = parameters.getProperty("enumClassName");
try {
enumClass = Class.forName(enumClassName).asSubclass(Enum.class);
} catch (ClassNotFoundException cfne) {
throw new HibernateException("Enum class not found", cfne);
}
String identifierMethodName = parameters.getProperty("identifierMethod", DEFAULT_IDENTIFIER_METHOD_NAME);
try {
identifierMethod = enumClass.getMethod(identifierMethodName, new Class[0]);
identifierType = identifierMethod.getReturnType();
} catch (Exception e) {
throw new HibernateException("Failed to obtain identifier method", e);
}
type = (NullableType) TypeFactory.basic(identifierType.getName());
if (type == null) {
throw new HibernateException("Unsupported identifier type " + identifierType.getName());
}
sqlTypes = new int[] { type.sqlType() };
String valueOfMethodName = parameters.getProperty("valueOfMethod", DEFAULT_VALUE_OF_METHOD_NAME);
try {
valueOfMethod = enumClass.getMethod(valueOfMethodName, new Class[] { identifierType });
} catch (Exception e) {
throw new HibernateException("Failed to obtain valueOf method", e);
}
}
@Override
public Class returnedClass() {
return enumClass;
}
@Override
public Object nullSafeGet(ResultSet rs, String[] names, Object owner) throws HibernateException, SQLException {
Object identifier = type.get(rs, names[0]);
if (rs.wasNull()) {
return null;
}
try {
return valueOfMethod.invoke(enumClass, new Object[] { identifier });
} catch (Exception e) {
throw new HibernateException("Exception while invoking " + "valueOf method " + valueOfMethod.getName()
+ " of enumeration class " + enumClass, e);
}
}
@Override
public void nullSafeSet(PreparedStatement st, Object value, int index) throws HibernateException, SQLException {
try {
if (value == null) {
st.setNull(index, type.sqlType());
} else {
Object identifier = identifierMethod.invoke(value, new Object[0]);
type.set(st, identifier, index);
}
} catch (Exception e) {
throw new HibernateException("Exception while invoking identifierMethod " + identifierMethod.getName()
+ " of enumeration class " + enumClass, e);
}
}
@Override
public int[] sqlTypes() {
return sqlTypes;
}
@Override
public Object assemble(Serializable cached, Object owner) throws HibernateException {
return cached;
}
@Override
public Object deepCopy(Object value) throws HibernateException {
return value;
}
@Override
public Serializable disassemble(Object value) throws HibernateException {
return (Serializable) value;
}
@Override
public boolean equals(Object x, Object y) throws HibernateException {
return x == y;
}
@Override
public int hashCode(Object x) throws HibernateException {
return x.hashCode();
}
@Override
public boolean isMutable() {
return false;
}
@Override
public Object replace(Object original, Object target, Object owner) throws HibernateException {
return original;
}}
La clase Enum debería ser así:
public enum AccountStatus {
ACTIVE(1), BLOCKED(2), DELETED(3);
private AccountStatus(int id) {
this.id = id;
}
private int id;
public int getId() {
return id;
}
public void setId(int id) {
this.id = id;
}
public static AccountStatus valueOf(int id) {
switch (id) {
case 1:
return ACTIVE;
case 2:
return BLOCKED;
case 3:
return DELETED;
default:
throw new IllegalArgumentException();
}
}}
El método estático "valueOf" es necesario para convertir una identificación almacenada en la base de datos a un objeto Java.
Entonces, el mapeo de hibernación es así:
<hibernate-mapping>
<typedef class="path.to.GenericEnumUserType" name="accountStatusType">
<param name="enumClassName">com.systemonenoc.hermes.ratingengine.persistence.constants.AccountStatus</param>
<param name="identifierMethod">getId</param>
</typedef>
<class name="package.to.class.with.enum.Account" table="account" schema="public">
<property name="accountStatus" type="accountStatusType" column="account_status" not-null="true" />
[...]
</hibernate-mapping>
Entonces, debe declarar como tipo la clase GenericEnumUserType con typedef y un método para obtener la identificación de la enumeración (en este caso, getId()). En su base de datos, se almacenará la identificación como valor en una columna de enteros, y en Java tendrá el objeto de enumeración.
Respondido 11 ago 14, 10:08
¿Por qué no usas
rs.getString()
¿en cambio? Debería devolver el valor de enumeración como una cadena, AFAIK. - JB NizetLo probé y arroja una excepción: org.postgresql.util.PGobject no se puede convertir a java.lang.String - Migore
Ignora mi comentario anterior, faltaba algo más. Lo acabo de probar y funciona, gracias! Esto resuelve mi problema, pero todavía tengo curiosidad sobre el problema. - Migore
A juzgar por la excepción, parece un problema del cargador de clases: java considera que la misma clase cargada por dos cargadores de clases diferentes son clases diferentes. - Grim
Estoy usando JBoss AS 7.1.1 como contenedor, copié el mismo jar en el repositorio jboss y en mi repositorio maven local que usa mi aplicación. - Migore