12.1. 拦截器(Interceptors)

Interceptor接口提供了从会话(session)回调(callback)应用程序(application)的机制, 这种回调机制可以允许应用程序在持久化对象被保存、更新、删除或是加载之前,检查并(或)修改其 属性。一个可能的用途,就是用来跟踪审核(auditing)信息。例如:下面的这个拦截器,会在一个实现了 Auditable接口的对象被创建时自动地设置createTimestamp属性,并在实现了 Auditable接口的对象被更新时,同步更新lastUpdateTimestamp属性。

你可以直接实现Interceptor接口,也可以(最好)继承自EmptyInterceptor

  1. package org.hibernate.test;
  2. import java.io.Serializable;
  3. import java.util.Date;
  4. import java.util.Iterator;
  5. import org.hibernate.EmptyInterceptor;
  6. import org.hibernate.Transaction;
  7. import org.hibernate.type.Type;
  8. public class AuditInterceptor extends EmptyInterceptor {
  9. private int updates;
  10. private int creates;
  11. private int loads;
  12. public void onDelete(Object entity,
  13. Serializable id,
  14. Object[] state,
  15. String[] propertyNames,
  16. Type[] types) {
  17. // do nothing
  18. }
  19. public boolean onFlushDirty(Object entity,
  20. Serializable id,
  21. Object[] currentState,
  22. Object[] previousState,
  23. String[] propertyNames,
  24. Type[] types) {
  25. if ( entity instanceof Auditable ) {
  26. updates++;
  27. for ( int i=0; i < propertyNames.length; i++ ) {
  28. if ( "lastUpdateTimestamp".equals( propertyNames[i] ) ) {
  29. currentState[i] = new Date();
  30. return true;
  31. }
  32. }
  33. }
  34. return false;
  35. }
  36. public boolean onLoad(Object entity,
  37. Serializable id,
  38. Object[] state,
  39. String[] propertyNames,
  40. Type[] types) {
  41. if ( entity instanceof Auditable ) {
  42. loads++;
  43. }
  44. return false;
  45. }
  46. public boolean onSave(Object entity,
  47. Serializable id,
  48. Object[] state,
  49. String[] propertyNames,
  50. Type[] types) {
  51. if ( entity instanceof Auditable ) {
  52. creates++;
  53. for ( int i=0; i<propertyNames.length; i++ ) {
  54. if ( "createTimestamp".equals( propertyNames[i] ) ) {
  55. state[i] = new Date();
  56. return true;
  57. }
  58. }
  59. }
  60. return false;
  61. }
  62. public void afterTransactionCompletion(Transaction tx) {
  63. if ( tx.wasCommitted() ) {
  64. System.out.println("Creations: " + creates + ", Updates: " + updates, "Loads: " + loads);
  65. }
  66. updates=0;
  67. creates=0;
  68. loads=0;
  69. }
  70. }

拦截器可以有两种:Session范围内的,和SessionFactory范围内的。

当使用某个重载的SessionFactory.openSession()使用Interceptor作为参数调用打开一个session的时候,就指定了Session范围内的拦截器。

  1. Session session = sf.openSession( new AuditInterceptor() );

SessionFactory范围内的拦截器要通过Configuration中注册,而这必须在创建SessionFactory之前。在这种情况下,给出的拦截器会被这个SessionFactory所打开的所有session使用了;除非session打开时明确指明了使用的拦截器。SessionFactory范围内的拦截器,必须是线程安全的,因为多个session可能并发使用这个拦截器,要因此小心不要保存与session相关的状态。

  1. new Configuration().setInterceptor( new AuditInterceptor() );