利用ParameterizedType和范型做切面编程

前段时间用hibernate的时候,看到用范型加ParameterizedType进行设计的例子,使用的比较巧。用ParameterizedType进行切面编程十分轻巧。

下面是一个利用ParameterizedType进行切面编程的例子:

例子中有一个抽象的JpaDaoImpl.java类,所以继承该类的XXXJpaDAOImpl,都对应于一个数据库表(table)。中的‘E’就表示该数据库表对应于Java中的entity。JpaDaoImpl类本身也implements了Dao的接口。Dao定义了JpaDaoImpl所需要实现的基本方法(基于数据库表的CUID方法)。

通过“(Class) ((ParameterizedType) getClass().getGenericSuperclass()).getActualTypeArguments()[0]”,就可以得到E在实际的XXXJpaDaoImpl.java类中是什么具体的entity。得到E,我们就可以通过hibernate实现基本的CUID操作了。

[java]  view plain copy print ?
  1. /** 
  2.  *  
  3.  * JPA implementation of DAO. 
  4.  *  
  5.  * @param  entity type 
  6.  * @param  primary key type 
  7.  */  
  8. public class JpaDaoImplextends AbstractEntity, I> extends JpaDaoSupport implements Dao {  
  9.     protected Class entityClass;  
  10.   
  11.     @SuppressWarnings("unchecked")  
  12.     public JpaDaoImpl() {//very tricky here  
  13. // 该泛型化的类不能被实例化,如果实例化了那么this代表的是当前对象,entityClass 就无法获取
  14.         entityClass = (Class) ((ParameterizedType) getClass().getGenericSuperclass()).getActualTypeArguments()[0];  
  15.     }  
  16.   
  17.     public E create(E entity) {  
  18.         getJpaTemplate().persist(entity);  
  19.         return entity;  
  20.     }  
  21.   
  22.     public void delete(E entity) {  
  23.         getJpaTemplate().remove(entity);  
  24.     }  
  25.   
  26.     public void delete(I id) {  
  27.         getJpaTemplate().remove((find(id)));  
  28.     }  
  29.   
  30.     public boolean exists(I id) {  
  31.         return find(id) != null;  
  32.     }  
  33.   
  34.     public E find(I id) {//entityClass is used  
  35.         return getJpaTemplate().find(entityClass, id);  
  36.     }  
  37.   
  38.     public E update(E entity) {  
  39.         return getJpaTemplate().merge(entity);  
  40.     }  
  41.    
  42.     public List query() {//entityClass is used  
  43.         return query("from " + entityClass.getSimpleName());  
  44.     }  
  45. ......  
  46. }  

 

[java]  view plain copy print ?
  1. public interface Daoextends AbstractEntity, I> {  
  2.     E create(E entity);  
  3.   
  4.     E update(E entity);  
  5.   
  6.     void delete(E entity);  
  7.   
  8.     void delete(I id);  
  9.   
  10.     E find(I id);  
  11.   
  12.     boolean exists(I id);   
  13.   
  14.     ......  
  15. }  



 

[java]  view plain copy print ?
  1. public class UserDaoImpl extends JpaDaoImpl{  
  2.      //No method needs  
  3. }  
  4.   
  5. public class PrivilegeDaoImpl extends JpaDaoImpl{  
  6.      //No method needs  
  7. }  

你可能感兴趣的:(JAVA)