我制作了一个转换器,当我从数据库中读取DATE字段时,它应该能够将它们强制转换为java.time.LocalDate
个对象。但是,当我尝试这样做时,它给了我这个错误:
The object [3/16/17 12:00 AM], of class [class java.sql.Timestamp], from mapping [org.eclipse.persistence.mappings.DirectToFieldMapping[startDate-->TEST_TABLE.START_DATE]] with descriptor [RelationalDescriptor(com.test.TestEntity --> [DatabaseTable(TEST_TABLE)])], could not be converted to [class [B].
TEST_TABLE
是我的表格,其中有一列START_DATE
,其类型为DATE
。这是转换器:
import javax.persistence.AttributeConverter;
import javax.persistence.Converter;
import java.sql.Date;
import java.time.LocalDate;
@Converter(autoApply = true)
public class OracleLocalDateAttributeConverter implements AttributeConverter<LocalDate, Date> {
@Override
public Date convertToDatabaseColumn(LocalDate attribute) {
return (attribute != null ? Date.valueOf(attribute) : null);
}
@Override
public LocalDate convertToEntityAttribute(Date dbData) {
return (dbData != null ? dbData.toLocalDate() : null);
}
}
为什么我认为我的专栏是时间戳? oracle中的所有日期是否都被强制转移到java.sql.Timestamp
?
答案 0 :(得分:2)
类java.sql.Timestamp是持久性提供程序用来从数据库中解析日期的类,而不管该值只是一个日期。这是有道理的,因为它允许持久性提供程序将时间作为DATETIME或TIMESTAMP的一部分。请注意,此类来自java.util.Date 而不是 java.sql.Date。
因此,将转换器更新为此类应该可以解决问题:
import java.time.LocalDate;
import java.time.ZoneId;
import java.util.Date;
import javax.persistence.AttributeConverter;
import javax.persistence.Converter;
@Converter(autoApply = true)
public class OracleLocalDateAttributeConverter implements AttributeConverter<LocalDate, Date> {
@Override
public Date convertToDatabaseColumn(LocalDate attribute) {
return attribute == null ? null : Date.from(attribute.atStartOfDay(ZoneId.systemDefault()).toInstant());
}
@Override
public LocalDate convertToEntityAttribute(Date dbData) {
return dbData == null ? null : dbData.toInstant().atZone(ZoneId.systemDefault()).toLocalDate();
}
}