我是Spring的新手,我对@CreatedDate注释在实体中的工作方式感到困惑。
我做了一个谷歌搜索,有很多解决方案,但是除了一个解决方案,它们对我都不起作用。我很困惑为什么?
这是我首先尝试的
@Entity
@EntityListeners(AuditingEntityListener.class)
public class User implements Serializable {
@Id
@GeneratedValue
private Long id;
private String name;
@CreatedDate
private Date created;
public User(String name) {
this.name = name;
}
public User() {
}
它不起作用。我在
created
列中的值为NULL。然后我做到了。
@Entity
@EntityListeners(AuditingEntityListener.class)
public class User implements Serializable {
@Id
@GeneratedValue
private Long id;
private String name;
@CreatedDate
private Date created = new Date();
public User(String name) {
this.name = name;
}
public User() {
}
这实际上将时间戳存储在数据库中。我的问题是我遵循的大多数教程都建议我不需要
new Date()
来获取当前时间戳。看起来我确实需要那个。我有什么想念的吗? 最佳答案
如果仅将@CreatedDate
放在实体上,则@EntityListeners(AuditingEntityListener.class)
本身将无法工作。为了工作,您必须做一些更多的配置。
假设在您的数据库中@CreatedDate
的字段为String类型,并且您想返回当前登录的用户作为@CreatedDate
的值,然后执行以下操作:
public class CustomAuditorAware implements AuditorAware<String> {
@Override
public String getCurrentAuditor() {
String loggedName = SecurityContextHolder.getContext().getAuthentication().getName();
return loggedName;
}
}
您可以在此处编写任何适合您需求的功能,但是您肯定必须有一个引用实现AuditorAware的类的Bean。
同样重要的第二部分是创建一个返回带有
@EnableJpaAuditing
注释的类的bean,如下所示:@Configuration
@EnableJpaAuditing
public class AuditorConfig {
@Bean
public CustomAuditorAware auditorProvider(){
return new CustomAuditorAware();
}
}
如果您的毒药是XML配置,请执行以下操作:
<bean id="customAuditorAware" class="org.moshe.arad.general.CustomAuditorAware" />
<jpa:auditing auditor-aware-ref="customAuditorAware"/>