Вероятно, самое простое решение, которое работает с немного более старыми версиями, такими как 3.5 Hibernate, - это реализовать org.hibernate.usertype.UserType.В нем довольно много методов, но для неизменяемых типов вы можете извлечь большинство из них в общий суперкласс:
package com.acme;
import java.io.Serializable;
import org.hibernate.usertype.UserType;
public abstract class AbstractImmutableType
implements UserType {
public AbstractImmutableType() {
super();
}
public boolean isMutable() {
return false;
}
public Serializable disassemble(Object value) {
return (Serializable) value;
}
public Object assemble(Serializable cached, Object owner) {
return cached;
}
public Object deepCopy(Object value) {
return value;
}
public Object replace(Object original, Object target,
Object owner) {
return original;
}
public boolean equals(Object x, Object y) {
if (x != null && y != null) {
return x.equals(y);
}
// Two nulls are equal as well
return x == null && y == null;
}
public int hashCode(Object x) {
if (x != null) {
return x.hashCode();
}
return 0;
}
}
И вы можете использовать его так:
package com.acme;
import java.sql.PreparedStatement;
import java.sql.ResultSet;
import java.sql.SQLException;
import java.sql.Types;
public class CurrencyType extends AbstractImmutableType {
public static final String TYPE = "com.acme.CurrencyType";
private static final int[] SQL_TYPES = {
Types.VARCHAR
};
public CurrencyType() {
super();
}
public Object nullSafeGet(ResultSet rs, String[] names,
Object owner) throws SQLException {
String value = rs.getString(names[0]);
if (rs.wasNull()) {
return null;
}
return Currency.valueOf(value);
}
public void nullSafeSet(PreparedStatement st, Object value,
int index) throws SQLException {
if (value != null) {
st.setString(index, ((Currency)value).getCode());
} else {
st.setNull(index, SQL_TYPES[0]);
}
}
public Class<?> returnedClass() {
return Currency.class;
}
public int[] sqlTypes() {
return SQL_TYPES;
}
}
Более подробное объяснениедля этого кода вы можете найти здесь