我有一个要求,我必须存储每次插入/更新/删除的审核信息。要存储的信息将是更新时间和用户ID 。
我从this tutorial学到了我可以使用实体监听器和回调方法,如@PrePersist
。
我知道如何处理回调方法中的更新时间,但我不知道如何在回调方法中的实体中设置 userId :
@PrePersist
private void prePersist() {
this.updateTime = new Date();
this.userId = ???;
}
如何将当前用户的ID传递给回调方法?
答案 0 :(得分:1)
您不能直接使用Hibernate或JPA API将任何信息传递给回调方法。
但还有另一个常见的解决方案:ThreadLocal
ThreadLocal
存储当前正在运行的线程的静态变量。由于请求通常只在一个线程中执行,因此您可以从回调方法/侦听器访问该信息。一些UI框架为您创建了ThreadLocal
。
例如 JSF 提供FacesContext.getCurrentInstance()
。所以在JSF中你可以调用:
FacesContext.getCurrentInstance().getExternalContext().getRemoteUser()
或者使用RequestContextHolder
((ServletRequestAttributes) RequestContextHolder.getRequestAttributes()).getRequest().getRemoteUser()
如果你没有这样的框架,你可以建立自己的ThreadLocal
:
public final class UserIdHelper {
// You can add the static ThreadLocal to any class, just as an example
private static final ThreadLocal<String> userIds = new ThreadLocal<>();
public static void setCurrentUserId(String userId) {
userIds.set(userId);
}
public static String getCurrentUserId() {
return userIds.get();
}
public static void removeCurrentUserId() {
userIds.remove();
}
}
现在,您可以在Filter
或JPA电话周围设置 userId :
UserIdHelper.setCurrentUserId(request.getRemoteUser());
try {
// ... Execute your JPA calls ...
} finally {
UserIdHelper.removeCurrentUserId();
}
删除finally
块中的 userId 非常重要 - 否则在同一个线程中运行的后续请求可能会“劫持”您之前的 userId
要在回调方法中访问该信息:
@PrePersist
private void prePersist() {
this.createdBy = UserIdHelper.getCurrentUserId();
}