一劳永逸——让Spring自动加载Hibernate Annotated Classes

本文介绍了一种通过扩展Spring的AnnotationSessionFactoryBean类来实现自动扫描并加载指定包路径下所有Hibernate实体类的方法,有效简化了Spring整合Hibernate的配置。

摘要生成于 C知道 ,由 DeepSeek-R1 满血版支持, 前往体验 >

通常,spring整合Hibernate的SessionFactory是这样做的:

<property name="annotatedClasses">
<list><value>com.systop.common.core.dao.testmodel.TestDept</value></list>
</property>
<property name="mappingLocations">
<list><value>classpath*:org/jbpm/**/*.hbm.xml</value></list>
</property>

Spring可以根据mappingLocations属性中定义的Path Pattern自动加载hbm文件,但是对于annotatedClasses则只能一个一个的苦恼的写上去。无论是Hibernate还是Spring,都不能自动的加载某个package下的Anntated Classes。这样,一旦项目需要重构或者增加/减少Tables就会带来一些麻烦。尤其是对于那些已经打包的应用来说更是如此。
能不能让Spring自动加载AnnotatedClasses呢,我想到了Spring2.5中component-scan,于是便照猫画虎的写了一个AnnotationSessionFactoryBean的子类:

package com.systop.common.core.dao.hibernate;

import java.io.IOException;
import java.util.HashSet;
import java.util.Set;

import javax.persistence.Entity;

import org.apache.oro.text.regex.MalformedPatternException;
import org.apache.oro.text.regex.Pattern;
import org.apache.oro.text.regex.PatternCompiler;
import org.apache.oro.text.regex.PatternMatcher;
import org.apache.oro.text.regex.Perl5Compiler;
import org.apache.oro.text.regex.Perl5Matcher;
import org.hibernate.HibernateException;
import org.hibernate.cfg.AnnotationConfiguration;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.core.io.Resource;
import org.springframework.core.io.support.PathMatchingResourcePatternResolver;
import org.springframework.core.io.support.ResourcePatternResolver;
import org.springframework.core.type.classreading.CachingMetadataReaderFactory;
import org.springframework.core.type.classreading.MetadataReader;
import org.springframework.core.type.classreading.MetadataReaderFactory;
import org.springframework.orm.hibernate3.annotation.AnnotationSessionFactoryBean;
import org.springframework.util.ClassUtils;
import org.springframework.util.CollectionUtils;

import com.systop.common.core.exception.ApplicationException;

@SuppressWarnings("unchecked")
public class AnnotationSessionFactoryBeanEx extends AnnotationSessionFactoryBean {
private static final Logger logger = LoggerFactory
.getLogger(AnnotationSessionFactoryBeanEx.class);

/**
* The locations of the hibernate enity class files. They are often some of the string with
* Sping-style resource. A ".class" subfix can make the scaning more precise.
* <p> example:
* <pre>
* classpath*:com/systop/** /model/*.class
* </pre>
*/
private String[] annotatedClassesLocations;

/**
* Which classes are not included in the session.
* They are some of the regular expression.
*/
private String[] excludedClassesRegexPatterns;

/**
* @param annotatedClassesLocations the annotatedClassesLocations to set
*/
public void setAnnotatedClassesLocations(String[] annotatedClassesLocations) {
this.annotatedClassesLocations = annotatedClassesLocations;
}

/**
* @see AnnotationSessionFactoryBean#postProcessAnnotationConfiguration(org.hibernate.cfg.AnnotationConfiguration)
*/
@Override
protected void postProcessAnnotationConfiguration(AnnotationConfiguration config)
throws HibernateException {
Set<Class> annClasses = scanAnnotatedClasses(); //Scan enity classes.
// Add entity classes to the configuration.
if (!CollectionUtils.isEmpty(annClasses)) {
for (Class annClass : annClasses) {
config.addAnnotatedClass(annClass);
}
}
}

/**
* Scan annotated hibernate classes in the locations.
* @return Set of the annotated classes, if no matched class, return empty Set.
*/
private Set<Class> scanAnnotatedClasses() {
ResourcePatternResolver resourcePatternResolver = new PathMatchingResourcePatternResolver();
MetadataReaderFactory metadataReaderFactory = new CachingMetadataReaderFactory(
resourcePatternResolver);
Set<Class> annotatedClasses = new HashSet<Class>();
if (annotatedClassesLocations != null) {
try {
for (String annClassesLocation : annotatedClassesLocations) {
//Resolve the resources
Resource[] resources = resourcePatternResolver.getResources(annClassesLocation);
for (Resource resource : resources) {
MetadataReader metadataReader = metadataReaderFactory.getMetadataReader(resource);
String className = metadataReader.getClassMetadata().getClassName();
//If the class is hibernate enity class, and it does not match the excluded class patterns.
if (isEntityClass(metadataReader) && !isExcludedClass(className)) {
Class clazz = ClassUtils.forName(className);
annotatedClasses.add(clazz);
logger.debug("A entity class has been found. \n({})", clazz.getName());
}
}

}
} catch (IOException e) {
logger.error("I/O failure during classpath scanning, ({})", e.getMessage());
e.printStackTrace();
throw new ApplicationException(e);
} catch (ClassNotFoundException e) {
logger.error("Class not found, ({})", e.getMessage());
e.printStackTrace();
throw new ApplicationException(e);
} catch (LinkageError e) {
logger.error("LinkageError ({})", e.getMessage());
e.printStackTrace();
throw new ApplicationException(e);
}
}

return annotatedClasses;
}

/**
* @return True if the given MetadataReader shows
* that the class is annotated by <code>javax.persistence.Enity</code>
*/
private boolean isEntityClass(MetadataReader metadataReader) {
Set<String> annTypes = metadataReader.getAnnotationMetadata().getAnnotationTypes();
if (CollectionUtils.isEmpty(annTypes)) {
return false;
}

return annTypes.contains(Entity.class.getName());
}

/**
*
* @return True if the given class name match the excluded class patterns.
*/
private boolean isExcludedClass(String className) {
if (excludedClassesRegexPatterns == null) { // All class is included.
return false;
}

PatternCompiler compiler = new Perl5Compiler();
PatternMatcher matcher = new Perl5Matcher();
try {
for (String regex : excludedClassesRegexPatterns) { //Test each patterns.
logger.debug("Pattern is: {}", regex);
Pattern pattern = compiler.compile(regex);
if (matcher.matches(className, pattern)) {
logger.debug("class [{}], matches [{}], so it is excluded.", className, pattern
.getPattern());
return true;
}
}
} catch (MalformedPatternException e) {
logger.warn("Malformed pattern [{}]", e.getMessage());
}

return false;
}

/**
* @param exculdePatterns the exculdePatterns to set
*/
public void setExcludedClassesRegexPatterns(String[] excludedClassesRegexPatterns) {
this.excludedClassesRegexPatterns = excludedClassesRegexPatterns;
}
}

在Spring的配置文件中这样写:

<bean id="sessionFactory" class="com.systop.common.core.dao.hibernate.AnnotationSessionFactoryBeanEx">
<property name="dataSource" ref="dataSource"/>
<property name="annotatedClassesLocations">
<list>
<value>classpath*:com/systop/**/model/*.class</value>
</list>
</property>
<!--用正则表达式匹配不被scan的类-->
<property name="excludedClassesRegexPatterns">
<list>
<value><![CDATA[^[\w\.]+Test[\w]+$]]></value>
</list>
</property>
</bean>

好了,一劳永逸!
哦,对了,提醒一下,上述代码使用了Spring2.5中的一些API,另外还有apache oro的正则表达式API。
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值