我使用带mysql的spring boot
在我的application.properties
中spring.jpa.generate-ddl=true
spring.jackson.serialization.write-dates-as-timestamps=false
在我的build.gradle中,我有
compile('org.springframework.boot:spring-boot-starter-data-jpa')
compile('org.springframework.boot:spring-boot-starter-data-rest')
compile('org.springframework.boot:spring-boot-starter-web')
compile 'com.fasterxml.jackson.datatype:jackson-datatype-jsr310'
在我的java类
中import java.time.LocalDate;
@Entity
public class WebSite implements Serializable{
@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
private Long webSiteId;
private LocalDate date;
...
}
创建此表时,
日期字段的创建方式类似于TINYBLOB
为什么不是约会
答案 0 :(得分:1)
这不是杰克逊的问题,而是你用于ORM的任何东西都不知道如何将Java LocalDate转换为MySQL日期。
有两种方法可以做到这一点。如果您使用的是Hibernate,只需在依赖项中包含org.hibernate:hibernate-java8
即可。
或者,如果您只想使用JPA,则需要创建一个属性转换器。例如:
@Converter(autoApply = true)
public class LocalDateAttributeConverter implements AttributeConverter<LocalDate, Date> {
@Override
public Date convertToDatabaseColumn(LocalDate locDate) {
return (locDate == null ? null : Date.valueOf(locDate));
}
@Override
public LocalDate convertToEntityAttribute(Date sqlDate) {
return (sqlDate == null ? null : sqlDate.toLocalDate());
}
}
属性转换器将处理Java LocalDate和MySQL Date之间的转换。
请参阅:http://www.thoughts-on-java.org/persist-localdate-localdatetime-jpa/