我已经创建了一个UserType(见下文)来处理我们的mySQL数据库中的情况,我们一直在将这些日期保存为00:00:00。
当我尝试使用null为dispDT持久保存我的实体时(见下文),它会生成此异常:“javax.persistence.PersistenceException:org.hibernate.PropertyValueException:not-null属性引用null或transient值:myEntity。 dispDt“
通过在MySQLTimeStampUserType中的每个方法中设置断点,我可以看到它调用deepCopy方法并且从不调用nullSafeSet方法。我认为nuyllSafeSet方法的重点是允许我在持久化之前操纵该值。我做错了什么?
实体注释
@Basic(optional = false)
@Column(name = "disp_dt")
@Type(type = "mypackage.MySQLTimeStampUserType")
// @Temporal(TemporalType.TIMESTAMP)
private Date dispDt;
用户类型类
public class MySQLTimeStampUserType implements UserType {
private static final int[] SQL_TYPES = {Types.TIMESTAMP};
public int[] sqlTypes() {
return SQL_TYPES;
}
public Class returnedClass() {
return Date.class;
}
public boolean equals(Object x, Object y) throws HibernateException {
if (x == y) {
return true;
} else if (x == null || y == null) {
return false;
} else {
return x.equals(y);
}
}
public int hashCode(Object arg0) throws HibernateException {
throw new UnsupportedOperationException("Not supported yet.");
}
public Object nullSafeGet(ResultSet resultSet, String[] names, Object owner) throws HibernateException, SQLException {
// if the date is 0000-00-00 00:00:00 return null, else return the timestamp
Date result = null;
if (!resultSet.wasNull()) {
if (!resultSet.getString(names[0]).equals("0000-00-00 00:00:00")) {
result = resultSet.getDate(names[0]);
}
}
return result;
}
public void nullSafeSet(PreparedStatement statement, Object value, int index) throws HibernateException, SQLException {
// if the date is null set the value to "0000-00-00 00:00:00" else save the timestamp
if (value == null) {
statement.setString(index, "0000-00-00 00:00:00");
} else {
statement.setTimestamp(index,(Timestamp) value);
}
}
public Object deepCopy(Object value) throws HibernateException {
return value;
}
public boolean isMutable() {
return false;
}
public Serializable disassemble(Object value) throws HibernateException {
throw new UnsupportedOperationException("Not supported yet.");
}
public Object assemble(Serializable cached, Object owner) throws HibernateException {
throw new UnsupportedOperationException("Not supported yet.");
}
public Object replace(Object original, Object target, Object owner) throws HibernateException {
return original;
}
}
答案 0 :(得分:5)
答案 1 :(得分:4)
您的问题不在于您的UserType - 这是因为您已将您的属性声明为非null(使用@Basic optional =“false”)并且您将其设置为null。 / p>
那就是说,我要小心在deepCopy /汇编/反汇编方法中返回原始值。 java.util.Date 是可变的,你可能会在那里遇到麻烦。
答案 2 :(得分:0)
日期和时间的准备工作解决方案:How to map MySQL DATE '0000-00-00' & TIME '00:00:00' with Hibernate
感谢Preston的代码和ChssPly76的有用评论。