Hibernate可以将NULL映射到非数字浮点数吗?

wbe*_*rry 5 java floating-point hibernate

这是我对特定列的Hibernate映射:

<property name="maxRating" not-null="false" column="max_rating"/>

在数据库(Postgres)中,列是max_rating double precision,即它在表中可以为空.映射的Java类有一个成员private float maxRating.

在不更改表定义或类的情况下,有没有办法让Hibernate NULL将此列Float.NaN中的值映射到实例中?

ben*_*y23 4

您应该能够创建用户类型:

package my.pkg.type;

public class NullNanFloatType implements UserType {

    public int[] sqlTypes() {
        return new int[]{Types.FLOAT};
    }

    public Class returnedClass() {
        return Float.class;
    }

    public boolean equals(Object x, Object y) throws HibernateException {
        return ( x == y ) || ( x != null && x.equals( y ) );
    }

    public int hashCode(Object x) throws HibernateException {
        return x.hashCode();
    }

    public Object nullSafeGet(ResultSet rs, String[] names, Object owner) throws HibernateException, SQLException {
        float value = rs.getFloat(names[0]);
        if (rs.wasNull()) {
            value = Float.NaN;
        }
        return new Float(value);
    }

    public void nullSafeSet(PreparedStatement ps, Object value, int index) throws HibernateException, SQLException {
        if (value == null || Float.isNaN(((Float)value).floatValue())) {
            ps.setNull(index, Types.FLOAT);
        } else {
            ps.setFloat(index, ((Float)value).floatValue());
        }
    }

    public Object deepCopy(Object value) throws HibernateException {
        //returning value should be OK since floats are immutable
        return value;
    }

    public boolean isMutable() {
        return false;
    }

    public Serializable disassemble(Object value) throws HibernateException {
        return (Serializable) value;
    }

    public Object assemble(Serializable cached, Object owner) throws HibernateException {
        return cached;
    }

    public Object replace(Object original, Object target, Object owner) throws HibernateException {
        return original;
    }
}
Run Code Online (Sandbox Code Playgroud)

然后您应该能够将属性映射设置为

<property name="maxRating" 
          not-null="false" 
          column="max_rating" 
          type="my.pkg.type.NullNanFloatType" />
Run Code Online (Sandbox Code Playgroud)