
JPA自定义类型处理器:将秒级时间戳存储到int(10)字段
JPA的@CreationTimestamp和@CreatedDate注解虽然方便,但类型支持有限。本文介绍如何创建自定义类型处理器,将秒级时间戳精确存储到int(10)类型的数据库字段中。
自定义类型处理器实现
自定义类型处理器需要实现JPA的AttributeConverter接口。以下代码展示了一个将Long型毫秒时间戳转换为Integer型秒级时间戳的处理器:
public class SecondTimestampType implements AttributeConverter{ @Override public Integer convertToDatabaseColumn(Long value) { return value == null ? null : Math.toIntExact(value / 1000); } @Override public Long convertToEntityAttribute(Integer value) { return value == null ? null : (long) value * 1000; } }
在实体类中应用自定义处理器
使用@Converter注解将自定义处理器与实体类的字段关联:
@Entity
public class MyEntity {
@Id
@GeneratedValue
private Long id;
@Column(name = "create_time")
@Convert(converter = SecondTimestampType.class)
private Integer createTime;
// ... other fields ...
}
现在,JPA在保存实体时会自动调用SecondTimestampType处理器,将createTime字段的值转换为秒级时间戳并存储到数据库的int(10)字段中。 读取时,处理器会将数据库中的秒级时间戳转换回Long型毫秒时间戳。
通过以上步骤,您就可以利用自定义类型处理器,灵活地处理JPA中不同数据类型的转换,并确保数据的一致性和完整性。 请注意,int(10)字段的范围限制,确保您的时间戳在可表示范围内。










